13

我正在尝试创建一个组件库 wie rollup 和 Vue,当其他人导入它时可以摇树。我的设置如下:

相关摘录自package.json

{
  "name": "red-components-with-rollup",
  "version": "1.0.0",
  "sideEffects": false,
  "main": "dist/lib.cjs.js",
  "module": "dist/lib.esm.js",
  "browser": "dist/lib.umd.js",
  "scripts": {
    "build": "rollup -c",
    "dev": "rollup -c -w"
  },
  "devDependencies": {
    /* ... */
}

这是我的全部rollup.config.js

import resolve from "rollup-plugin-node-resolve";
import commonjs from "rollup-plugin-commonjs";
import vue from "rollup-plugin-vue";
import pkg from "./package.json";

export default {
  input: "lib/index.js",
  output: [
    {
      file: pkg.browser,
      format: "umd",
      name: "red-components"
    },
    { file: pkg.main, format: "cjs" },
    { file: pkg.module, format: "es" }
  ],
  plugins: [resolve(), commonjs(), vue()]
};

我有一个相当简单的项目结构,其中包含一个index.js文件和 2 个 Vue 组件:

root
 ∟ lib
    ∟ index.js
    ∟ components
       ∟ Anchor.vue
       ∟ Button.vue
 ∟ package.json
 ∟ rollup.config.js

index.js导入 Vue 文件并导出它们:

export { default as Anchor } from "./components/Anchor.vue";
export { default as Button } from "./components/Button.vue";

export default undefined;

如果我不export default undefined;以某种方式导入我的库的任何应用程序都找不到任何导出。诡异的。


现在,当我创建另一个应用程序并red-components-with-rollup像这样导入时:

import { Anchor } from "red-components-with-rollup";

我从我的应用程序中打开包,我还会Button.vue在我的包中找到源代码,它没有被作为死代码消除。

我究竟做错了什么?

4

2 回答 2

2

ES格式的构建结果是什么?它是单个文件还是多个文件,类似于您的来源?

考虑到您的汇总选项,我猜它会将所有内容捆绑到一个文件中,这很可能是它无法对其进行摇树的原因。

要将您的 ES 构建到多个文件中,您应该更改:

{ file: pkg.module, format: "es" }

进入:

{
  format: "es",
  // Use a directory instead of a file as it will output multiple
  dir: 'dist/esm'
  // Keep a separate file for each module
  preserveModules: true,
  // Optionally strip useless path from source
  preserveModulesRoot: 'lib',
}

您需要更新您的package.json以指向module新的构建文件,例如"module": "dist/esm/index.js".

于 2021-12-29T13:32:54.683 回答
-1

本文介绍了一些您可能感兴趣的关于摇树的有趣陷阱。

除此之外 - 您的消费者应用程序的构建工具是否支持纯 es 模块并具有摇树功能?如果是这样,那么我会确保您导出的文件没有做任何可能混淆汇总的“副作用”事情。

为了安全起见,我将为您的每个组件提供直接导入以及导出它们的一个主要 index.js。至少你给那些偏执于运送未使用代码的人提供了一个选项,即 -

import { Anchor } from "red-components-with-rollup/Anchor";

于 2019-08-12T19:22:49.167 回答