android 如何将Viewmodel与Jetpack合成结合使用

icomxhvb  于 2023-01-28  发布在  Android
关注(0)|答案(2)|浏览(126)

我正在尝试将ViewModel与Jetpack组合一起使用,
通过做一个数字增量。
但是它不起作用。也许我没有以正确的方式使用视图模型。
这是我的主要活动代码

class MainActivity : ComponentActivity() {
    override fun onCreate(savedInstanceState: Bundle?) {
        super.onCreate(savedInstanceState)
        setContent {
            Greeting()
        }
    }
}

@Composable
fun Greeting(
    helloViewModel: ViewModel = viewModel()
) {
    Column(
        verticalArrangement = Arrangement.Center,
        horizontalAlignment = Alignment.CenterHorizontally,
        modifier = Modifier.fillMaxSize()
    ) {
        Text(
            text = helloViewModel.number.toString(),
            fontSize = 60.sp,
            fontWeight = FontWeight.Bold
        )
        Button(onClick = { helloViewModel.addNumber() }) {
            Text(text = "Increment Number ${helloViewModel.number}")
        }

    }
}

@Preview(showBackground = true)
@Composable
fun DefaultPreview() {
    JetpackcomposepracticeTheme {
        Greeting()
    }
}

这是我的Viewmodel类。
它可以很好地与xml一起工作。
如何创建视图模型的对象:

class ViewModel: ViewModel() {
    var number : Int = 0
    fun addNumber(){
        number++
    }
}
3j86kqsm

3j86kqsm1#

当某些具有可变状态值的容器更改时,合成可以重新合成。您可以使用mutableStateOf()mutableStateListOf()等手动创建它,也可以通过 Package Flow/LiveData来创建它。

class ViewModel: ViewModel() {
    var number : Int by mutableStateOf(0)
        private set

    fun addNumber(){
        number++
    }
}

我建议您从compose documentation中的state开始,包括解释基本原理的this youtube video

8dtrkrch

8dtrkrch2#

我将Hilt与视图模型沿着使用。下面是另一种使用方法

@Composable
fun PokemonListScreen(
    navController: NavController
) {

    val viewModel = hiltViewModel<PokemonListVm>()
    val lazyPokemonItems: LazyPagingItems<PokedexListEntry> = viewModel.pokemonList.collectAsLazyPagingItems()

   
}

我使用这个组合体而不是片段,并在父对象中保留一个对组合体的引用

相关问题