How To Import Javascript In Javascript

In this blog post, we will learn how to import JavaScript modules into other JavaScript files. This can be useful for organizing and structuring your code or using third-party libraries in your projects.

Using ES6 import statement

ECMAScript 6 (ES6) introduced a standard syntax for importing and exporting modules in JavaScript. The import statement allows you to import functions, objects, or values that have been exported from another module.

Let’s say we have a file named module.js with the following content:

// module.js
export function hello() {
    console.log("Hello, world!");
}
    

To import and use the hello function in another JavaScript file, you can use the following syntax:

// main.js
import { hello } from './module.js';

hello(); // Output: "Hello, world!"
    

Using CommonJS require()

If you’re working with a Node.js environment, you can use the CommonJS require() function to import modules. Note that this method is not supported in browsers without a bundler like Webpack or Browserify.

Assuming we have the following module.js file:

// module.js
function hello() {
    console.log("Hello, world!");
}

module.exports = {
    hello: hello
};
    

You can import and use the hello function in another JavaScript file like this:

// main.js
const myModule = require('./module.js');

myModule.hello(); // Output: "Hello, world!"
    

Dynamically loading JavaScript in browsers

In some cases, you may want to load a JavaScript file dynamically at runtime. This can be done using the DOM API in browsers.

Here’s how you can create and add a script tag that loads a JavaScript file:

function loadScript(url, callback) {
    const script = document.createElement('script');
    script.src = url;
    script.onload = () => {
        if (callback) {
            callback();
        }
    };
    document.head.appendChild(script);
}

loadScript('path/to/module.js', () => {
    console.log('Script loaded!');
});
    

In this example, the loadScript function takes the URL of the JavaScript file to load and an optional callback function that gets executed once the script has been loaded.

Conclusion

In this blog post, we’ve learned different ways to import JavaScript code from one file to another. Depending on your requirements and environment, you can choose between ES6 imports, CommonJS require(), or dynamically loading scripts using the DOM API.