여러 ES6 클래스를 내보내는 모듈을 만들려고합니다. 다음 디렉토리 구조가 있다고 가정 해 봅시다.
my/
└── module/
├── Foo.js
├── Bar.js
└── index.js
Foo.js
그리고 Bar.js
각 수출 기본 ES6 클래스 :
// Foo.js
export default class Foo {
// class definition
}
// Bar.js
export default class Bar {
// class definition
}
현재 index.js
다음과 같이 설정했습니다.
import Foo from './Foo';
import Bar from './Bar';
export default {
Foo,
Bar,
}
그러나 가져올 수 없습니다. 이 작업을 수행하고 싶지만 수업을 찾을 수 없습니다.
import {Foo, Bar} from 'my/module';
ES6 모듈에서 여러 클래스를 내보내는 올바른 방법은 무엇입니까?
답변
코드에서 이것을 시도하십시오 :
import Foo from './Foo';
import Bar from './Bar';
// without default
export {
Foo,
Bar,
}
Btw, 당신은 또한 이렇게 할 수 있습니다 :
// bundle.js
export { default as Foo } from './Foo'
export { default as Bar } from './Bar'
export { default } from './Baz'
// and import somewhere..
import Baz, { Foo, Bar } from './bundle'
사용 export
export const MyFunction = () => {}
export const MyFunction2 = () => {}
const Var = 1;
const Var2 = 2;
export {
Var,
Var2,
}
// Then import it this way
import {
MyFunction,
MyFunction2,
Var,
Var2,
} from './foo-bar-baz';
차이점 export default
은 무언가를 내보내고 가져올 위치에 이름을 적용 할 수 있다는 것입니다.
// export default
export default class UserClass {
constructor() {}
};
// import it
import User from './user'
답변
도움이 되었기를 바랍니다:
// Export (file name: my-functions.js)
export const MyFunction1 = () => {}
export const MyFunction2 = () => {}
export const MyFunction3 = () => {}
// if using `eslint` (airbnb) then you will see warning, so do this:
const MyFunction1 = () => {}
const MyFunction2 = () => {}
const MyFunction3 = () => {}
export {MyFunction1, MyFunction2, MyFunction3};
// Import
import * as myFns from "./my-functions";
myFns.MyFunction1();
myFns.MyFunction2();
myFns.MyFunction3();
// OR Import it as Destructured
import { MyFunction1, MyFunction2, MyFunction3 } from "./my-functions";
// AND you can use it like below with brackets (Parentheses) if it's a function
// AND without brackets if it's not function (eg. variables, Objects or Arrays)
MyFunction1();
MyFunction2();
답변
@webdeb의 답변이 효과가 없었습니다 .B6으로 unexpected token
ES6을 컴파일 할 때 명명 된 기본 내보내기를 수행하는 동안 오류가 발생했습니다.
그러나 이것은 나를 위해 일했습니다.
// Foo.js
export default Foo
...
// bundle.js
export { default as Foo } from './Foo'
export { default as Bar } from './Bar'
...
// and import somewhere..
import { Foo, Bar } from './bundle'
답변
// export in index.js
export { default as Foo } from './Foo';
export { default as Bar } from './Bar';
// then import both
import { Foo, Bar } from 'my/module';
답변
클래스의 인스턴스를 내보내려면 다음 구문을 사용할 수 있습니다.
// export index.js
const Foo = require('./my/module/foo');
const Bar = require('./my/module/bar');
module.exports = {
Foo : new Foo(),
Bar : new Bar()
};
// import and run method
const {Foo,Bar} = require('module_name');
Foo.test();