ColdFusion 太大而不是整数
ColdFusion too big to be an integer
我正在尝试将大量数据转换为兆字节。我不要小数
numeric function formatMB(required numeric num) output="false" {
return arguments.num \ 1024 \ 1024;
}
然后抛出错误
我该如何解决这个问题?
您不能更改 Long 的大小,这是 CF 用于整数的大小。所以你需要 BigInteger 代替:
numeric function formatMB(required numeric num) {
var numberAsBigInteger = createObject("java", "java.math.BigInteger").init(javacast("string", num));
var mbAsBytes = 1024 ^ 2;
var mbAsBytesAsBigInteger = createObject("java", "java.math.BigInteger").init(javacast("string", mbAsBytes));
var numberInMb = numberAsBigInteger.divide(mbAsBytesAsBigInteger);
return numberInMb.longValue();
}
CLI.writeLn(formatMB(2147483648));
但正如 Leigh 所指出的...对于您正在做的事情,您最好还是这样做:
return floor(arguments.num / (1024 * 1024));
the size of a Long, which is what CF uses for integers
对于那些可能没有阅读评论的人的小修正。 CF主要使用32 bit signed Integers, not Long (which has a much greater capacity). So as the error message indicates, the size limit here is the capacity of an Integer:
- Integer.MAX_VALUE =
2147483647
- Long.MAX_VALUE =
9223372036854775807
值得注意的是,虽然CF比较无类型,但是一些Math和Date函数也有同样的局限性。例如,虽然 DateAdd 在技术上支持毫秒,但如果您尝试使用非常大的数字:
// getTime() - returns number of milliseconds since January 1, 1970
currentDate = dateAdd("l", now().getTime(), createDate(1970,1,1));
... 它将失败并出现完全相同的错误,因为 "number" 参数必须是整数。因此,请注意文档中是否提到 "Integer" 是预期的。它不仅仅意味着 "number" 或 "numeric" ...
我正在尝试将大量数据转换为兆字节。我不要小数
numeric function formatMB(required numeric num) output="false" {
return arguments.num \ 1024 \ 1024;
}
然后抛出错误
我该如何解决这个问题?
您不能更改 Long 的大小,这是 CF 用于整数的大小。所以你需要 BigInteger 代替:
numeric function formatMB(required numeric num) {
var numberAsBigInteger = createObject("java", "java.math.BigInteger").init(javacast("string", num));
var mbAsBytes = 1024 ^ 2;
var mbAsBytesAsBigInteger = createObject("java", "java.math.BigInteger").init(javacast("string", mbAsBytes));
var numberInMb = numberAsBigInteger.divide(mbAsBytesAsBigInteger);
return numberInMb.longValue();
}
CLI.writeLn(formatMB(2147483648));
但正如 Leigh 所指出的...对于您正在做的事情,您最好还是这样做:
return floor(arguments.num / (1024 * 1024));
the size of a Long, which is what CF uses for integers
对于那些可能没有阅读评论的人的小修正。 CF主要使用32 bit signed Integers, not Long (which has a much greater capacity). So as the error message indicates, the size limit here is the capacity of an Integer:
- Integer.MAX_VALUE =
2147483647
- Long.MAX_VALUE =
9223372036854775807
值得注意的是,虽然CF比较无类型,但是一些Math和Date函数也有同样的局限性。例如,虽然 DateAdd 在技术上支持毫秒,但如果您尝试使用非常大的数字:
// getTime() - returns number of milliseconds since January 1, 1970
currentDate = dateAdd("l", now().getTime(), createDate(1970,1,1));
... 它将失败并出现完全相同的错误,因为 "number" 参数必须是整数。因此,请注意文档中是否提到 "Integer" 是预期的。它不仅仅意味着 "number" 或 "numeric" ...