我看过这些行代码。
this.tween && this.tween.kill(),
this.tween = TweenMax.to(object, 1, {
...
})
是速记
if(this.tween){
this.tween.kill();
}
this.tween = TweenMax.to(object, 1, {
...
})
谢谢;)
答案 0 :(得分:1)
是的,两者在执行上是等效的。
function test(value) {
console.log(value);
value && console.log("\texecyted using AND");
if (value) console.log("\texecuted using if");
}
test(true);
test(false);
test("string");
test(""); //empty string
test(0);
test(null);
test(undefined);
test(1);
test({});
但是,这并不是JavaScript的惯用用法。因此,您可能不应该使用此构造,因为它可能会使其他开发人员失望。您的示例很好地说明了,看起来像这样的代码
function f (condition) {
condition && one(),
two();
}
function one() {
console.log("one");
}
function two() {
console.log("two")
}
f(false);
f(true);
这确实是有效
function f(condition) {
if (condition) {
one();
}
two();
}
因此,one()
将被执行几次,而two
将始终被执行。但是,在不了解优先级规则的情况下,似乎{em> {1>}和one()
都将有条件地执行。这是一个容易犯的错误,如果条件和逻辑很复杂,则更容易
two()
这只是有点夸张,但完全有可能在类似情况下结束。如果您的代码像一个条件和一个动作一样简单,那么与使用person.account.moneyAmount > 0 && creditor.getDebt(person).moneyOwed > 0 && person.account.moneyAmount > creditor.getDebt(person).moneyOwed && (deductTaxes(payAndReturnAmount(person, creditor)), printStatement()), printHello()
语句相比,使用内联条件可以节省2个 bytes
if
答案 1 :(得分:0)
不完全是。
this.tween && this.tween.kill(),
this.tween = TweenMax.to(object, 1, {
...
})
如果this.tween
在此语句中为真值,则将对其求值并保持不变。这样就变成了这样的代码。
this.tween,
this.tween = TweenMax.to(object, 1, {
...
})
答案 2 :(得分:0)
是的,这是上面代码的简写。如果this.tween未定义,则“ &&”之后的代码将不会执行。之后,将执行“,”之后的代码。 这里有一些例子:
this.a= undefined;
this.b= 20;
this.a && this.b.toString(), // if a is true then b will be executed and converted to string
console.log(this.b); // if a is true the output will be a string but in this case, a is undefined and the string conversion didn't happen, the console returns an integer
this.a = 10;
this.b=20
this.a && this.b.toString(),
console.log(this.b); // this will return a string
if(this.a){ // if a is true be will be converted to string
this.b = parseInt(this.b);
}
this.a = this.b;
console.log(this.a) // if a is true be will be converted back to integet and assigend to a
如果a未定义
// a is undefined then
this.a = undefined;
this.b=20
this.a && this.b.toString(),
console.log(this.b); // this will return a integer
if(this.a){ // since a is undefined it will fail and conversion won't take place
this.b.toString();
}
this.a = this.b;
console.log(this.a) // a integer is returned