Issue
How can a selected option from a single choice menu be passed to a different composable to that it is displayed in a Text
object? Would I need to modify the selectedOption
value in some way?
@Composable
fun ScreenSettings(navController: NavController) {
Scaffold(
topBar = {...},
content = {
LazyColumn(...) {
item {
ComposableSettingTheme()
}
}
},
containerColor = ...
)
}
@Composable
fun ComposableSettingTheme() {
val singleDialog = remember { mutableStateOf(false)}
Column(modifier = Modifier
.fillMaxWidth()
.clickable(onClick = {
singleDialog.value = true
})) {
Text(text = "Theme")
Text(text = selectedOption) // selected theme name should be appearing here
if (singleDialog.value) {
AlertSingleChoiceView(state = singleDialog)
}
}
}
@Composable
fun CommonDialog(
title: String?,
state: MutableState<Boolean>,
content: @Composable (() -> Unit)? = null
) {
AlertDialog(
onDismissRequest = {
state.value = false
},
title = title?.let {
{
Column( Modifier.fillMaxWidth() ) {
Text(text = title)
}
}
},
text = content,
confirmButton = {
TextButton(onClick = { state.value = false }) { Text("OK") }
},
dismissButton = {
TextButton(onClick = { state.value = false }) { Text("Cancel") }
}
)
}
@Composable
fun AlertSingleChoiceView(state: MutableState<Boolean>) {
CommonDialog(title = "Theme", state = state) { SingleChoiceView(state = state) }
}
@Composable
fun SingleChoiceView(state: MutableState<Boolean>) {
val radioOptions = listOf("Day", "Night", "System default")
val (selectedOption, onOptionSelected) = remember { mutableStateOf(radioOptions[2]) }
Column(
Modifier.fillMaxWidth()
) {
radioOptions.forEach { themeOption ->
Row(
Modifier
.clickable(onClick = { })
.selectable(
selected = (text == selectedOption),
onClick = {onOptionSelected(text)}
)
) {
RadioButton(
selected = (text == selectedOption),
onClick = { onOptionSelected(text) }
)
Text(text = themeOption)
}
}
}
}
Update
Solution
According to official documentation, you should use state hoisting pattern.
Thus:
Just take out
selectedOption
local variable to the "highest point of it's usage" (you use it inSingleChoiceView
andComposableSettingTheme
methods) -ScreenSettings
method.Then, add
selectedOption: String
andonSelectedOptionChange: (String) -> Unit
parameters toSingleChoiceView
andComposableSettingTheme
(You can get more info in documentation).Refactor your code using this new parameters:
Pass
selectedOption
local variable fromScreenSettings
intoSingleChoiceView
andComposableSettingTheme
.Write logic of
onSelectedOptionChange
- change local variable to new passed value
Hope I helped you!
Answered By - Roman Popov
0 comments:
Post a Comment
Note: Only a member of this blog may post a comment.