3

所以,这里是预过滤“CHILD”的功能:

function(match){
    if ( match[1] === "nth" ) {
        // parse equations like 'even', 'odd', '5', '2n', '3n+2', '4n-1', '-n+6'
        var test = /(-?)(\d*)n((?:\+|-)?\d*)/.exec(
            match[2] === "even" && "2n" || match[2] === "odd" && "2n+1" ||
            !/\D/.test( match[2] ) && "0n+" + match[2] || match[2]);

        // calculate the numbers (first)n+(last) including if they are negative
        match[2] = (test[1] + (test[2] || 1)) - 0;
        match[3] = test[3] - 0;
    }

    // TODO: Move to normal caching system
    match[0] = done++;

    return match;
}

代码摘自 sizzle.js 的第 442-458 行

那么,为什么行var test = ...,有 exec 输入布尔值?或者这真的是一个字符串?

有人可以通过将其拆分为几行代码来解释它吗?

4

1 回答 1

10

exec方法将接收一个字符串,因为布尔逻辑运算符可以返回一个操作数,而不一定是Boolean结果,例如:

如果第一个是真值,逻辑与运算符 ( &&) 将返回第二个操作数的值:

true && "foo"; // "foo"

如果它本身是falsy,它将返回第一个操作数的值:

NaN && "anything"; // NaN
0 && "anything";   // 0

逻辑 OR运算符 ( ) 将返回第二个操作数的||值,如果第一个是falsy

false || "bar"; // "bar"

如果它本身是非假的,它将返回第一个操作数的值:

"foo" || "anything"; // "foo"

Falsy值为:null, undefined, NaN, 0, 零长度字符串,当然还有false.

在布尔上下文中评估的其他任何内容都是真实的(将强制为true)。

所以,让我们看一下表达式:

var test = /(-?)(\d*)n((?:\+|-)?\d*)/.exec(
  match[2] === "even" && "2n" ||  // return '2n' if match[2] is 'even'
  match[2] === "odd" && "2n+1" || // return '2n+1' if it's 'odd'
  !/\D/.test(match[2]) && "0n+" + match[2]|| // return '0n+N' if it's a digit(N) 
  match[2]  // otherwise, return the match[2] value
 );
于 2010-03-27T08:25:29.227 回答