Course Content
Introduction to JavaScript
Introduction to JavaScript
Data Types Overview
Data can be represented in various ways, and the operations you perform on data can differ depending on the data types.
Note
The Data Type tells the interpreter how to work with the data.
Let's look at the difference in the interpreter behavior:
// First case console.log("123" + "123"); // Second case console.log(123 + 123);
In the example above, you can see that the interpreter performs different operations for different data types.
typeof()
The typeof()
operator returns a string indicating the type of the operand's value.
let a = 15; console.log(typeof 23); console.log(typeof a); const b = "today"; console.log(typeof "word"); console.log(typeof b);
Number
The number data type is used for calculations, counters, mathematical operations, and more.
Unlike other programming languages, JavaScript uses the number type instead of separate int and float types.
console.log(typeof(15.25)); console.log(typeof(211)); console.log(typeof(22 + 251)); console.log(typeof(26 / 342));
Note
The
typeof
operator only determines the data type of the result, not the performed operations.
String
The string data type is used to change, print, and pass text to other programs.
let str = "Hello! I'm String, and I should help you to work with text!"; console.log(str);
To identify the string in the code, we should use single or double quotes (e.g., 'some text'
or "some text"
)
console.log("text"); console.log('text'); console.log("console.log('text')"); console.log('console.log("text")'); console.log(typeof("10"));
Note
- Choose one quote style (
"text"
or'text'
) for your code or project;- You can switch between quote styles when using
'
or"
within the text, such as"She hasn't hat"
or'He says "Hi!"'
.
Boolean
The boolean data type is used for logical operations. It has two values: true
and false
. Booleans are used to check conditions, as we'll describe later.
Booleans allow you to control code execution and direct it along different paths.
To create a boolean value, use the true
or false
values:
console.log(true); console.log(false); console.log(typeof(true)); console.log(typeof(false)); console.log(25 > 15); console.log(15 > 25);
Thanks for your feedback!