Vue中rem与postcsspxtorem的应用

24次阅读

共计 1559 个字符,预计需要花费 4 分钟才能阅读完成。

rem 布局

rem 是根元素 (html) 中的 font-size 值。
rem 布局不多赘述,有很多详细说明 rem 布局原理的资料。
简单的说,通过 JS 获取设备宽度动态设定 rem 值,以实现在不同宽度的页面中使用 rem 作为单位的元素自适应的效果。

新建 rem.js 文件,于 main.js 中引用

// 设计稿以 1920px 为宽度,而我把页面宽度设计为 10rem 的情况下

const baseSize = 192; // 这个是设计稿中 1rem 的大小。function setRem() {
    // 实际设备页面宽度和设计稿的比值
    const scale = document.documentElement.clientWidth / 1920;
    // 计算实际的 rem 值并赋予给 html 的 font-size
    document.documentElement.style.fontSize = (baseSize * scale) + 'px';
}
setRem();
window.addEventListener('resize', () => {setRem();
});

postcss-pxtorem

postcss-pxtoremPostCSS 的插件,用于将像素单元生成 rem 单位。

安装

  1. 新建 Vue 项目
  2. 安装 postcss-pxtorem
    npm install postcss-pxtorem --save-dev

配置

可以通过 3 个地方来添加配置, 配置文件皆位于 vue 项目根目录中,若文件不存在可以自行建立。

其中最重要的是这个:

  • rootValue (Number)

    • 根元素的值,即 1rem 的值
    • 用于设计稿元素尺寸 /rootValue
    • 比如 rootValue = 192 时,在 css 中 width: 960px; 最终会换算成 width: 5rem;

还有一些其他的配置:

  • propList (Array) 需要做单位转化的属性.

    • 必须精确匹配
    • 用 * 来选择所有属性. Example: [‘*’]
    • 在句首和句尾使用 * ([‘*position*’] 会匹配 background-position-y)
    • 使用 ! 来配置不匹配的属性. Example: [‘*’, ‘!letter-spacing’]
    • 组合使用. Example: [‘*’, ‘!font*’]
  • minPixelValue(Number) 可以被替换的最小像素.
  • unitPrecision(Number) rem 单位的小数位数上限.

完整的可以看官方文档

权重

vue.config.js > .postcssrx.js > postcss.config.js

其中 postcssrc.jspostcss.config.js 可以热更新,vue.config.js 中做的修改要重启 devServer


配置示例
  • vue.config.js

    module.exports = {
        //... 其他配置
        css: {
          loaderOptions: {
            postcss: {
              plugins: [require('postcss-pxtorem')({
                  rootValue: 192,
                  minPixelValue: 2,
                  propList: ['*'],
                })
              ]
            }
          }
        },
      }
  • .postcssrx.js

    module.exports = {
        plugins: {
            'postcss-pxtorem': {
                rootValue: 16,
                minPixelValue: 2,
                propList: ['*'],
            }
        }
    }
  • postcss.config.js

    module.exports = {
      plugins: {
        'postcss-pxtorem': {
          rootValue: 192,
          minPixelValue: 2,
          propList: ['*'],
        }
      }
    }

Reference

官方 Github 仓库:postcss-pxtorem
vue3.0 中使用 postcss-pxtorem
关于 vue 利用 postcss-pxtorem 进行移动端适配的问题

正文完
 0