How to Start Coding in JavaScript for Beginners
Learn how to start coding in JavaScript from scratch with zero setup required. This step-by-step guide walks you through your first program, essential tools, core concepts, and beginner projects to build real skills fast.
Starting to code in JavaScript requires exactly zero setup, zero downloads, and zero configuration. Unlike most programming languages that need compilers, SDKs, or special environments, JavaScript runs in every web browser you already have installed. You can write your first working program in the next 60 seconds by opening a browser console and typing a single line of code.
This guide takes you from "I have never written a line of code" to writing real, functional JavaScript programs. You will set up a proper development environment, learn the core building blocks of the language, and build your first interactive project. Every step includes code you can copy and run immediately.
Write Your First JavaScript in 60 Seconds
Open any web browser (Chrome, Firefox, Edge, Safari). Press F12 (or Cmd + Option + J on Mac) to open the Developer Tools. Click the "Console" tab. Type this:
console.log("I just wrote my first line of JavaScript!");Press Enter. You will see your message printed in the console. Congratulations, you just ran JavaScript. No installation, no downloads, no waiting.
Now let us do something more interesting. Type this directly in the console:
// Ask the user for their name and respond
const userName = prompt("What is your name?");
const greeting = `Welcome to JavaScript, ${userName}! You are going to love it here.`;
alert(greeting);A dialog box will appear asking for your name. After you type it and click OK, a second dialog will display a personalized greeting. This tiny program demonstrates three fundamental concepts: variable storage (const), template literals (` ` with $\{\} for embedding values), and built-in browser functions (prompt and alert).
Setting Up a Proper Development Environment
The browser console is perfect for quick experiments, but real projects need a code editor, a file structure, and a way to see your code in a browser. Here is how to set up a proper environment in under 10 minutes.
Install Visual Studio Code
VS Code is the most popular code editor for JavaScript development. It is free, cross-platform, and has an enormous extension ecosystem.
After installing VS Code, add these essential extensions:
| Extension | What It Does | Why You Need It |
|---|---|---|
| ESLint | Catches common JavaScript errors and style issues | Flags mistakes as you type before you even run the code |
| Prettier | Auto-formats your code on save | Consistent indentation and style without thinking about it |
| Live Server | Launches a local web server with auto-reload | See your changes in the browser instantly when you save |
| JavaScript (ES6) code snippets | Shortcuts for common code patterns | Type clg + Tab to get console.log() |
Create Your First Project
Create a folder on your computer called my-first-js-project. Inside it, create two files:
<!-- index.html -->
<!DOCTYPE html>
<html lang="en">
<head>
<meta charset="UTF-8">
<meta name="viewport" content="width=device-width, initial-scale=1.0">
<title>My First JavaScript Project</title>
<style>
body {
font-family: system-ui, -apple-system, sans-serif;
max-width: 600px;
margin: 50px auto;
padding: 20px;
background-color: #f5f5f5;
}
#output {
background: white;
padding: 20px;
border-radius: 8px;
border: 1px solid #ddd;
min-height: 100px;
margin-top: 20px;
}
button {
background: #2563eb;
color: white;
border: none;
padding: 10px 20px;
border-radius: 6px;
cursor: pointer;
font-size: 16px;
}
button:hover { background: #1d4ed8; }
</style>
</head>
<body>
<h1>My JavaScript Playground</h1>
<button id="run-btn">Run My Code</button>
<div id="output">Click the button to see JavaScript in action!</div>
<script src="app.js"></script>
</body>
</html>// app.js - Your JavaScript code goes here
const outputDiv = document.getElementById("output");
const runButton = document.getElementById("run-btn");
runButton.addEventListener("click", function () {
const currentTime = new Date().toLocaleTimeString();
const randomNumber = Math.floor(Math.random() * 100) + 1;
outputDiv.innerHTML = `
<p><strong>Current time:</strong> ${currentTime}</p>
<p><strong>Random number:</strong> ${randomNumber}</p>
<p><strong>Is the number even?</strong> ${randomNumber % 2 === 0 ? "Yes" : "No"}</p>
<p><strong>Number squared:</strong> ${randomNumber * randomNumber}</p>
`;
});Right-click index.html in VS Code and select "Open with Live Server." Your browser will open and display your page. Click the button and watch JavaScript generate dynamic content. Every time you save app.js, the page auto-reloads.
The Five Core Building Blocks
Every JavaScript program, from a simple script to a complex web application, is built from five core concepts. Master these and you can build almost anything.
1. Variables: Storing Data
Variables are containers that hold values. Think of them as labeled boxes where you put information for later use.
// const: for values that will not change
const siteName = "RuneHub";
const maxLoginAttempts = 5;
const isProduction = true;
// let: for values that need to change
let currentAttempts = 0;
let userScore = 0;
// Updating a let variable
currentAttempts = currentAttempts + 1; // now 1
userScore += 10; // shorthand: now 10
// NEVER use var (outdated, confusing scoping behavior)
// var oldStyle = "avoid this"; // Do not use var2. Functions: Reusable Logic
Functions are blocks of code that perform a specific task. You define them once and call them whenever you need that task done.
// Function declaration
function calculateShippingCost(weight, distance) {
const baseRate = 5.99;
const weightSurcharge = weight > 5 ? (weight - 5) * 0.5 : 0;
const distanceSurcharge = distance > 100 ? (distance - 100) * 0.02 : 0;
return baseRate + weightSurcharge + distanceSurcharge;
}
// Call the function with different inputs
const cost1 = calculateShippingCost(3, 50); // $5.99 (no surcharges)
const cost2 = calculateShippingCost(10, 200); // $5.99 + $2.50 + $2.00 = $10.49
console.log(`Light package nearby: $${cost1}`);
console.log(`Heavy package far away: $${cost2}`);
// Arrow function (shorter syntax, same idea)
const formatPrice = (amount) => `$${amount.toFixed(2)}`;
console.log(formatPrice(10.5)); // "$10.50"
console.log(formatPrice(7)); // "$7.00"3. Conditionals: Making Decisions
Conditionals let your program take different paths based on whether something is true or false.
function getPasswordStrength(password) {
const length = password.length;
const hasUppercase = /[A-Z]/.test(password);
const hasLowercase = /[a-z]/.test(password);
const hasNumber = /[0-9]/.test(password);
const hasSpecial = /[!@#$%^&*]/.test(password);
const score = [hasUppercase, hasLowercase, hasNumber, hasSpecial]
.filter(Boolean).length;
if (length < 8) {
return { strength: "Too short", color: "red", tip: "Use at least 8 characters" };
} else if (score <= 1) {
return { strength: "Weak", color: "orange", tip: "Add uppercase, numbers, or symbols" };
} else if (score <= 2) {
return { strength: "Fair", color: "yellow", tip: "Add more variety to your characters" };
} else if (score <= 3) {
return { strength: "Strong", color: "blue", tip: "Almost perfect!" };
} else {
return { strength: "Excellent", color: "green", tip: "Your password is very secure" };
}
}
console.log(getPasswordStrength("abc")); // Too short
console.log(getPasswordStrength("password")); // Weak
console.log(getPasswordStrength("Password1")); // Strong
console.log(getPasswordStrength("P@ssw0rd!")); // Excellent4. Loops: Repeating Actions
Loops execute a block of code multiple times. They are essential for processing lists of data.
// Process an array of student grades
const students = [
{ name: "Alice", grade: 92 },
{ name: "Bob", grade: 67 },
{ name: "Charlie", grade: 85 },
{ name: "Diana", grade: 45 },
{ name: "Eve", grade: 78 }
];
// for...of loop: iterate through each student
let passingCount = 0;
let totalGrade = 0;
for (const student of students) {
totalGrade += student.grade;
if (student.grade >= 60) {
passingCount++;
console.log(`${student.name}: ${student.grade} - PASS`);
} else {
console.log(`${student.name}: ${student.grade} - FAIL (needs ${60 - student.grade} more points)`);
}
}
const average = (totalGrade / students.length).toFixed(1);
console.log(`\nClass average: ${average}`);
console.log(`Passing rate: ${passingCount}/${students.length}`);5. Objects and Arrays: Organizing Data
Arrays store ordered lists. Objects store named properties. Together, they represent all the data structures you need as a beginner.
// Array: ordered collection
const techStack = ["HTML", "CSS", "JavaScript", "React", "Node.js"];
// Add to the end
techStack.push("PostgreSQL");
// Find a specific item
const hasReact = techStack.includes("React"); // true
// Object: named properties
const developerProfile = {
name: "Jordan",
role: "Junior Developer",
skills: techStack,
yearsExperience: 1,
isAvailable: true,
// Method: a function inside an object
getSummary: function () {
return `${this.name} is a ${this.role} with ${this.yearsExperience} year(s) of experience, skilled in ${this.skills.length} technologies.`;
}
};
console.log(developerProfile.getSummary());
// "Jordan is a Junior Developer with 1 year(s) of experience, skilled in 6 technologies."
// Access nested data
console.log(developerProfile.skills[2]); // "JavaScript"Five Essential Concepts to Learn This Week
| Concept | What It Does | Practice Exercise |
|---|---|---|
const and let | Store and update values | Build a click counter that tracks button presses |
| Functions | Encapsulate reusable logic | Write a tip calculator function |
if/else | Make decisions in code | Build a number-guessing game with feedback |
for loops and .forEach() | Repeat actions over data | Display a list of products from an array |
| DOM manipulation | Change what users see on the page | Toggle a dark mode button that switches CSS classes |
Build Your First Interactive Project: Expense Tracker
The best way to solidify these concepts is to build something real. This expense tracker uses every building block you just learned:
// Expense Tracker - combines variables, functions, arrays, objects, and DOM
const expenses = [];
const expenseList = document.getElementById("expense-list");
const totalDisplay = document.getElementById("total");
const nameInput = document.getElementById("expense-name");
const amountInput = document.getElementById("expense-amount");
const addButton = document.getElementById("add-expense");
function addExpense(name, amount) {
const expense = {
id: Date.now(),
name: name,
amount: parseFloat(amount),
date: new Date().toLocaleDateString()
};
expenses.push(expense);
renderExpenses();
}
function calculateTotal() {
return expenses.reduce(function (sum, expense) {
return sum + expense.amount;
}, 0);
}
function renderExpenses() {
expenseList.innerHTML = "";
expenses.forEach(function (expense) {
const item = document.createElement("div");
item.className = "expense-item";
item.innerHTML = `
<span>${expense.name}</span>
<span>$${expense.amount.toFixed(2)}</span>
<span>${expense.date}</span>
<button onclick="removeExpense(${expense.id})">Remove</button>
`;
expenseList.appendChild(item);
});
totalDisplay.textContent = `Total: $${calculateTotal().toFixed(2)}`;
}
function removeExpense(id) {
const index = expenses.findIndex(function (e) {
return e.id === id;
});
if (index !== -1) {
expenses.splice(index, 1);
renderExpenses();
}
}
addButton.addEventListener("click", function () {
const name = nameInput.value.trim();
const amount = amountInput.value;
if (!name || !amount || parseFloat(amount) <= 0) {
alert("Please enter a valid expense name and amount.");
return;
}
addExpense(name, amount);
nameInput.value = "";
amountInput.value = "";
nameInput.focus();
});You Built Something Real
This expense tracker uses variables, functions, arrays, objects, DOM manipulation, event listeners, and conditional logic. If you understand how each part works, you already have a solid foundation in JavaScript programming.
Best Practices for Learning JavaScript
Learning Strategy
How you practice matters more than how many tutorials you watch.
Write code every day, even if it is just 15 minutes. Consistency beats intensity. Five 15-minute sessions during the week build more neural pathways than one 5-hour Saturday marathon. Use the browser console for quick experiments between tasks.
Type every code example manually, never copy-paste. Typing forces your brain to process each character, catch patterns, and build muscle memory. It feels slower, but it accelerates actual learning significantly. If you copy-paste, you are reading, not coding.
Break projects into small pieces, then combine them. Do not try to build a full application on day one. Build a button that counts clicks. Then build a function that formats numbers. Then combine them into a shopping cart quantity adjuster. Small wins compound into real skills.
Read error messages carefully, they tell you what went wrong. JavaScript error messages include the file name, line number, and a description of the problem. "TypeError: Cannot read properties of undefined (reading 'name')" tells you exactly what happened: you tried to access .name on something that does not exist. Learning to read errors is a skill that separates productive developers from frustrated ones.
Build things you actually want to use. A personal budget tracker, a workout log, a recipe organizer. When you care about the result, you push through the hard parts instead of giving up.
Common Mistakes Beginners Make
Avoid These Early
Recognizing these patterns will save you hours of debugging frustration.
Trying to learn a framework before understanding JavaScript. React, Vue, and Angular are built on JavaScript. If you do not understand functions, arrays, objects, and the this keyword, frameworks will feel impossibly confusing. Spend at least 4 to 6 weeks on vanilla JavaScript before touching any framework.
Not using console.log() for debugging. When your code does not work, add console.log() calls at key points to see what values your variables actually hold. Most bugs come from variables holding unexpected values, and logging reveals this instantly.
Writing long blocks of code without testing. Write 5 lines, test them. Write 5 more, test again. If you write 100 lines without testing and something breaks, you have 100 possible places to check. If you test every 5 lines, you know the bug is in the last 5.
Comparing values with == instead of ===. Loose equality (==) converts types before comparing, which leads to surprising results like "" == false being true. Always use strict equality (===) which checks both value and type.
Next Steps
Master [JavaScript variables](/tutorials/programming-languages/javascript/js-variables-guide-how-to-declare-and-use-them) and [data types](/tutorials/programming-languages/javascript/javascript-data-types-a-complete-beginner-guide)
Dive deeper into how variables work in JavaScript, including the differences between primitive types (strings, numbers, booleans) and reference types (objects, arrays). Understanding data types prevents an entire category of bugs.
Learn DOM manipulation
Practice selecting elements, changing text, toggling classes, and creating elements dynamically. The DOM is how JavaScript interacts with what users see, and it is the foundation for all frontend development.
Build three mini-projects
Build a tip calculator, a to-do list with delete functionality, and a quiz app. Each project reinforces different concepts: functions and math for the calculator, arrays and DOM for the to-do list, and conditionals and state for the quiz.
Join a community
Join the freeCodeCamp community, the JavaScript subreddit, or a Discord server for beginners. Asking questions and helping others are both powerful ways to accelerate your learning.
Rune AI
Key Insights
- Zero setup required: JavaScript runs in every browser console, so you can write your first program in 60 seconds without installing anything
- VS Code is essential: A proper editor with ESLint, Prettier, and Live Server turns coding from frustrating to enjoyable
- Five building blocks: Variables, functions, conditionals, loops, and objects/arrays are the foundation for everything you will build in JavaScript
- Projects over tutorials: Building real things (calculators, expense trackers, quiz apps) teaches more than watching hours of video content
- Daily consistency wins: Fifteen minutes of coding every day builds skills faster than occasional marathon sessions
Frequently Asked Questions
How long does it take to learn JavaScript as a complete beginner?
Do I need to be good at math to learn JavaScript?
What is the best free resource to learn JavaScript?
Should I learn HTML and CSS before JavaScript?
Can I learn JavaScript on my phone?
What should I build as my first JavaScript project?
Conclusion
Starting to code in JavaScript takes nothing more than opening a browser console and typing your first console.log(). From there, setting up VS Code with a few extensions gives you a professional development environment. The five core building blocks you need are variables, functions, conditionals, loops, and objects/arrays. Combining these into small projects like an expense tracker or quiz app transforms theoretical knowledge into practical skill. The key to progress is daily practice, typing code manually, and building things you actually want to use rather than following passive tutorials.
More in this topic
OffscreenCanvas API in JS for UI Performance
Master the OffscreenCanvas API to offload rendering from the main thread. Covers worker-based 2D and WebGL rendering, animation loops inside workers, bitmap transfer, double buffering, chart rendering pipelines, image processing, and performance measurement strategies.
Advanced Web Workers for High Performance JS
Master Web Workers for truly parallel JavaScript execution. Covers dedicated and shared workers, structured cloning, transferable objects, SharedArrayBuffer with Atomics, worker pools, task scheduling, Comlink RPC patterns, module workers, and performance profiling strategies.
JavaScript Macros and Abstract Code Generation
Master JavaScript code generation techniques for compile-time and runtime metaprogramming. Covers AST manipulation, Babel plugin authorship, tagged template literals as macros, code generation pipelines, source-to-source transformation, compile-time evaluation, and safe eval alternatives.