JavaScript in HTML


Including JavaScript in HTML can be done in several ways, depending on whether you want to include it inline, internally within the HTML file, or externally via a separate JavaScript file. Here are the three main methods:

 
1. Inline JavaScript
You can include JavaScript directly within HTML elements using the onclick attribute or other event attributes.

<!DOCTYPE html>
<html lang=”en”>
<head>
    <meta charset=”UTF-8″>
    <meta name=”viewport” content=”width=device-width, initial-scale=1.0″>
    <title>Inline JavaScript Example</title>
</head>
<body>
    <button onclick=”alert(‘Hello, world!’)”>Click me</button>
</body>

</html>



2. Internal JavaScript

You can include JavaScript within the <script> tag inside the HTML file. This method keeps the JavaScript code separate from the HTML content but still within the same file.

<!DOCTYPE html>
<html lang=”en”>
<head>
    <meta charset=”UTF-8″>
    <meta name=”viewport” content=”width=device-width, initial-scale=1.0″>
    <title>Internal JavaScript Example</title>
    <script>
        function showAlert() {
            alert(‘Hello, world!’);
        }
    </script>
</head>
<body>
    <button onclick=”showAlert()”>Click me</button>
</body>

</html>



3. External JavaScript
You can include JavaScript by linking to an external JavaScript file. This is the preferred method for keeping your code organized and easier to maintain.

HTML File:
<!DOCTYPE html>
<html lang=”en”>
<head>
    <meta charset=”UTF-8″>
    <meta name=”viewport” content=”width=device-width, initial-scale=1.0″>
    <title>External JavaScript Example</title>
    <script src=”script.js” defer></script>
</head>
<body>
    <button onclick=”showAlert()”>Click me</button>
</body>
</html>

External JavaScript File (script.js):
function showAlert() {
    alert(‘Hello, world!’);
}
 


Important Considerations:
Placement of <script> Tag: The <script> tag can be placed in the <head> or at the end of the <body> tag. Placing it at the end of the <body> can improve page load times because it ensures the HTML is fully parsed before the script runs.

defer Attribute: Adding the defer attribute to the <script> tag ensures that the script is executed after the HTML document has been fully parsed.


async Attribute: This attribute is used for loading scripts asynchronously. It is typically used for scripts that are independent of the DOM or other scripts.

Example with defer:
<!DOCTYPE html>
<html lang=”en”>
<head>
    <meta charset=”UTF-8″>
    <meta name=”viewport” content=”width=device-width, initial-scale=1.0″>
    <title>Defer JavaScript Example</title>
    <script src=”script.js” defer></script>
</head>
<body>
    <button onclick=”showAlert()”>Click me</button>
</body>
</html>
 
Using these methods, you can include JavaScript in your HTML pages effectively, keeping your code organized and maintainable.

Scroll to Top