前言

为了方便管理, 我们会定义 CSS Variables, 类似于全局变量. 有时候做特效的时候还需要 JavaScript 配合,

这时就会希望 JavaScript 可以获取到 CSC Variables, 虽然 JS 可以通过 getComputedStyle 单独获取某个 CSS Variable 但是, 若想获取所有的 CSS Variables 就没那么容易了.

它需要通过 Document.styleSheets 的方式去获取, 这篇就是介绍这个的.

参考

stackoverflow – Get all css root variables in array using javascript and change the values

CSS-Tricks – How to Get All Custom Properties on a Page in JavaScript

介绍

Document.styleSheets 可以获取到页面里所有的 Style CSS information. 类似于 C# 的反射, 让你可以遍历所以的 Style.

这篇我们就要通过这个功能, 获取到想要的 CSS Variables. 当然不管你想获取什么 Style 都是可以通过这个方式的, 不限制在 CSS variables, 自己遍历, 自己过滤就可以了.

案子

我这次是想实现一个 JS 的 breakpoint media query. 通过 Scss/CSS variables 来做管理. 过程是 Scss 定义 variables 然后写入到 CSS variables,

JS 通过 Document.styleSheets 遍历出 breakpoint CSS variables. 然后配合 Window.matchMedia 做 media query.

Scss Breakpoint

先看看 Scss 怎样弄, JS 也会实现一摸一样的方式.

file 结构

我一般上用 2 个 scss file 做管理.

第一个是 _core.scss, 里面封装功能

第二个是 _base.scss, 里面写当前项目的逻辑

剩下的就是一个页面一个 .scss

home.scss 调用

@use '../base' as *;

@include core-media-breakpoint-only('xl') {
:root {
--breakpoint-special: 123px;
}
}

_base.scss re-export 了 _core 所以调用方法时 core-media...

_base.scss 定义

$breakpoint-collection: (
xs: 0,
sm: 640px,
md: 768px,
lg: 1024px,
xl: 1280px,
'2xl': 1536px,
); @forward './core' as core-* with (
$breakpoint-collection: $breakpoint-collection
); @use './core'; :root {
@include core.root-breakpoint($breakpoint-collection);
}

CSS media query 不支持 variable, :root 的 variables 只是 for JS 用而已.

_core.scss 核心代码

@use 'sass:list';

@function map-get-next($map, $key) {
$keys: map-keys($map);
$values: map-values($map);
$index: list.index($keys, $key);
$count: length($keys);
$next-index: $index + 1;
@if ($next-index > $count) {
@return null;
}
@return list.nth($values, $next-index);
} $breakpoint-collection: null !default;
@function breakpoint($size) {
@return map-get($breakpoint-collection, $size);
}
@function breakpoint-next($size) {
@return map-get-next($breakpoint-collection, $size);
}
@mixin media-breakpoint-up($breakpoint) {
@media (min-width: breakpoint($breakpoint)) {
@content;
}
}
@mixin media-breakpoint-down($breakpoint) {
@media (max-width: breakpoint($breakpoint) - 0.02px) {
@content;
}
}
@mixin media-breakpoint-only($breakpoint) {
$current: breakpoint($breakpoint);
$next: breakpoint-next($breakpoint);
@if ($next == null) {
@media (min-width: $current) {
@content;
}
} @else {
@media (min-width: $current) and (max-width: $next - 0.02px) {
@content;
}
}
}
@mixin media-breakpoint-between($from-breakpoint, $to-breakpoint) {
@media (min-width: breakpoint($from-breakpoint)) and (max-width: breakpoint($to-breakpoint) - 0.02px) {
@content;
}
} @mixin root-breakpoint($breakpoint-collection) {
@each $breakpoint-key-value in $breakpoint-collection {
// note 解忧: + '' 是为了 clear sass warning
--breakpoint-#{'' + list.nth($breakpoint-key-value, 1)}: #{list.nth($breakpoint-key-value, 2)};
}
}

第二部分是主角, up, down, only, between 这个是效仿 Bootstrap 的做法.

document.styleSheets

StyleSheetList

console.log('document.styleSheets', document.styleSheets);

document.styleSheets 是一个 List 对象.

