我在将函数传递给React
中的子项时遇到了问题。我在stackoverflow
上阅读了多个线程,讨论将这些函数绑定到this
或使用arrow
函数,但仍然无法解决它。基本上我需要将名为datum
的函数传递给d3.select().datum()
:
class BarChart extends React.Component {
constructor(props){
super(props)
this.createBarChart = this.createBarChart.bind(this)
}
componentDidMount() {
this.createBarChart()
}
componentDidUpdate() {
this.createBarChart()
}
createBarChart() {
console.log("In createBarChart: " + this.props.datum);
const node = this.node
nv.addGraph(function() {
var chart = nv.models.discreteBarChart()
.x(function(d) { return d.label })
.y(function(d) { return d.value })
.staggerLabels(true)
//.staggerLabels(historicalBarChart[0].values.length > 8)
.showValues(true)
.duration(250)
;
d3.select(node)
.datum(this.props.datum)
.call(chart);
nv.utils.windowResize(chart.update);
return chart;
});
}
render() {
return <svg ref={node => this.node = node}
width={1000} height={500}>
</svg>
}
}
module.exports = BarChart;
在上面的代码中 d3.select(node) .datum(this.props.datum) .call(图表); 原因
TypeError:this.props未定义
我试图通过以下方式将datum
函数传递给BarChart
组件:
import datum from './datum'
class App extends React.Component {
render() {
return (
<DefaultLayout title={this.props.title}>
<div>Hello {this.props.name}</div>
<div className='App'>
<BarChart datum = { datum.bind(this) }/>
</div>
</DefaultLayout>
);
}
}
module.exports = App;
我曾尝试<BarChart datum = { () => this.datum() }/>
,但没有运气。然后,在datum
组件的constructor
中绑定BarChart
函数,类似于createBarChart
函数:
constructor(props){
super(props)
this.createBarChart = this.createBarChart.bind(this)
this.props.datum = this.props.datum.bind(this)
}
我从datum
作为模块导入的datum.js
函数如下所示:
var datum = function datumFunc() {
return [
{
key: "Cumulative Return",
values: [
...
]
}
]
}
export default datum
任何建议都将不胜感激。
答案 0 :(得分:1)
您传递给nv.addGraph
的匿名函数未绑定,因此调用该函数时this
超出范围。
nv.addGraph(function() {
var chart = nv.models.discreteBarChart()
.x(function(d) { return d.label })
.y(function(d) { return d.value })
.staggerLabels(true)
//.staggerLabels(historicalBarChart[0].values.length > 8)
.showValues(true)
.duration(250)
;
d3.select(node)
.datum(this.props.datum)
.call(chart);
nv.utils.windowResize(chart.update);
return chart;
}.bind(this));
//^^^^^^^^^^ would fix it
或者,您可以为该函数指定一个名称并将其绑定在构造函数中,就像您已经使用createBarChart
一样。