// Log a message to the console
console.log("Hello, JavaScript!");
// Declare variables
let name = "Alice"; // Mutable variable
const age = 25; // Immutable variable
var city = "New York"; // Legacy declaration
// Output variables
console.log(`Name: ${name}, Age: ${age}, City: ${city}`);
let
(block-scoped),
const
(constants), and var
(legacy, function-scoped).
console.log()
to output to the
console.) and
${}`.let score = 85;
if (score >= 90) {
console.log("Grade: A");
} else if (score >= 75) {
console.log("Grade: B");
} else if (score >= 60) {
console.log("Grade: C");
} else {
console.log("Grade: F");
}
if
,
else if
, and else
for conditional logic.
==
,
===
(strict equality), !=
, !==
, <
, >
.
// For loop
for (let i = 1; i <= 5; i++) {
console.log(`Count: ${i}`);
}
// While loop
let counter = 5;
while (counter > 0) {
console.log(`Countdown: ${counter}`);
counter--;
}
for
and while
loops
repeat tasks.break
to exit a loop early, and
continue
to skip to the next iteration.
// Regular function
function greet(name) {
return `Hello, ${name}!`;
}
// Arrow function
const add = (a, b) => a + b;
console.log(greet("Alice")); // Output: Hello, Alice!
console.log(add(3, 4)); // Output: 7
function
or as arrow functions (=>
).
this
binding.
let fruits = ["apple", "banana", "cherry"];
fruits.push("orange"); // Add an item
console.log(fruits[1]); // Access by index
console.log(fruits.length); // Get array length
let person = {
name: "Alice",
age: 25,
city: "New York",
};
console.log(person.name); // Access properties
person.age = 26; // Update a property
console.log(person);
class Dog {
constructor(name, age) {
this.name = name;
this.age = age;
}
bark() {
return `${this.name} says Woof!`;
}
}
let myDog = new Dog("Buddy", 3);
console.log(myDog.bark());
class
to define classes.constructor()
initializes
properties, and methods define behavior.// Using Promises
const fetchData = () => {
return new Promise((resolve, reject) => {
setTimeout(() => resolve("Data fetched!"), 1000);
});
};
fetchData().then((data) => console.log(data));
// Using Async/Await
const fetchAsyncData = async () => {
let data = await fetchData();
console.log(data);
};
fetchAsyncData();
.then()
and .catch()
.// Select an element
const heading = document.querySelector("h1");
// Change text content
heading.textContent = "Welcome to JavaScript!";
// Add a class
heading.classList.add("highlight");
// Listen for a click
heading.addEventListener("click", () => {
alert("Heading clicked!");
});
document.querySelector()
to
select elements.textContent
and classList
.
.addEventListener()
.
try {
let num = parseInt("abc"); // Invalid conversion
if (isNaN(num)) throw new Error("Not a number!");
console.log(`Square: ${num * num}`);
} catch (error) {
console.error(`Error: ${error.message}`);
}
try
and catch
to
handle errors gracefully.throw
creates custom errors.let numbers = [1, 2, 3, 4, 5];
// Map: Transform each item
let squares = numbers.map((n) => n * n);
// Filter: Keep items that match criteria
let evens = numbers.filter((n) => n % 2 === 0);
// Reduce: Accumulate values
let sum = numbers.reduce((acc, n) => acc + n, 0);
console.log(squares, evens, sum);
function counter() {
let count = 0;
return function () {
count++;
return count;
};
}
const increment = counter();
console.log(increment()); // 1
console.log(increment()); // 2
// Array destructuring
const [a, b, c] = [1, 2, 3];
console.log(a, b, c); // Output: 1 2 3
// Object destructuring
const user = { name: "Alice", age: 25, city: "New York" };
const { name, city } = user;
console.log(name, city); // Output: Alice New York
// Rest operator
const [x, ...rest] = [1, 2, 3, 4];
console.log(rest); // Output: [2, 3, 4]
// Spread operator
const arr1 = [1, 2];
const arr2 = [...arr1, 3, 4];
console.log(arr2); // Output: [1, 2, 3, 4]
...
):
Expands arrays/objects into individual elements....
): Groups
remaining elements into a new array.document.querySelector("#parent").addEventListener("click", (e) => {
if (e.target && e.target.matches("button.classname")) {
console.log("Button clicked:", e.target.textContent);
}
});
e.target
.
file: math.js
export const add = (a, b) => a + b;
export const subtract = (a, b) => a - b;
file: app.js
import { add, subtract } from "./math.js";
console.log(add(5, 3)); // Output: 8
export
to share variables,
functions, or classes.import
to bring them into other
files.const emailRegex = /^[^\s@]+@[^\s@]+\.[^\s@]+$/;
const isValid = emailRegex.test("[email protected]");
console.log(isValid); // Output: true
RegExp
for text matching and
manipulation.test()
: Checks if a pattern
exists.match()
: Extracts matching
strings.// Store data
localStorage.setItem("username", "Alice");
// Retrieve data
console.log(localStorage.getItem("username")); // Output: Alice
// Remove data
localStorage.removeItem("username");
fetch("https://jsonplaceholder.typicode.com/posts/1")
.then((response) => response.json())
.then((data) => console.log(data))
.catch((error) => console.error("Error:", error));
fetch()
for making HTTP
requests..json()
to parse JSON
responses.const multiply = (n) => n * 2;
const processNumbers = (arr, fn) => arr.map(fn);
console.log(processNumbers([1, 2, 3], multiply)); // Output: [2, 4, 6]
function counter() {
let count = 0;
return () => ++count;
}
const increment = counter();
console.log(increment()); // Output: 1
console.log(increment()); // Output: 2
console.log("Start");
setTimeout(() => console.log("Timeout"), 0);
Promise.resolve().then(() => console.log("Promise"));
console.log("End");
try {
throw new Error("Something went wrong!");
} catch (error) {
console.error(error.message); // Output: Something went wrong!
} finally {
console.log("Cleanup code runs here.");
}
try
, catch
, and
finally
to handle errors.
F12
).const map = new Map();
map.set("key1", "value1");
map.set("key2", "value2");
console.log(map.get("key1")); // Output: value1
const set = new Set();
set.add(1);
set.add(2);
set.add(2); // Duplicate ignored
console.log(set.has(2)); // Output: true
const numbers = [1, 2, 3, 4, 5];
const result = numbers
.filter((n) => n % 2 === 0)
.map((n) => n * n)
.reduce((sum, n) => sum + n, 0);
console.log(result); // Output: 20
filter()
,
map()
, and reduce()
for powerful operations.
const jsonString = '{"name": "Alice", "age": 25}';
// Parse JSON
const user = JSON.parse(jsonString);
console.log(user.name); // Output: Alice
// Stringify JSON
const newJson = JSON.stringify(user);
console.log(newJson);
"use strict";
let x = 10; // Safer coding
const
and
let
instead of var
.