函数参数是否支持JavaScript中的默认值?

时间:2013-02-02 00:04:50

标签: javascript function arguments

在查看与移植PHP function to JavaScript相关的问题时。我看到了我认为不正确的JavaScript:

function my_isnum(str, negative=false, decimal=false)

然后我在JSFiddle中尝试了这个:

function my_isnum(str, negative=false, decimal=-2)
{
    console.log(arguments);
    console.log(str);
    console.log(negative);
    console.log(decimal);
}
my_isnum("5", "Hi");

令我惊讶的是,这是我在Firebug控制台中看到的:

["5", "Hi"]
5
Hi
-2

现在在Chrome中,这就是我所看到的:

Uncaught SyntaxError: Unexpected token = 

我不明白这是一个由Firefox支持的早期标准的例子(function上的MDN似乎没有提到这一点)?

3 个答案:

答案 0 :(得分:18)

这似乎是在ECMAScript 6规范中,目前只有Firefox支持

https://developer.mozilla.org/en-US/docs/JavaScript/Reference/default_parameters

答案 1 :(得分:8)

Lostsource的答案是正确的,来ECMA6,很可能会支持默认值,我认为它会,但因为它仍然是一个工作草案,你真的不能确定...现在,你可以使用逻辑或:

function foo(bar, foobar)
{
    bar = bar || 'foobar';//once
    foobar = foobar || !!bar || true;//or multiple times

这有点像三元一样。表达式从左到右解决:一旦JS遇到真值,那就是将要分配的内容:

var someVar = false || undefined || null || 0 || 1;

将1分配给someVar。如果没有值传递给函数,默认情况下会为所有参数分配undefined,所以在这种情况下:

myArgument = myArgument || 'default';
//is the same as:
myArgument = undefined || 'default';//evaluates to "default"

但是当您将false作为参数传递,或null或空字符串时,将分配默认值,因此请小心。
在这些情况下,if / ternary更合适(如在JoeSin的答案中所见)。三元等价物是:

some_val = typeof some_val === 'undefined' ? 'default' : some_val;

答案 2 :(得分:4)

排序。你可以这样做:

function the_func(some_val) {
    // if some_val is not passed to the_func 
    if (typeof some_val == 'undefined') {
        some_val = 'default_some_val';
    }

    // now you can use some_val in the remaining parts of the method
}