// export
export default function contact(name, age) {
console.log(`The name is ${name}. And age is ${age}.`);
}
//There two types of imports
export default class || function || variable
//When you use export default, export one thing only and import something like this:
import thing from "path"
//-------------------------------------
export { class || function || variable }
//With this we can especify what we want import
import { thing1, ...} from "path"
//// Exporting a single function
module.exports = (…) => {…}
//// Exporting multiple functions
exports.function1 = () => {}
exports.function2 = () => {}
…
// Importing
const myModule = require('./modulesFolder/myModule');
myFunctions.function1(…)
…
// Importing with destructuring
const {function1, function2} = require('./modules/myModule');
function1(…)
…
// Exporting functions lightens the main file
// but results in slightly longer compiling times
// export a function in javascript
export function myFunc(var1, var2, ..., varn) {
// do something
}
export const name = 'square';
export function draw(ctx, length, x, y, color) {
ctx.fillStyle = color;
ctx.fillRect(x, y, length, length);
return {
length: length,
x: x,
y: y,
color: color
};
}
// default exports
export default 42;
export default {};
export default [];
export default (1 + 2);
export default foo;
export default function () {}
export default class {}
export default function foo () {}
export default class foo {}
// variables exports
export var foo = 1;
export var foo = function () {};
export var bar;
export let foo = 2;
export let bar;
export const foo = 3;
export function foo () {}
export class foo {}
// named exports
export {};
export {foo};
export {foo, bar};
export {foo as bar};
export {foo as default};
export {foo as default, bar};
// exports from
export * from "foo";
export {} from "foo";
export {foo} from "foo";
export {foo, bar} from "foo";
export {foo as bar} from "foo";
export {foo as default} from "foo";
export {foo as default, bar} from "foo";
export {default} from "foo";
export {default as foo} from "foo";