// var GAP = 1000 * 60 * 60 * 8;
var GAP = 1000 * 10;
var visted = $cookies.get('surveyVisitedCount');
var timestamp = new Date().getTime();
var oldtime = $cookies.get('surveyTimestamp');
if(oldtime !== undefined) {
if((timestamp - GAP) > parseInt(oldtime, 10)) {
// increment
console.log('Need to increment!');
// increment visits cookie, then check if it's past 3
if (visted < 3){
$cookies.put('surveyVisitedCount', visted++);
console.log('visted1' , visted);
} else {
//we add the banner
console.log('we add the banner');
console.log('visted2' , visted);
}
}else{
console.log('dont need to increment');
}
}
$cookies.put('surveyTimestamp', timestamp);
}
我正在尝试添加一个带计数器的横幅。当用户在一定时间内访问该站点时,他们被要求填写调查表。 问题是我似乎无法让计数器不断增加。我能做错什么?感谢。
答案 0 :(得分:0)
您对时间戳和访问次数使用相同的密钥surveyTimestamp
。使用不同的密钥(例如surveyTimestamp
和surveyVisitedCount
,你会很好)
答案 1 :(得分:0)
有一种更简单的方法来实现这一点,我认为可以做你想要的,而不使用Date()
或cookie。
JavaScript有各种计时功能,其中一个是setTimeOut()
。这每隔n
毫秒重复执行一次函数。使用这种方法,我们只需要将timer变量初始化为0并按我们所需的间隔递增它。例如,如果我们想要每秒递增,然后在达到某个值(即45秒)时停止:
var timerValue = 0; // Initialize timer to 0.
var timer;
function startTimer(timerValue) {
var nextIncrement = function() {
incrementTimer(timerValue);
};
timer = setTimeout(nextIncrement, 1000); // Increments every second (1000 ms = 1 s)
}
function incrementTimer(timerValue) {
timerValue = timerValue + 1; // This does the actual incrementing.
startTimer(timerValue); // Pass the current timer value to startTimer for next increment.
console.log(timerValue); // Print values out to the console.
// ADDED
if (timerValue == 45) {
clearTimeout(timer); // Stop the timer.
console.log("Show survey."); // Show the survey.
}
//
}
startTimer(timerValue); // Kick off the timer.