2

我试图弄清楚如何将反应状态设置为数据库的值。我正在使用Dexie.js

var Duck = React.createClass({
getInitialState:function(){
return { century:'' }
},

fridge:function(){

var db = new Dexie('homie');
db.version(1).stores({
friends:'name, race'});

db.open().catch(function(){
alert("Open failed: ");
});

db.friends.put({name: 'Johnny', race:'hispanic'}).then(function(){
return db.friends.get('Johnny');
}).then(function(samba){
console.log(samba.race);
this.setState({century: samba.race});
});
},

render:function(){
return (<div>
<input type="submit" value="Submeet" onClick={this.fridge} />
<p>{this.state.century}</p>
</div>);
}

fridge功能有效,因为它将适当的项目放置在数据库中。代码中唯一不起作用的部分是this.setState({century:samba.race}). 这会导致Cannot read property 'setState' of undefined.

我将如何重新setState从我的数据库中获取数据?

4

1 回答 1

3

该问题与 Dexie.js 无关(顺便说一句,不错的 indexDB 包装器)。您从作为处理程序this.setState()传递给的回调中调用.then。当在 promise 上下文中调用回调时thisundefined.

要解决这个问题,您需要使用或 old显式设置this回调,或者只使用箭头函数(demo):.bindthat = this

 .then((samba) => {
    console.log(samba.race);
    this.setState({
      century: samba.race
    });
  }); 
于 2016-07-28T20:06:59.090 回答