React Native - 状态


React Components 内部的数据由stateprops管理。在本章中,我们将讨论状态

状态和道具之间的区别

状态是可变的,而props不可变的。这意味着state可以在将来更新,而 props 则不能更新。

使用状态

这是我们的根组件。我们只是导入将在大多数章节中使用的Home 。

应用程序.js

import React from 'react';
import { StyleSheet, Text, View } from 'react-native';

export default class App extends React.Component {
   state = {
      myState: 'Lorem ipsum dolor sit amet, consectetur adipisicing elit, used do eiusmod
      tempor incididunt ut labore et dolore magna aliqua. Ut enim ad minim veniam, quis
      nostrud exercitation ullamco laboris nisi ut aliquip ex ea commodo consequat.
      Duis aute irure dolor in reprehenderit in voluptate velit esse cillum dolore eu
      fugiat nulla pariatur. Excepteur sint occaecat cupidatat non proident, sunt in
      culpa qui officia deserunt mollit anim id est laborum.'
   }
   render() {
      return (
      <View>
         <Text> {this.state.myState} </Text>
      </View>
      );
   }
}

我们可以在模拟器文本中看到状态,如下图所示。

反应本机状态

更新状态

由于状态是可变的,我们可以通过创建deleteState函数并使用onPress = {this.deleteText}事件调用它来更新它。

主页.js

import React, { Component } from 'react'
import { Text, View } from 'react-native'

class Home extends Component {
   state = {
      myState: 'Lorem ipsum dolor sit amet, consectetur adipisicing elit, sed 
         do eiusmod tempor incididunt ut labore et dolore magna aliqua.
         Ut enim ad minim veniam, quis nostrud exercitation ullamco laboris nisi
         ut aliquip ex ea commodo consequat. Duis aute irure dolor in reprehenderit 
         in voluptate velit esse cillum dolore eu fugiat nulla pariatur.
         Excepteur sint occaecat cupidatat non proident, sunt in culpa qui officia
         deserunt mollit anim id est laborum.'
   }
   updateState = () ⇒ this.setState({ myState: 'The state is updated' })
   render() {
      return (
         <View>
            <Text onPress = {this.updateState}>
               {this.state.myState}
            </Text>
         </View>
      );
   }
}
export default Home;

注意- 在所有章节中,我们将使用有状态(容器)组件的类语法和无状态(表示)组件的函数语法。我们将在下一章中了解有关组件的更多信息。

我们还将学习如何使用updateState的箭头函数语法。您应该记住,此语法使用词法范围,并且关键字将绑定到环境对象(类)。这有时会导致意外的Behave。

定义方法的另一种方法是使用 EC5 函数,但在这种情况下,我们需要在构造函数中手动绑定它。请考虑以下示例来理解这一点。

class Home extends Component {
   constructor() {
      super()
      this.updateState = this.updateState.bind(this)
   }
   updateState() {
      //
   }
   render() {
      //
   }
}