-1

我正在尝试将倒数计时器的此代码从 javascript 切换到 jquery,以便我可以在具有不同 div id 的同一页面中包含超过 1 个倒数计时器..

我不擅长 javascript 或 jquery,我发誓我为此浪费了超过 15 个小时!

这是主页代码

<script language="JavaScript">
TargetDate = "06/25/2013 5:00 AM";
CurrentDate = "<?= strftime('%c') ?>";
CountActive = true;
CountStepper = -1;
LeadingZero = true;
DisplayFormat = "%%D%% Days, %%H%% Hours, %%M%% Minutes, %%S%% Seconds.";
FinishMessage = "It is finally here!";
</script>
<script src="js/countdown.js" type="text/javascript"></script>

倒计时.js 文件

function calcage(secs, num1, num2) {
  s = ((Math.floor(secs/num1))%num2).toString();
  if (LeadingZero && s.length < 2)
    s = "0" + s;
  return "<b>" + s + "</b>";
}

function CountBack(secs) {
  if (secs < 0) {
    document.getElementById("cntdwn").innerHTML = FinishMessage;
    return;
  }
  DisplayStr = DisplayFormat.replace(/%%D%%/g, calcage(secs,86400,100000));
  DisplayStr = DisplayStr.replace(/%%H%%/g, calcage(secs,3600,24));
  DisplayStr = DisplayStr.replace(/%%M%%/g, calcage(secs,60,60));
  DisplayStr = DisplayStr.replace(/%%S%%/g, calcage(secs,1,60));

  document.getElementById("cntdwn").innerHTML = DisplayStr;
  if (CountActive)
    setTimeout("CountBack(" + (secs+CountStepper) + ")", SetTimeOutPeriod);
}

function putspan() {
 document.write("<span id='cntdwn'></span>");
}


if (typeof(CountActive)=="undefined")
  CountActive = true;
if (typeof(FinishMessage)=="undefined")
  FinishMessage = "";
if (typeof(CountStepper)!="number")
  CountStepper = -1;
if (typeof(LeadingZero)=="undefined")
  LeadingZero = true;


CountStepper = Math.ceil(CountStepper);
if (CountStepper == 0)
  CountActive = false;
var SetTimeOutPeriod = (Math.abs(CountStepper)-1)*1000 + 990;
putspan();
var dthen = new Date(TargetDate);
var dnow = new Date(CurrentDate);
if(CountStepper>0)
  ddiff = new Date(dnow-dthen);
else
  ddiff = new Date(dthen-dnow);
gsecs = Math.floor(ddiff.valueOf()/1000);
CountBack(gsecs);

请问有什么帮助吗??

4

1 回答 1

0

所以我可以在具有不同 div id 的同一页面中包含 1 个以上的倒数计时器。

因此,您必须将所有这些全局配置变量作为函数的参数。并为id添加一个参数。

所以把你的整个脚本包起来

function makeCounter(DisplayId, TargetDate, CurrentDate, CountActive, CountStepper, LeadingZero, DisplayFormat, FinishMessage) {
    …
}

然后将调用(加载脚本后,因此必须更改它们的顺序)

makeCounter("cntdwn",
            "06/25/2013 5:00 AM",
            "<?= strftime('%c') ?>",
            true, -1, true,
            "%%D%% Days, %%H%% Hours, %%M%% Minutes, %%S%% Seconds.",
            "It is finally here!");

cntdwn然后用DisplayId变量替换每次出现的字符串。

这是基础,你的脚本应该可以工作,但它需要另外两个错误修正:

  • 合理使用局部变量,用var语句声明。我找到了s,DisplayStr和未声明的ddiffgsecs但我可能错过了其他的。
  • 不建议使用setTimeout待定字符串进行调用,并且仅在位于全局范围内时才有效,现在不再适用。相反,传递一个函数:evalCountBack

    setTimeout(function() {
        CountBack(secs+CountStepper);
    }, SetTimeOutPeriod);
    

现在它将起作用。为方便起见,您也可以小写变量和函数名称,因为它们不是构造函数,但没有必要。

于 2013-06-24T23:36:28.917 回答