The requirement is to:
Toggle to open the rows component
Highlight the selected row with a background color of cyan
However, when I click the toggle button, the App component isn't re-rendered :(
// App.js
import React, { Component } from 'react';
import {observable, action } from 'mobx';
import {observer} from 'mobx-react';
@observer class Rows extends Component {
rows() {
let { store } = this.props;
var rows = [];
for (var i = 4; i > 0; i--) {
rows.push(
<div
style={i == store.selectedRow ? { backgroundColor: "cyan" } : null }
onClick={store.selectRow.bind(this, i)}>
{ i }
</div>
)
}
return rows;
}
render() {
return (<div>{this.rows()}</div>);
}
}
class Store {
constructor(props) {
this.selectRow = this.selectRow.bind(this)
this.toggleSelector = this.toggleSelector.bind(this)
}
@observable showSelector = false;
@observable selectedRow = 4;
@action selectRow(n) {
this.selectedVersion = n;
}
@action toggleSelector() {
this.showSelector = !this.showSelector;
}
}
//edit here
const store = new Store();
@observer class App extends Component {
render() {
return (
<div className="App">
<button onClick={store.toggleSelector}>Toggle Selector</button>
{ store.showSelector ? <Rows store={store}/> : null }
</div>
);
}
}
export default App;
EDIT As per suggestions I've extracted the creation of the store outside of the component.
Update: You can try to use
@action.bound
decorator, and skipbind(this)
altogether in the constructor. My guess is manual binding is messing up the binding (no pun intended).See action.bound
Your store is not being observed because it's created inside
render()
. You need to create the store and pass it down to your component either viaprops
or MobX's Provider.