页面所有的 CSS Style 都会在里面, 不管是 <link> 或者 <style>

CSSStyleSheet

CSSStyleSheet 最重要的属性是 cssRules 和 href

cssRules 就是所有具体的 style 内容, 下面会详细讲.

href = null 代表它是 <style>, href=url 表示是 <link>

通过 window.location 可以判断 CSS 是否是 thrid party

console.log('location', window.location.origin);
console.log('document.styleSheets', document.styleSheets[1].href);
console.log('same domain', document.styleSheets[1].href!.startsWith(window.location.origin + '/'));

效果

CSSRuleList > CSSRule (CSSStyleRule / CSSMediaRule)

CSSStyleSheet.cssRules 是一个 CSSRuleList

CSSRuleList 里面包含了 CSSStyleRule 和 CSSMediaRule (注意: CSSRule 是 CSSStyleRule 和 CSSMediaRule 的抽象)

每一个 rule 表示一个 selector 还有它的 style

比如下图有 3 个 CSSRule

第一个是 CSSStyleRule, selectorText 是 'body'

第二个是 CSSStyleRule, selectorText 是 'h1'

第三个是 CSSMediaRule, selectorText 是 ':root'

只要是在 media query 内声明的 selector 都属于 CSSMediaRule

CSSStyleRule

最重要的属性是 selectorText 还有 style.

它们长这样

style 的 interface 是 CSSStyleDeclaration, 和 window.getComputedStyle 的返回值相同的 interface.

它是一个 iterable 对象, 通过 for...of 可以获取所有的 keys, 想获取 value 就调用 style.getPropertyValue 方法

console.log('rule.style.keys', [...rule.style]);
for (const key of rule.style) {
const value = rule.style.getPropertyValue(key);
console.log([key, value]);
}

效果

value 前面有 space 是正常的, 因为 prettier formatting 为了整齐好看都会添加空格, 取值后最好是 trim() 一下.

CSSMediaRule

每一个 media query 都会产生一个 CSSMediaRule, 哪怕 media query 是一样的

@media (min-width: 1280px) and (max-width: 1535.98px) {
:root {
--breakpoint-special: 123px;
}
}
@media (min-width: 1280px) and (max-width: 1535.98px) {
body {
--breakpoint-xx: 123px;
}
}

效果

CSSMediaRule 最重要的属性是 conditionText 和 cssRules

conditionText 就是 (min-width: 1280px) and (max-width: 1535.98px) 这些 media query

cssRules 就是 CSSRuleList 和上面提过的是一样的.

JavaScript Breakpoint

万事俱备, 有了 document.styleSheets 配上 Window.matchMedia, 我们就可以实现和 Scss 一摸一样的 break point media query 了.

调用

console.log('matches', mediaBreakpointUp('xl').matches);
mediaBreakpointBetween('sm', 'lg').addEventListener('change', e => {
console.log('matches', e.matches);
});

返回的是 MediaQueryList

四大函数

