Category: Variables
Assigns a value to a previously declared variable.
To process data in our apps we need to assign values to memory locations we have previously named using var to declare a variable. Programmers read the statement "area = length * width;" as "area gets length times width". The variable getting the value always goes on the left hand side of the assignment operator =. The right hand side of the assignment operator can be a number or a string, or the number or string returned by a function, or the numeric or string result of the evaluation of an expression.
AخA1// Declare, assign, and output the value of a variable.
2var x;
3x = 5;
4console.log("x has the value " + x)
Example: Circumference and Area Calculate the circumference and area of a circle with radius 10.
61// Calculate the circumference and area of a circle with radius 10.
2var radius, circumference, area;
3radius = 10;
4circumference = 2 * Math.PI * radius;
5area = Math.PI * radius * radius;
6console.log("Circle radius 10 has circumference of " + circumference + " and area of " + area);
Example: Fibonacci Generate the first nine terms of the Fibonacci series.
141// Generate the first 9 terms of the Fibonacci series.
2var termA, termB, termC;
3termA = 1;
4termB = 1;
5termC = termA + termB;
6console.log(termA + " " + termB + " " + termC);
7termA = termB + termC;
8termB = termC + termA;
9termC = termA + termB;
10console.log(termA + " " + termB + " " + termC);
11termA = termB + termC;
12termB = termC + termA;
13termC = termA + termB;
14console.log(termA + " " + termB + " " + termC);
Example: Message Board Collect, count and display messages from friends.
121// Collect, count and display messages from friends.
2textLabel("myTextLabel", "Type a message and press press enter");
3textInput("myTextInput", "");
4var count;
5count=1;
6onEvent("myTextInput", "change", function(event) {
7var myText;
8myText = getText("myTextInput");
9write("Message #" + count + ": " + myText);
10setText("myTextInput", "");
11count = count + 1;
12});
11x = ___;
Name | Type | Required? | Description |
---|---|---|---|
x | variable name | Yes | The name you will use in the program to reference the variable. Must begin with a letter, contain no spaces, and may contain letters, digits, - and _. |
___ | any type | Yes | The right hand side of the assignment operator can be a number or a string, or the number or string returned by a function, or the numeric or string result of the evaluation of an expression. |
No return value. Variable assigned value in memory.
Found a bug in the documentation? Let us know at documentation@code.org
11x = __;
Does not return a value. Assigns 2 to someVal
. Assumes that someVal
has already been declared.
Found a bug in the documentation? Let us know at documentation@code.org