Loading lesson path
The browser console is the most important debugging tool for JavaScript beginners. If you learn how to use the console properly, you will find bugs faster and understand your code better.
In Chrome or Edge, open the console like this:
The console is where JavaScript shows errors, warnings, and messages from your code. Always keep the console open when testing new JavaScript code.
console.log()
The most common console method is console.log().
Use it to print values and see what your program is doing.console.log("Hello from JavaScript!");let name = "John";
let age = 25;
console.log(name);
console.log(age);
console.warn()
Use console.warn()to display warnings. Warnings tell you something might be wrong, but your code can still run.
console.warn("This is a warning!");Use warnings when you want to highlight something suspicious in your program. console.error() Use console.error() to display error messages. Errors show that something has failed.
console.error("Something went wrong!");You can log more than one value at once.
let x = 10;
let y = 5;
console.log("x =", x, "y =", y);The console is very useful for inspecting objects.
let user = {name: "John", age: 25};
console.log(user);In the console, you can click the object to expand it and see its properties. console.table() Use console.table() to display data in a table format.
let users = [
{name: "John", age: 25},
{name: "Anna", age: 30}
];
console.table(users);Tables make it much easier to debug arrays of objects.
Beginners often guess what the value is. Professionals log the value and confirm it. If your code is not working, do not guess.
Use console.log().Next: Breakpoints, Watch, Scope Logging is powerful, but sometimes you need to pause code execution. Next page: Learn how to use breakpoints, step through code, and watch variables live.