function getBreakpointCollectionFromStyleSheet(): Map<string, string> {
const breakpointCollection = new Map<string, string>();
const cssRules = Array.from(document.styleSheets).flatMap(sheet => Array.from(sheet.cssRules));
for (const cssRule of cssRules) {
if (cssRule instanceof CSSStyleRule && cssRule.selectorText === ':root') {
const keyStartsWith = '--breakpoint-';
for (const key of cssRule.style) {
if (!key.startsWith(keyStartsWith)) {
continue;
}
const value = cssRule.style.getPropertyValue(key).trim();
breakpointCollection.set(key.replace('--breakpoint-', ''), value);
}
}
}
return breakpointCollection;
} function mediaBreakpointUp(breakpoint: string): MediaQueryList {
const breakpointCollection = getBreakpointCollectionFromStyleSheet();
const breakpointValue = breakpointCollection.get(breakpoint)!;
return window.matchMedia(`(min-width: ${breakpointValue})`);
} function mediaBreakpointDown(breakpoint: string): MediaQueryList {
const breakpointCollection = getBreakpointCollectionFromStyleSheet();
const breakpointValue = breakpointCollection.get(breakpoint)!;
return window.matchMedia(`(max-width: ${parseFloat(breakpointValue) - 0.02}px)`);
} function mediaBreakpointOnly(breakpoint: string): MediaQueryList {
const breakpointCollection = getBreakpointCollectionFromStyleSheet();
const currentBreakpointValue = breakpointCollection.get(breakpoint)!;
const nextBreakpointValue = (() => {
const keys = Array.from(breakpointCollection.keys());
const currentIndex = keys.indexOf(breakpoint);
const hasNext = currentIndex < keys.length - 1;
if (!hasNext) {
return null;
} else {
const nextKey = keys[currentIndex + 1];
return breakpointCollection.get(nextKey)!;
}
})();
const mediaQuery =
nextBreakpointValue === null
? `(min-width: ${currentBreakpointValue})`
: `(min-width: ${currentBreakpointValue}) and (max-width: ${
parseFloat(nextBreakpointValue) - 0.02
}px)`;
return window.matchMedia(mediaQuery);
} function mediaBreakpointBetween(fromBreakpoint: string, toBreakpoint: string): MediaQueryList {
const breakpointCollection = getBreakpointCollectionFromStyleSheet();
const fromBreakpointValue = breakpointCollection.get(fromBreakpoint)!;
const toBreakpointValue = breakpointCollection.get(toBreakpoint)!;
return window.matchMedia(
`(min-width: ${fromBreakpointValue}) and (max-width: ${parseFloat(toBreakpointValue) - 0.02}px)`
);
}

没什么特别的, 就是 follow Scss 的写法改成 JS 而已

getBreakpointCollectionFromStyleSheet 函数

这个函数负责从 document.styleSheet 获取到 CSS variables

function getBreakpointCollectionFromStyleSheet(): Map<string, string> {
const breakpointCollection = new Map<string, string>();
const cssRules = Array.from(document.styleSheets).flatMap(sheet => Array.from(sheet.cssRules));
for (const cssRule of cssRules) {
if (cssRule instanceof CSSStyleRule && cssRule.selectorText === ':root') {
const keyStartsWith = '--breakpoint-';
for (const key of cssRule.style) {
if (!key.startsWith(keyStartsWith)) {
continue;
}
const value = cssRule.style.getPropertyValue(key).trim();
breakpointCollection.set(key.replace('--breakpoint-', ''), value);
}
}
}
return breakpointCollection;
}

注意, 这里用了许多潜规则, 也有一些隐患

1. 没有过滤 third party CSS (因为我用 Webpack 都会打包一块, 而且有时直接放 CDN 的 origin)

2. 没有考虑 CSSMediaRule, 因为 breakpoint 不可能会在 media query 里面修改

3. ‘--breakpoint-’ 是 Magic string

4. getBreakpointCollectionFromStyleSheet 每次都会遍历, 性能不太好, 应该缓存起来.

5. 没有监听 variable 的改变. 但 breakpoint 不太可能会 change 啦.

总结

如果想在 JS 和 CSS 间管理好 breakpoint 就可以采用以上的方案.

通过 Scss 定义 breakpoint, 然后放入 CSS Variables share 给 JS 用.

