类型错误: 无法读取 null 的属性"不透明度"



当我将鼠标悬停在React recharts中的图例上时,我正在尝试实现不透明度更改:https://jsfiddle.net/alidingling/1p40zzfe/

然而,我总是收到错误:TypeError:无法读取null的属性"opacity"。为什么?导致问题的是Legend组件,该组件具有行"OnMouseEnter"one_answers"OnMouse Leave"。

感谢

class EducationPageRouter extends React.Component{
getInitialState() {
return {
opacity: {
car: 1,
phone: 1,
},
};
}
handleMouseEnter(o) {
const { dataKey } = o;
const { opacity } = this.state;
this.setState({
opacity: { ...opacity, [dataKey]: 0.5 },
});
}
handleMouseLeave(o) {
const { dataKey } = o;
const { opacity } = this.state;
this.setState({
opacity: { ...opacity, [dataKey]: 1 },
});
}
render() {
const { opacity } = this.state;
return (
<Card>
<CardContent>
<Typography variant="title" color="primary" gutterBottom="true">
Sales Information Display
</Typography>
<Typography variant="header1" color="primary" gutterBottom="true">
Line Graph - Number of Sales to Date Time
</Typography>
<Button variant="raised" color="primary">
Switch
</Button>
<ResponsiveContainer width="95%" aspect={9.5/3.8}>
<LineChart
data={formattedSales}
margin={{ top:5, right:10, bottom:5, left:20 }}
>
<XAxis
dataKey="date"
padding={{ left:0, right:50 }}
style={{ fontFamily: "Roboto, sans-serif" }}
tick={{ fontSize: "12.5px"}}
/>
<YAxis
dataKey="car"
/>
<CartesianGrid
stroke="#f5f5f5"
strokeDasharray="2.5 2.5"
/>
<Tooltip
wrapperStyle={{ fontFamily: "Roboto, sans-serif" }}
/>
<Legend
onMouseEnter={this.handleMouseEnter} 
onMouseLeave={this.handleMouseLeave}
wrapperStyle={{ fontFamily: "Roboto, sans-serif" }}
verticalAlign="bottom"
height={40}
/>
<Line
type="monotone"
dataKey="car"
stroke="#4169e1"
/>
<Line
type="monotone"
dataKey="phone"
stroke="#fa8072"
/>
</LineChart>
</ResponsiveContainer>
</CardContent>
</Card>
)
}
}

getInitialState只能与createReactClass一起使用,因此您的状态将为null。您可以改为在构造函数中设置初始状态,或者使用类属性。

您的事件处理程序handleMouseEnterhandleMouseLeave没有绑定,因此this将不是您所期望的。解决此问题的一种方法是将它们绑定到构造函数中的this,或者使它们成为属性初始化的箭头函数。

class EducationPageRouter extends React.Component {
state = {
opacity: {
car: 1,
phone: 1,
}
};
handleMouseEnter = o => {
const { dataKey } = o;
const { opacity } = this.state;
this.setState({
opacity: { ...opacity, [dataKey]: 0.5 }
});
};
handleMouseLeave = o => {
const { dataKey } = o;
const { opacity } = this.state;
this.setState({
opacity: { ...opacity, [dataKey]: 1 }
});
};
// ...
}

最新更新