我在index.js
我的反应原生项目中有一个列表视图,如下所示。
import ResultRow from './resultRow'
class ResultList extends Component {
constructor() {
}
updateDate(){
//Some operation
}
onPressRow() {
try {
console.log("Selected!");
//Some operation
this.updateDate(); // Got undefined is not a function
} catch (error) {
console.error(error);
}
}
renderRow(rowData) {
return (
<ResultRow
onPress={this.onPressRow}
{...rowData} />
)
}
render() {
return (
<ListView
style={[styles.container, { padding: 10, backgroundColor: '#ddd' }]}
dataSource={this.state.dataSource}
renderRow={this.renderRow.bind(this)} />
);
}
}
使用此模板在resultRow.js
文件中绑定列表项,如下所示。
import React from 'react';
import { TouchableHighlight, StyleSheet, Image,View } from 'react-native';
const ResultRow = (props) => (
<TouchableHighlight onPress={() => props.onPress()}>
<View>
<Text>My Row</Text>
</View>
</TouchableHighlight >
);
export default ResultRow;
如果我从列表视图中选择一行onPress
事件被调用。并执行onPressRow
函数。从onPressRow
函数我调用另一个函数,该函数在名为&#34; updateDate
&#34;的同一个类中定义。我这样称呼this.updateDate();
但得到了undefined is not a function error
。
我做错了什么?
提前致谢。
答案 0 :(得分:1)
您需要bind
函数,因为this
没有引用代码中的相应上下文。您可以使用箭头功能
onPressRow = () => {
try {
console.log("Selected!");
//Some operation
this.updateDate();
} catch (error) {
console.error(error);
}
}
绑定函数的另一种方法是在构造函数
中设置绑定constructor() {
super();
this.onPressRow = this.onPressRow.bind(this);
}
实际上,您需要bind
任何能够使用this
来引用您的反应类的context
的函数。