DOM – Work with Document.styleSheets and JS/Scss Breakpoint Media Query的更多相关文章

  1. document.styleSheets

    伪元素是不能选中的,如果非要改他的样式,两个方法. 静态方法: addClass的时候,新add的class带有新的伪元素. 动态方法: 如果知道它在document.styleSheets对象中的位 ...

  2. DOM对象本身也是一个js对象,所以严格来说,并不是操作这个对象慢,而是说操作了这个对象后,会触发一些浏览器行为(转)

    一直都听说DOM很慢,要尽量少的去操作DOM,于是就想进一步去探究下为什么大家都会这样说,在网上学习了一些资料,这边整理出来. 首先,DOM对象本身也是一个js对象,所以严格来说,并不是操作这个对象慢 ...

  3. 从原型链看DOM--Document类型

    JavaScript通过Document类型表示文档,原型链的继承关系为:document.__proto__->HTMLDocument.prototype->Document.prot ...

  4. JS函数动作分层结构详解及Document.getElementById 释义 js及cs数据类型区别 事件 函数 变量 script标签 var function

    html +css 静态页面 js     动态 交互   原理: js就是修改样式, 比如弹出一个对话框. 弹出的过程就是这个框由disable 变成display:enable. 又或者当鼠标指向 ...

  5. 第10章 文档对象模型DOM 10.2 Document类型

    Document 类型 JavaScript 通过 Document 类型表示文档.在浏览器中, document 对象是 HTMLDocument (继承自 Document 类型)的一个实例,表示 ...

  6. how to delete the virtual dom that created in memory using js

    how to delete the virtual dom that created in memory using js const virtualDomConvert = (filename = ...

  7. document.styleSheets[0]是个啥

    <!DOCTYPE html> <html> <head> <meta charset="UTF-8"> <title> ...

  8. Adding DOM elements to document

    1.JavaScript 添加DOM Element 执行效率比较: 抄自:http://wildbit.com/blog/2006/11/21/javascript-optimization-add ...

  9. 样式声明对象:document.styleSheets[0].rules[4].style;

    <!DOCTYPE html> <html lang="en"> <head> <meta charset="UTF-8&quo ...

  10. DOM window的事件和方法; Rails查询语法query(查询结构继承); turbolinks的局限;

    window.innerHeight 是浏览器窗口可用的高度. window.outerHeight 是浏览器窗口最大的高度. 打开chrome-inspector,上下移动inspector,看到s ...

随机推荐

  1. webpack4.15.1 学习笔记(七) — 懒加载(Lazy Loading)

    懒加载或者按需加载,是一种很好的优化网页或应用的方式.实际上是先把代码在一些逻辑断点处分离开,然后在一些代码块中完成某些操作后,立即引用或引用另外一些新的代码块.这样加快了应用的初始加载速度,减轻了它 ...

  2. [oeasy]python0101_尾声_PC_wintel_8080_诸神的黄昏_arm_riscv

    尾声 回忆上次内容 回顾了 ibm 使用开放架构 用 pc兼容机 战胜了 dec 小型机 apple 个人电脑 触击牺牲打 也破掉了 自己 软硬一体全自主的 金身 借助了 各种 软硬件厂商的 力量 最 ...

  3. python获取引用对象的个数

    python获取引用对象的个数 使用sys.getrefcount()来获取当前对象被引用了多少次,返回的结果比实际大1 import sys class A: pass a = A() #创建实例对 ...

  4. Fiddler使用界面介绍-底部状态栏

    底部状态栏 1.Capturing抓包状态 Capturing:Fiddler正在抓包 空白:Fiddler停止抓包 2.All Processes抓取进程类型 All Processes:抓取所有进 ...

  5. [香橙派开发系列]使用wiringPi控制26个引脚

    目录 前言 一.香橙派使用的包 二.使用wiringPi包的命令 1.下载wiringOP 2.gpio readall信息分析 3.设置gpio的模式 4.设置gpio输出的电平 三.wiringP ...

  6. 【C】Re01

    一.GCC分步编译 xxx.c文件经历的一系列编译过程: #include <stdio.h> int main() { printf("Hello, World!\n" ...

  7. 【Spring-Security】Re06 自定义Access & 注解权限分配

    一.基于ACCESS方法处理的实现: 我们之前使用的任何放行规则的方法,本质上还是调用access方法执行的 这也意味之我们可以直接使用access方法去方向,只需要注入不同的字符串即可 自定义Acc ...

  8. 【Docker】08 部署挂载本地目录的MySQL

    拉取MySQL镜像: docker pull mysql:8.0.21 执行挂载运行MySQL容器的命令: docker run -dit \ --name mysql-test \ -p 3306: ...

  9. FFmpeg在游戏视频录制中的应用:画质与文件大小的综合比较

    我们游戏内的视频录制目前只支持avi固定码率,在玩家见面会上有玩家反馈希望改善录制画质,我最近在研究了有关视频画质的一些内容并做了一些统计. 录制视频大小对比 首先在游戏引擎中增加了对录制mp4格式的 ...

  10. Typora配置自动上传图片到图床

      在多平台发布文章时,如果遇到图片不能导入的问题,推荐使用图床!推荐使用阿里云或腾讯云,免费的不用考虑了! PicGo下载 链接:https://pan.quark.cn/s/2ec95402631 ...