我试图每秒按给定值递增一个数字,并使用JavaScript或JQuery保留格式
我正在努力做到这一点。
说我有一个这样的数字:
1412015
每秒可以递增的数字是可变的,它可以是0.1到2之间的任何值。
是否有可能,如果它必须每秒增加的值是0.54,以增加数字并具有以下输出:
1412016
1412017个
1412018
由于
EEF
答案 0 :(得分:3)
我不太确定我理解你的增量情况以及你想要展示的内容。 但是,我决定使用一种格式化数字的解决方案。
我有两个版本的数字格式例程,一个解析数组,另一个用正则表达式格式化。我承认他们不是最容易阅读的,但我很乐意接受这种方法。
我试图描述带有评论的行,以防你好奇
数组解析版本:
function formatNum(num) {
//Convert a formatted number to a normal number and split off any
//decimal places if they exist
var parts = String( num ).replace(/[^\d.]-/g,'').split('.');
//turn the string into a character array and reverse
var arr = parts[0].split('').reverse();
//initialize the return value
var str = '';
//As long as the array still has data to process (arr.length is
//anything but 0)
//Use a for loop so that it keeps count of the characters for me
for( var i = 0; arr.length; i++ ) {
//every 4th character that isn't a minus sign add a comma before
//we add the character
if( i && i%3 == 0 && arr[0] != '-' ) {
str = ',' + str ;
}
//add the character to the result
str = arr.shift() + str ;
}
//return the final result appending the previously split decimal place
//if necessary
return str + ( parts[1] ? '.'+parts[1] : '' );
}
正则表达式版本:
function formatNum(num) {
//Turn a formatted number into a normal number and separate the
//decimal places
var parts = String( num ).replace(/[^\d.]-/g,'').split('.');
//reverse the string
var str = parts[0].split('').reverse().join('');
//initialize the return value
var retVal = '';
//This gets complicated. As long as the previous result of the regular
//expression replace is NOT the same as the current replacement,
//keep replacing and adding commas.
while( retVal != (str = str.replace(/(\d{3})(\d{1,3})/,'$1,$2')) ) {
retVal = str;
}
//If there were decimal points return them back with the reversed string
if( parts[1] ) {
return retVal.split('').reverse().join('') + '.' + parts[1];
}
//return the reversed string
return retVal.split('').reverse().join('');
}
假设您希望每秒输出一个格式化的数字,增加0.54,您可以使用间隔进行增量和输出。
仅使用Firebug的超短Firefox:
var num = 1412015;
setInterval(function(){
//Your 0.54 value... why? I don't know... but I'll run with it.
num += 0.54;
console.log( formatNum( num ) );
},1000);
您可以在此处查看所有内容:http://jsbin.com/opoze
答案 1 :(得分:2)
要每秒增加一个值,请使用此结构:
var number = 0; // put your initial value here
function incrementNumber () {
number += 1; // you can increment by anything you like here
}
// this will run incrementNumber() every second (interval is in ms)
setInterval(incrementNumber, 1000);
这将为您格式化数字:
function formatNumber(num) {
num = String(num);
if (num.length <= 3) {
return num;
} else {
var last3nums = num.substring(num.length - 3, num.length);
var remindingPart = num.substring(0, num.length - 3);
return formatNumber(remindingPart) + ',' + last3nums;
}
}
答案 2 :(得分:1)
function rounded_inc(x, n) {
return x + Math.ceil(n);
}
var x = 1412015;
x = rounded_inc(x, 0.54);