react-create-app中的对象解构

时间:2017-01-13 17:11:16

标签: javascript reactjs ecmascript-6 babel create-react-app

在名为index.js的文件中,我有以下导出:

export default {
  foo: true,
  bar: false
}

稍后在文件home.js中我执行以下操作:

import { foo, bar } from './index'

console.log(foo, bar) -> undefined, undefined

如果我导入的内容如下:

import index from './index'

console.log(index) -> { foo: true, bar: false }

有人能解释一下为什么会这样吗?我做错了什么?

我正在使用:

  

> create-react-app -V   1.0.3

1 个答案:

答案 0 :(得分:3)

你所拥有的是named exports,而不是解构。

您必须按原样导出它们,而不是default export

// this will export all of the defined properties as individual
// named exports, which you can pick-and-choose when importing
// using a similar syntax to destructuring
const foo = true, bar = false;
export {
  foo,
  bar
}

// imported exports named 'foo' and 'bar'
import { foo, bar } from './my-file'.

如果您指定了default导出,则在导入时不会使用大括号导出关键字default后面的任何内容:

// this exports an object containing { foo, bar } as the default export
export default {
  foo: true,
  bar: false
}

// imported without {}
import objectContainingFooBar from './my-file';