我正在使用一个下拉列表,该列表使用moment-timezone在onclick中显示不同的时区。例如,当您单击标有“ est”的下拉菜单时,它将显示东部时间,而当您单击“ cst”时,将显示cst时间,依此类推。
无论如何,我遇到的问题是...我使用setInterval(updateTime, 1000);
来显示秒数每秒的变化,现在,当用户单击“ est”然后单击另一个时区时,这样做像“ cst”这样的下拉列表都会同时出现和消失。我想要它,所以当您单击li
元素时,屏幕上的前一个元素将具有display = none的属性。因此,例如,当您单击est时,将显示est time,然后在您单击cst时,将显示est display=none
,并显示cst time。那个满口的人。
有没有办法做到这一点,并且仍然使用1秒的setInterval
?
这是我的代码...
<div>
<li>
<ul>
<li id="tmz1">est</li>
<li id="tmz2">central</li>
<li>pacific</li>
</ul>
</li>
<div id="output1"></div>
<div id="output2"></div>
</div>
$(document).ready(function(){
var output1 = document.getElementById('output1');
var output2 = document.getElementById('output2');
document.getElementById('tmz1').onclick = function updateTime(){
output2.style.display = "none";
output1.style.display = "block";
var now = moment();
var humanReadable = now.tz("America/Los_Angeles").format('hh:mm:ssA');
output1.textContent = humanReadable;
setInterval(updateTime, 1000);
}
updateTime();
});
$(document).ready(function(){
var output2 = document.getElementById('output2');
var output1 = document.getElementById('output1');
document.getElementById('tmz2').onclick = function updateTimeX(){
output1.style.display = "none";
output2.style.display = "block";
var now = moment();
var humanReadable =
now.tz("America/New_York").format('hh:mm:ssA');
output2.textContent = humanReadable;
setInterval(updateTimeX, 1000);
}
updateTimeX();
});
答案 0 :(得分:0)
将setInterval分配给一个变量,并在用户从下拉列表中选择新值并用新值重新启动间隔时清除它
var interval = setInterval(updateTime, 1000);
if(oldValue !== newValue){
clearInterval(interval)
}
答案 1 :(得分:0)
也许这会有所帮助。我相信您使这个问题变得有些复杂。我已经在代码中提供了注释供您查看。
注意:我没有使用moment.js
,因为它对于您的任务是不必要的。
您需要:
// place to put the output
const output = document.getElementById('output');
// starting timezone
var tz = 'America/New_York';
// Capture click event on the UL (not the li)
document.getElementsByTagName('UL')[0].addEventListener('click', changeTZ);
function changeTZ(e) {
// e.target is the LI that was clicked upon
tz = e.target.innerText;
// toggle highlighted selection
this.querySelectorAll('li').forEach(el=>el.classList.remove('selected'));
e.target.classList.add('selected');
}
// set the output to the time based upon the changing TZ
// Since this is an entire datetime, remove the date with split()[1] and trim it
setInterval(() => {
output.textContent = new Date(Date.now()).toLocaleString('en-US', {timeZone: `${tz}`}).split(',')[1].trim();
}, 1000);
.selected {
background-color: lightblue;
}
<div>
<ul>
<li class="selected">America/New_York</li>
<li>America/Chicago</li>
<li>America/Los_Angeles</li>
</ul>
<div id="output"></div>
</div>