我正在尝试创建一个反应组件来呈现滴答作响的时钟。我正在使用不同时区的时刻和时刻。我能够使用静态时钟创建一个组件(不增加),但我无法创建一个滴答时钟。代码如下:
import React from 'react';
import ReactDOM from 'react-dom';
import $ from 'jquery';
import moment from 'moment';
import 'moment-timezone';
export default class TimeClock extends React.Component {
constructor(props) {
super(props);
this.state = { time: moment().clone().tz(this.props.timezone).toLocaleString() };
this.displayTime = this.displayTime.bind(this);
}
displayTime(){
//let now = moment();
//let location = now.clone().tz(this.props.timezone);
this.setState({
time: moment().clone().tz(this.props.timezone).toLocaleString()
});
//return location.toLocaleString();
}
render(){
//let now = moment();
//let location = now.clone().tz(this.props.timezone);
//let timezone = this.props.timezone;
return (
<div>
<p>{this.props.timezone}</p>
<p>{setInterval(this.displayTime,1000)}</p>
</div>
);
}
}
注意:它从父组件App.js传递一个prop(时区)。
当前代码输出以下内容:
Australia/Melbourne
#######
其中#######代表一些从5或6开始并且正在快速增长的数字。
有人可以解释我做错了吗?
编辑:发布此问题后不久,我找到了以下链接(Where to apply my moment() function in a react component?),我已根据我的代码调整并使其正常工作,但我不明白为什么我的尝试不起作用。我很反应。
答案 0 :(得分:4)
您的代码不会呈现与当前时间相关的任何内容。这一行:
<p>{setInterval(this.displayTime,1000)}</p>
不打印当前时间 - 它显示创建的间隔ID,因为这是setInterval()
函数返回的内容。
因此,首先,您应该根据Component的状态更改此行以显示时间。这可以这样做:
<p>{this.state.time}</p>
您需要做的另一件事是正确创建间隔。在render()
方法中设置它不是一个好主意,因为您将创建一个新的间隔
componentDidMount() {
// Arrow function allows you to use "this" in context of the Component
this.interval = setInterval(() => {
this.displayTime();
}), 1000);
}
(您还应该记得在从视图中删除组件后停用间隔。)