Errors when using MomentJS in Angular Typescript library

后端 未结 3 566
执笔经年
执笔经年 2020-12-17 14:24

I\'m building an Angular (2+) component library using jvandemo/generator-angular2-library as a starter, which uses Rollup as a module builder. The component I am creating in

3条回答
  •  既然无缘
    2020-12-17 14:44

    The error is very clear and specific

    Error: Cannot call a namespace ('moment') at error (/Users/chris/angular-library/node_modules/rollup/dist/rollup.js:185:14)

    This is per the ES Module Specification.

    That means the following is an invalid way to import moment, or anything you intend to call, because a module namespace object, such as that created by * as ns may not be called.

    import * as moment from 'moment';
    

    The correct form is the form that ngc is raising an error on

    import moment from 'moment';
    

    Firstly to make this work, you need to specify the --allowSyntheticDefaultImports flag.

    tsconfig.json

    {
      "compilerOptions": {
        "allowSyntheticDefaultImports": true
      }
    }
    

    Assuming that ngc will recognize the option, you still have an additional problem to work out.

    The flag above is for users of tools such as SystemJS or Webpack which perform the synthesis, allowing such code to typecheck.

    As of TypeScript 2.7, you can now specify the --esModuleInterop flag to have the language provide the synthesis as part of the transpilation process.

    {
      "compilerOptions": {
        "allowSyntheticDefaultImports": true,
        "esModuleInterop": true
      }
    }
    

    Note that if you are using a version of TypeScript prior to 2.7 and if you are compiling to CommonJS, AMD, or UMD modules (e.g. with --module commonjs) the correct import syntax is rather

    import moment = require('moment');
    

    The import = require syntax is a TypeScript specific construct, now largely unnecessary. It exists to acquire both the type and the value of the module exports of an AMD, CommonJS, or UMD module. The "and" is important because a const, var, or let = require invocation only creates a name in the value space not in the type space.

提交回复
热议问题