Vous pensez combien vous connaissez le langage de programmation JavaScript? questions quiz JavaScript de l' test quiz JavaScript dans ce quiz en ligne JavaScript Cette JavaScript Quiz tutoriel contient des r
- Demo
- Agrandir
- Recharger
- New window
Gratuit iPage h�bergement Web pour la premi�re ann�e MOMENT
Si vous �tes toujours � la recherche d'un fournisseur d'h�bergement Web fiable avec des tarifs abordables, pourquoi vous ne prenez pas un peu de temps pour essayer iPage, seulement avec $1.89/month, inclus $500+ Cr�dits suppl�mentaires gratuites pour le paiement de 24 mois ($45)?
Plus de 1.000.000 de clients + existisng peuvent pas avoir tort, vraiment vous n'�tes pas aussi! Plus important encore, lorsque vous enregistrez l'h�bergement web � iPage gr�ce � notre lien, nous allons �tre heureux de renvoyer un plein remboursement. C'est g�nial! Vous devriez essayer iPage h�bergement web GRATUITEMENT maintenant! Et contactez-nous pour tout ce que vous devez savoir sur iPage.
Last week, I tweeted about a JavaScript quiz I came across on Dmitry Baranovskiy's blog entitled, So you think you know JavaScript? As with other quizzes of this type, there is only one question to answer for five different pieces of example code: what is the result? The example code tests some of the quirkier attributes of JavaScript engine behavior. I've seen similar quizzes in the past, sometimes by people saying that they use it as a test during job interviews. I think doing so is both disrespectful to the candidate as well as generally useless. You don't encounter this type of quirk every day, so making that the minimum to get a job is about as useful as asking flight attendant candidate to explain jet propulsion.
Still, I liked some of the example code in this post because it can be used to explain some interesting things about JavaScript as a language. The following is an in-depth explanation of what is happening in each of those examples.
Example #1
if (!("a" in window)) {
var a = 1;
}
alert(a);
This strange looking piece of code seems to say, "if window doesn't have a property 'a', define a variable 'a' and assign it the value of 1." You would then expect the alert to display the number 1. In reality, the alert displays "undefined". To understand why this happens, you need to know three things about JavaScript.
First, all global variables are properties of window
. Writing var a = 1
is functionally equivalent to writing window.a = 1
. You can check to see if a global variable is declared, therefore, by using the following:
"variable-name" in window
Second, all variable declarations are hoisted to the top of the containing scope. Consider this simpler example:
alert("a" in window);
var a;
The alert in this case outputs "true" even though the variable declaration comes after the test. This is because the JavaScript engine first scans for variable declarations and moves them to the top. The engine ends up executing the code like this:
var a;
alert("a" in window);
Reading this code, it makes far more sense as to why the alert would display "true".
The third thing you need to understand to make sense of this example is that while variable declarations are hoisted, variable initializations are not. This line is both a declaration and an initialization:
var a = 1;
You can separate out the declaration and the initialization like this:
var a; //declaration
a = 1; //initialization
When the JavaScript engines comes across a combination of declaration and initialization, it does this split automatically so that the declaration can be hoisted. Why isn't the initialization hoisted? Because that could affect the value of the variable during code execution and lead to unexpected results.
So, knowing these three aspects of JavaScript, re-examine the original code. The code actually gets executed as if it were the following:
var a;
if (!("a" in window)) {
a = 1;
}
alert(a);
Looking at this code should make the solution obvious. The variable a
is declared first, and then the if
statement says, "if a
isn't declared, then initialize a
to have a value of 1." Of course, this condition can never be true and so the variable a remains with its default value, undefined
.
Example #2
var a = 1,
b = function a(x) {
x && a(--x);
};
alert(a);
This code looks far more complex than it actually is. The result is that the alert displays the number 1, the value to which a was initialized. But why is that? Once again, this example relies on knowledge of three key aspects of JavaScript.
The first concept is that of variable declaration hoisting, which example #1 also relied upon. The second concept is that of function declaration hoisting. All function declarations are hoisted to the top of the containing scope along with variable declarations. Just to be clear, a function declaration looks like this:
function functionName(arg1, arg2){
//function body
}
This is opposed to a function expression, which is a variable assignment:
var functionName = function(arg1, arg2){
//function body
};
To be clear, function expressions are not hoisted. This should make sense to you now, as just with variable initialization, moving the assignment of a value from one spot in code to another can alter the execution significantly.
The third concept that you must know to both understand and get confused by this example is that function declarations override variable declarations but not variable initializations. To understand this, consider the following
function value(){ return 1; }
var value;
alert(typeof value); //"function"
The variable value
ends up as a function even though
the variable declaration appears after the function declaration. The
function declaration is given priority in this situation. However,
throw in variable initialization and you get a different result:
function value(){ return 1; }
var value = 1;
alert(typeof value); //"number"
Now the variable value
is set to 1. The variable initialization overrides the function declaration.
Back to the example code, the function is actually a function
expression despite the name. Named function expressions are not
considered function declarations and therefore don't get overridden by
variable declarations. However, you'll note that the variable
containing the function expression is b
while the function expression's name is a
.
Browsers handle that a differently. Internet Explorer treats it as a
function declaration, so it gets overridden by the variable
initialization, meaning that the call to a(--x)
causes an error. All other browsers allow the call to a(--x)
inside of the function while a is still a number outside of the function. Basically, calling b(2)
in Internet Explorer throws a JavaScript error but returns undefined
in others.
All of that being said, a more correct and easier to understand version of the code would be:
var a = 1,
b = function(x) {
x && b(--x);
};
alert(a);
Looking at this code, it should be clear that a
will always be 1.
Example #3
function a(x) {
return x * 2;
}
var a;
alert(a);
If you were able to understand the previous example, then this one should be pretty simple. The only thing you need to understand is that function declarations trump variable declarations unless there's an initialization. There's no initialization here, so the alert displays the source code of the function.
Example #4
function b(x, y, a) {
arguments[2] = 10;
alert(a);
}
b(1, 2, 3);
This code is a bit easier to understand as the only real question
you must answer is whether the alert displays 3 or 10. The answer is 10
in all browsers. There's only one concept you need to know to figure
out this code. ECMA-262, 3rd Edition, section 10.1.8 says about an arguments
object:
For each non-negative integer,
arg
, less than the value of thelength
property, a property is created with nameToString(arg)
and property attributes{ DontEnum }
. The initial value of this property is the value of the corresponding actual parameter supplied by the caller. The first actual parameter value corresponds toarg
= 0, the second toarg
= 1, and so on. In the case whenarg
is less than the number of formal parameters for theFunction
object, this property shares its value with the corresponding property of the activation object. This means that changing this property changes the corresponding property of the activation object and vice versa.
In short, each entry in the arguments
object is a
duplicate of each named argument. Note that the values are shared, but
not the memory space. The two memory spaces are kept synchronized by
the JavaScript engine, which means that both arguments[2]
and a
contain the same value at all times. That value ends up being 10.
Example #5
function a() {
alert(this);
}
a.call(null);
I actually considered this to be the easiest of the five examples in this quiz. It relies on understanding two JavaScript concepts.
First, you must understand how the value of the this
object is determined. When a method is called on an object, this
points to the object on which the method resides. Example:
var object = {
method: function() {
alert(this === object); //true
}
}
object.method();
In this code, this
ends up pointing to object
when object.method()
is called. In the global scope, this
is equivalent to window
(in browsers, in non-browser environments it's the global
object equivalent), so this
is also equal to window
inside of a function that isn't an object property. Example:
function method() {
alert(this === window); //true
}
method();
Here, this
ends up pointing to the global object, window
.
Armed with this knowledge, you can now tackle the second important concept: what call()
does. The call()
method executes a function as if it were a method of another object. The first argument becomes this
inside the method, and each subsequent argument is passed as an argument to the function. Consider the following:
function method() {
alert(this === window);
}
method(); //true
method.call(document); //false
Here, the method()
function is called such that this
will be document
. Therefore, the alert displays "false".
An interesting part of ECMA-262, 3rd edition describes what should happen when null
is passed in as the first argument to call()
:
If
thisArg
isnull
orundefined
, the called function is passed the global object as the this value. Otherwise, the called function is passedToObject(thisArg)
as the this value.
So whenever null
is passed to call()
(or its sibling, apply()
), it defaults to the global object, which is window
. Given that, the example code can be rewritten in a more understandable way as:
function a() {
alert(this);
}
a.call(window);
This code makes it obvious that the alert will be displaying the string equivalent of the window
object.
Conclusion
Dmitry put together an interesting quiz from which you can actually learn some of the strange quirks of JavaScript. I hope that this writeup has helped everyone understand the details necessary to figure out what each piece of code is doing, and more importantly, why it's doing so. Again, I caution against using these sort of quizzes for job interviews as I don't think they serve any practical use in that realm (if you'd like to know my take on interviewing front-end engineers, see my previous post).
Disclaimer: Any viewpoints and opinions expressed in this article are those of Nicholas C. Zakas and do not, in any way, reflect those of Yahoo!, Wrox Publishing, O'Reilly Publishing, or anyone else. I speak only for myself, not for them.
- Sent (0)
- Nouveau
Générez vos vidéos d'entreprise par l'IA avec la voix ou simplement du texte
chatGPTaz.com
Parlez à ChatGPT dans votre langue maternelle
AppAIVidéo
Votre première application vidéo AI GRATUITE
Deepfake Video
Deepfake AI Video Maker
Deepfake
Deepfake AI Video Maker
AI Deep Fake
Deepfake AI Video Maker
AIvidio
AI Video Mobile Solutions
AIvideos
AI Video Platform & Solutions
AIvedio
AI Video App Maker
Faceswap AI en ligne
Échangez des visages, des vidéos, des photos et des GIF instantanément avec de puissants outils d'IA - Faceswap AI Online GRATUIT
Faceswap AI en ligne
Échangez des visages, des vidéos, des photos et des GIF instantanément avec de puissants outils d'IA - Faceswap AI Online GRATUIT
Temu gratuit 500 $ pour les nouveaux utilisateurs
Claim Free Temu $500 Credit via Affiliate & Influencer Program
Crédits publicitaires TikTok gratuits
Maîtrisez les publicités TikTok pour le marketing de votre entreprise
Dall-E-OpenAI.com
Générez automatiquement des images créatives avec l'IA
chatGPT4.win
Parlez à ChatGPT dans votre langue maternelle
Premier produit d'intelligence artificielle d'Elon Musk - Grok/UN.com
Parlez au chatbot Grok AI dans votre langue
Outily.win
Centre d'outils ouvert et gratuit, utilisable par tous et pour tous, avec des centaines d'outils
GateIO.gomymobi.com
Airdrops gratuits à réclamer et à partager jusqu'à 150 000 $ par projet
iPhoneKer.com
Économisez jusqu'à 630 $ à l'achat d'un nouvel iPhone 16
Acheter le robot Tesla Optimus
Commandez votre robot Tesla Bot : Optimus Gen 2 dès aujourd'hui pour moins de 20 000 $