Product Class
Create new Javascript file named product.js. This file contains code demo as below:
class Product {
    constructor(id, name, price, quantity) {
        this.id = id;
        this.name = name;
        this.price = price;
        this.quantity = quantity;
    }
    toString() {
        return 'Id: ' + this.id + '\nName: ' + this.name + '\nPrice: ' + this.price + '\nQuantity: ' + this.quantity;
    }
    total() {
        return this.price * this.quantity;
    }
}
module.exports = Product;
Create Index
Create new Javascript file named index.js. This file contains code demo as below:
let Product = require('./product');
let product1 = new Product("p01", "name 1", 4, 2);
let product2 = new Product("p02", "name 2", 11, 3);
let product3 = new Product("p03", "name 3", 7, 8);
let product4 = new Product("p04", "name 4", 15, 3);
let products = [ product1, product2, product3 ];
products = products.concat(product4);
products.forEach(function (product, index) {
    console.log("Product " + index + ' Info');
    console.log(product.toString());
    console.log('Total: ' + product.total());
    console.log('------------------------');
});
Output
Use node index.js statement run code demo
Id: p01
Name: name 1
Price: 4
Quantity: 2
Total: 8
------------------------
Product 1 Info
Id: p02
Name: name 2
Price: 11
Quantity: 3
Total: 33
------------------------
Product 2 Info
Id: p03
Name: name 3
Price: 7
Quantity: 8
Total: 56
------------------------
Product 3 Info
Id: p04
Name: name 4
Price: 15
Quantity: 3
Total: 45
------------------------