迈出了我的第一个小步骤,学习了Rect Native,并且一直坚持这些错误。当我点击项目时:
我收到这些错误:
这是我的React Native代码:
import React, { Component } from 'react';
import {
AppRegistry,
Text,
View,
ListView,
StyleSheet,
TouchableHighlight
} from 'react-native';
export default class Component5 extends Component {
constructor(){
super();
const ds = new ListView.DataSource({rowHasChanged: (r1, r2) => r1 !== r2});
this.state = {
userDataSource: ds
};
this._onPress = this._onPress.bind(this);
}
_onPress(user){
console.log(user);
}
renderRow(user, sectionId, rowId, hightlightRow){
return(
<TouchableHighlight onPress={() => {this._onPress(user)}}>
<View style={styles.row}>
<Text style={styles.rowText}>{user.name}: {user.email}</Text>
</View>
</TouchableHighlight>
)
}
fetchUsers(){
fetch('https://jsonplaceholder.typicode.com/users')
.then((response) => response.json())
.then((response) => {
this.setState({
userDataSource: this.state.userDataSource.cloneWithRows(response)
});
});
}
componentDidMount(){
this.fetchUsers();
}
render() {
return (
<ListView
style={styles.listView}
dataSource={this.state.userDataSource}
renderRow={this.renderRow.bind()}
/>
);
}
}
const styles = StyleSheet.create({
listView: {
marginTop: 40
},
row: {
flexDirection: 'row',
justifyContent: 'center',
padding: 10,
backgroundColor: 'blue',
marginBottom: 3
},
rowText: {
flex: 1,
color: 'white'
}
})
AppRegistry.registerComponent('Component5', () => Component5);
非常感谢任何意见!
答案 0 :(得分:2)
新手错误 - 忘记在组件中正确绑定renderRow。我写道:
renderRow={this.renderRow.bind()}
当然应该是:
renderRow={this.renderRow.bind(this)}
答案 1 :(得分:1)
您正试图在许多不同的地方绑定this
,但例如在renderRow={this.renderRow.bind()}
中没有绑定任何东西。您有时也使用箭头函数语法..
我建议你使用类方法的箭头函数语法,这样你就不必再绑定this
(这是箭头式函数语法的一个特性),即
this._onPress = this._onPress.bind(this);
_onPress
重写为_onPress = user => console.log(user);
<TouchableHighlight onPress={() => this._onPress(user)}>
您可以使用所有其他类方法执行此操作,而不必再次使用.bind(this)
。