我想知道= +_操作符在JavaScript中是什么意思。它看起来像是在做作业。
例子:
hexbin.radius = function(_) {
if (!arguments.length)
return r;
r = +_;
dx = r * 2 * Math.sin(Math.PI / 3);
dy = r * 1.5;
return hexbin;
};
我想知道= +_操作符在JavaScript中是什么意思。它看起来像是在做作业。
例子:
hexbin.radius = function(_) {
if (!arguments.length)
return r;
r = +_;
dx = r * 2 * Math.sin(Math.PI / 3);
dy = r * 1.5;
return hexbin;
};
当前回答
不是=+。在JavaScript中,+表示将其更改为数字。
+'32'返回32。
+“a”南。
因此,您可以使用isNaN()来检查它是否可以更改为number。
其他回答
r = +_;
+尝试将_转换为一个数字。 _只是一个变量名(不是一个操作符),它可以是a, foo等。
例子:
+"1"
将“1”转换为纯数字1。
var _ = "1";
var r = +_;
R现在是1,不是1。
此外,根据MDN的算术运算符页面:
一元加号运算符在其操作数之前,求值为its 操作数,但如果不是,则尝试将其转换为数字 了。[…它可以转换整数和的字符串表示 浮动,以及非字符串值true, false和null。 十进制和十六进制(“0x”前缀)格式的整数都是 支持。支持负数(但不支持十六进制)。如果它 不能解析一个特定的值,它将计算为NaN。
还注意到
一元加号是将数字转换为数字的最快和首选的方法
不是=+。在JavaScript中,+表示将其更改为数字。
+'32'返回32。
+“a”南。
因此,您可以使用isNaN()来检查它是否可以更改为number。
简单地说,+_相当于使用Number()构造函数。
事实上,它甚至适用于约会:
var d = new Date('03/27/2014');
console.log(Number(d)) // returns 1395903600000
console.log(+d) // returns 1395903600000
演示: http://jsfiddle.net/dirtyd77/GCLjd/
更多信息也可以在MDN - Unary plus(+)部分找到:
The unary plus operator precedes its operand and evaluates to its operand but attempts to converts it into a number, if it isn't already. Although unary negation (-) also can convert non-numbers, unary plus is the fastest and preferred way of converting something into a number, because it does not perform any other operations on the number. It can convert string representations of integers and floats, as well as the non-string values true, false, and null. Integers in both decimal and hexadecimal ("0x"-prefixed) formats are supported. Negative numbers are supported (though not for hex). If it cannot parse a particular value, it will evaluate to NaN.
我想你的意思是r = +_;?在这种情况下,它将参数转换为数字。假设_是'12.3',那么+'12.3'返回12.3。所以在引用语句中+_被赋值给r。
_只是一个变量名,作为函数hexbin的参数传递。半径,并将其转换为数字
让我举一个和你的函数一样的例子。
var hexbin = {},r ;
hexbin.radius = function(_) {
if (!arguments.length)
return r;
console.log( _ , typeof _ )
r = +_;
console.log( r , typeof r , isNaN(r) );
}
并运行这个示例函数..的输出
hexbin.radius( "1");
1 string
1 number false
hexbin.radius( 1 );
1 number
1 number false
hexbin。半径([]);
[] object
0 number false
hexbin。半径('a');
a string
NaN number true
hexbin。半径({});
Object {} object
NaN number true
hexbin。半径(真);
true boolean
1 number false