Mantieni tutto organizzato con le raccolte
Salva e classifica i contenuti in base alle tue preferenze.
Questa guida spiega come filtrare un elenco di stringhe in base all'input di testo in Jetpack Compose. Utilizza questo approccio per aggiornare dinamicamente un elenco in base alle query di ricerca degli utenti.
Compatibilità delle versioni
Questa implementazione è compatibile con Compose 1.2.0 e versioni successive.
Dipendenze
Includi le seguenti dipendenze in build.gradle:
Filtrare un elenco in base all'input di testo
I seguenti snippet, se combinati, generano un elenco che si aggiorna in tempo reale in base ai tipi di utenti. Questo esempio utilizza un ViewModel per contenere i dati dell'elenco e la logica di filtro, mentre la funzione FilterTextView() crea l'interfaccia utente che si aggiorna automaticamente ogni volta che il testo del filtro cambia.
classFilterTextViewModel:ViewModel(){privatevalitems=listOf("Cupcake","Donut","Eclair","Froyo","Gingerbread","Honeycomb","Ice Cream Sandwich")privateval_filteredItems=MutableStateFlow(items)varfilteredItems:StateFlow<List<String>>=_filteredItemsfunfilterText(input:String){// This filter returns the full items list when input is an empty string._filteredItems.value=items.filter{it.contains(input,ignoreCase=true)}}}
Il codice ViewModel esegue l'astrazione del lavoro di filtro dal composable.
ViewModel contiene sia gli elenchi originali che quelli filtrati. Definisce un elenco di elementi e un MutableStateFlow per contenere gli elementi filtrati.
La funzione filterText filtra l'elenco in base alla stringa di input fornita e aggiorna lo stato filteredItems, che viene passato nuovamente all'interfaccia utente.
Mostra un OutlinedTextField per l'input dell'utente e un LazyColumn per visualizzare gli elementi dell'elenco filtrato.
Raccoglie il flusso di stato filteredItems da ViewModel e lo converte
in un oggetto State consapevole del ciclo di vita.
collectAsStateWithLifecycle raccoglie il valore più recente daStateFlow e ricompone l'interfaccia utente quando il valore cambia.
text by rememberSaveable { mutableStateOf("") } crea una variabile di stato
text per contenere il testo corrente inserito nel campo di testo del filtro.
rememberSaveable mantiene il valore del testo durante le modifiche alla configurazione.
La parola chiave by delega il valore del testo alla proprietà value dell'oggetto
MutableState.
OutlinedTextField chiama la funzione filterText dal modello di visualizzazione quando le modifiche al testo attivano il callback onValueChange.
Risultato
Figura 1. Un elenco filtrato che si aggiorna man mano che viene inserito nuovo testo.
Raccolte che contengono questa guida
Questa guida fa parte di queste raccolte di guide rapide selezionate che coprono obiettivi di sviluppo Android più ampi:
Richiedi input utente
Scopri come implementare modi per consentire agli utenti di interagire con la tua app inserendo testo e utilizzando altri metodi di inserimento.
I campioni di contenuti e codice in questa pagina sono soggetti alle licenze descritte nella Licenza per i contenuti. Java e OpenJDK sono marchi o marchi registrati di Oracle e/o delle sue società consociate.
Ultimo aggiornamento 2025-02-06 UTC.
[[["Facile da capire","easyToUnderstand","thumb-up"],["Il problema è stato risolto","solvedMyProblem","thumb-up"],["Altra","otherUp","thumb-up"]],[["Mancano le informazioni di cui ho bisogno","missingTheInformationINeed","thumb-down"],["Troppo complicato/troppi passaggi","tooComplicatedTooManySteps","thumb-down"],["Obsoleti","outOfDate","thumb-down"],["Problema di traduzione","translationIssue","thumb-down"],["Problema relativo a esempi/codice","samplesCodeIssue","thumb-down"],["Altra","otherDown","thumb-down"]],["Ultimo aggiornamento 2025-02-06 UTC."],[],[],null,["\u003cbr /\u003e\n\nThis guide explains how to filter through a list of strings based on text input\nin Jetpack Compose. Use this approach to dynamically update a list based on user\nsearch queries.\n\nVersion compatibility\n\nThis implementation works with Compose versions 1.2.0 and higher.\n\nDependencies\n\nInclude the following dependencies in your `build.gradle`:\n\nFilter a list based on text input\n\nTogether, the following snippets produce a list that updates in real time as the\nuser types. This example uses a [`ViewModel`](/reference/androidx/lifecycle/ViewModel)\nto hold the list data and filtering logic, while the `FilterTextView()` function\ncreates the UI that updates automatically whenever the filter text changes.\n\n\n```kotlin\nclass FilterTextViewModel : ViewModel() {\n private val items = listOf(\n \"Cupcake\",\n \"Donut\",\n \"Eclair\",\n \"Froyo\",\n \"Gingerbread\",\n \"Honeycomb\",\n \"Ice Cream Sandwich\"\n )\n\n private val _filteredItems = MutableStateFlow(items)\n var filteredItems: StateFlow\u003cList\u003cString\u003e\u003e = _filteredItems\n\n fun filterText(input: String) {\n // This filter returns the full items list when input is an empty string.\n _filteredItems.value = items.filter { it.contains(input, ignoreCase = true) }\n }\n}https://github.com/android/snippets/blob/e4396f6dd13aaa8099c4baa671cdd549a10f201c/compose/snippets/src/main/java/com/example/compose/snippets/text/FilterText.kt#L42-L60\n```\n\n\u003cbr /\u003e\n\nKey points about the code\n\n- The `ViewModel` code abstracts the filtering work away from the composable.\n- The `ViewModel` holds both the original and filtered lists. It defines a list of items and a `MutableStateFlow` to hold the filtered items.\n- The `filterText` function filters the list based on the provided input string and updates the `filteredItems` state, which is passed back into the UI.\n\n\n```kotlin\n@Composable\nfun FilterTextView(modifier: Modifier = Modifier, viewModel: FilterTextViewModel = viewModel()) {\n val filteredItems by viewModel.filteredItems.collectAsStateWithLifecycle()\n var text by rememberSaveable { mutableStateOf(\"\") }\n\n Column(\n modifier = Modifier\n .fillMaxSize()\n .padding(all = 10.dp)\n ) {\n OutlinedTextField(\n value = text,\n onValueChange = {\n text = it\n viewModel.filterText(text)\n },\n label = { Text(\"Filter Text\") },\n modifier = Modifier.fillMaxWidth()\n )\n\n LazyColumn {\n items(\n count = filteredItems.size,\n key = { index -\u003e filteredItems[index] }\n ) {\n ListItem(\n headlineContent = { Text(filteredItems[it]) },\n modifier = Modifier\n .fillParentMaxWidth()\n .padding(10.dp)\n )\n }\n }\n }\n}https://github.com/android/snippets/blob/e4396f6dd13aaa8099c4baa671cdd549a10f201c/compose/snippets/src/main/java/com/example/compose/snippets/text/FilterText.kt#L64-L98\n```\n\n\u003cbr /\u003e\n\nKey points about the code\n\n- Displays an [`OutlinedTextField`](/reference/kotlin/androidx/compose/material3/package-summary#OutlinedTextField(androidx.compose.ui.text.input.TextFieldValue,kotlin.Function1,androidx.compose.ui.Modifier,kotlin.Boolean,kotlin.Boolean,androidx.compose.ui.text.TextStyle,kotlin.Function0,kotlin.Function0,kotlin.Function0,kotlin.Function0,kotlin.Function0,kotlin.Function0,kotlin.Function0,kotlin.Boolean,androidx.compose.ui.text.input.VisualTransformation,androidx.compose.foundation.text.KeyboardOptions,androidx.compose.foundation.text.KeyboardActions,kotlin.Boolean,kotlin.Int,kotlin.Int,androidx.compose.foundation.interaction.MutableInteractionSource,androidx.compose.ui.graphics.Shape,androidx.compose.material3.TextFieldColors)) for user input and a [`LazyColumn`](/reference/kotlin/androidx/compose/foundation/lazy/package-summary#LazyColumn(androidx.compose.ui.Modifier,androidx.compose.foundation.lazy.LazyListState,androidx.compose.foundation.layout.PaddingValues,kotlin.Boolean,androidx.compose.foundation.layout.Arrangement.Vertical,androidx.compose.ui.Alignment.Horizontal,androidx.compose.foundation.gestures.FlingBehavior,kotlin.Boolean,androidx.compose.foundation.OverscrollEffect,kotlin.Function1)) to display the filtered list items.\n- Collects the `filteredItems` state flow from the `ViewModel` and converts it into a lifecycle-aware `State` object.\n - [`collectAsStateWithLifecycle`](/reference/kotlin/androidx/lifecycle/compose/package-summary#(kotlinx.coroutines.flow.StateFlow).collectAsStateWithLifecycle(androidx.lifecycle.Lifecycle,androidx.lifecycle.Lifecycle.State,kotlin.coroutines.CoroutineContext)) collects the latest value from the `StateFlow` and recomposes the UI when the value changes.\n- `text by rememberSaveable { mutableStateOf(\"\") }` creates a state variable `text` to hold the current text entered in the filter text field.\n - `rememberSaveable` preserves the value of text across configuration changes.\n - The `by` keyword delegates the value of text to the value property of the `MutableState` object.\n- `OutlinedTextField` calls the `filterText` function from the view model when text changes trigger the `onValueChange` callback.\n\nResult\n\n\u003cbr /\u003e\n\n**Figure 1.** A filtered list that updates as new text is entered.\n\n\u003cbr /\u003e\n\nCollections that contain this guide\n\nThis guide is part of these curated Quick Guide collections that cover\nbroader Android development goals: \n\nRequest user input \nLearn how to implement ways for users to interact with your app by entering text and using other means of input. \n[Quick guide collection](/develop/ui/compose/quick-guides/collections/request-user-input) \n\nHave questions or feedback \nGo to our frequently asked questions page and learn about quick guides or reach out and let us know your thoughts. \n[Go to FAQ](/quick-guides/faq) [Leave feedback](https://issuetracker.google.com/issues/new?component=1573691&template=1993320)"]]