Evaluación de Short circuit en JS.
Evaluación Short-circuit dice, el segundo argumento se ejecuta o evalúa sólo si el primer argumento no es suficiente para determinar el valor de la expresión: cuando el primer argumento de la función AND (‘&&’) se evalúa como falsa, el valor total debe ser falso; y cuando el primer argumento de la función OR (‘ | ’) da como resultado true, el valor total debe ser verdad. |
Para el siguiente funcion test
condición and isTrue
y ‘isFalse’.
var test = true;
var isTrue = function(){
console.log('Test is true.');
};
var isFalse = function(){
console.log('Test is false.');
};
Usar logico AND - &&
.
// A normal if statement.
if(test){
isTrue(); // Test is true
}
// Above can be done using '&&' as -
( test && isTrue() ); // Test is true
Usar logico OR - ||
.
test = false;
if(!test){
isFalse(); // Test is false.
}
( test || isFalse()); // Test is false.
La lógica OR también podría ser utilizado para establecer un valor predeterminado para el argumento de la función.
function theSameOldFoo(name){
name = name || 'Bar' ;
console.log("My best friend's name is " + name);
}
theSameOldFoo(); // My best friend's name is Bar
theSameOldFoo('Bhaskar'); // My best friend's name is Bhaskar
La lógica AND podría ser utilizado para evitar excepciones utilizando las propiedades de undefined. Ejemplo:-
var dog = {
bark: function(){
console.log('Woof Woof');
}
};
// Calling dog.bark();
dog.bark(); // Woof Woof.
//But if dog is not defined, dog.bark() will raise an error "Cannot read property 'bark' of undefined."
// To prevent this, we can you &&.
dog&&dog.bark(); // This will only call dog.bark(), if dog is defined.
MEET THE NEW JSTIPS BOOK
You no longer need 10+ years of experience to get your dream job.
Use the 100 answers in this short book to boost your confidence and skills to ace the interviews at your favorite companies like Twitter, Google and Netflix.
GET THE BOOK NOW
MEET THE NEW JSTIPS BOOK
The book to ace the JavaScript Interview.
A short book with 100 answers designed to boost your knowledge and help you ace the technical interview within a few days.
GET THE BOOK NOW