发布时间:2023-04-28 文章分类:WEB开发, 电脑百科 投稿人:李佳 字号: 默认 | | 超大 打印

目录

    • JS修改样式的九种方式
      • 1.直接设置style的属性
      • 2.直接设置属性
      • 3.设置style的属性
      • 4.使用setProperty
      • 5.改变class (推荐)
      • 6.设置cssText
      • 7.引入css样式文件
      • 8.使用addRule、insertRule
      • 9、通过classList控制样式

JS修改样式的九种方式

1.直接设置style的属性

style属性可以设置或返回元素的内联样式,对于更改同一个元素的同一种样式,设置style属性的优先级较高

var box = document.querySelector('div')
box.style.color = "#fff" // 将元素中文字设置为白色 
box.style.marginLeft = "100px" // 将元素左外边距设置为100px 

某些情况用这个设置 !important值无效

如果属性有’-'号,就写成驼峰的形式(如textAlign) 如果想保留 - 号,就中括号的形式

element.style.height = '100px';

2.直接设置属性

只能用于某些属性,相关样式会自动识别

element.setAttribute('height', 100);
element.setAttribute('height', '100px');

3.设置style的属性

element.setAttribute('style', 'height: 100px !important');

4.使用setProperty

element.style.setProperty('height', '300px', 'important');

5.改变class (推荐)

element.className = 'blue';
element.className += 'blue fb';

6.设置cssText

element.style.cssText = 'height: 100px !important';
element.style.cssText += 'height: 100px !important';

7.引入css样式文件

 function addNewStyle(newStyle) {
            var styleElement = document.getElementById('styles_js');
            if (!styleElement) {
                styleElement = document.createElement('style');
                styleElement.type = 'text/css';
                styleElement.id = 'styles_js';
                document.getElementsByTagName('head')[0].appendChild(styleElement);
            }
            styleElement.appendChild(document.createTextNode(newStyle));
        }
        addNewStyle('.box {height: 100px !important;}');

8.使用addRule、insertRule

// 在原有样式操作
        document.styleSheets[0].addRule('.box', 'height: 100px');
        document.styleSheets[0].insertRule('.box {height: 100px}', 0);
        // 或者插入新样式时操作
        var styleEl = document.createElement('style'),
            styleSheet = styleEl.sheet;
        styleSheet.addRule('.box', 'height: 100px');
        styleSheet.insertRule('.box {height: 100px}', 0);
        document.head.appendChild(styleEl);

9、通过classList控制样式

classList常用方法介绍:

名称 描述
add(class1, class2, …) 添加一个或多个类名
remove(class1, class2, …) 移除一个或多个类名
replace(oldClass, newClass) 替换类名
contains(class) 判定类名是否存在,返回布尔值
toggle(class, true|false) 如果类名存在,则移除它,否则添加它,第二个参数代表无论类名是否存在,强制添加(true)或删除(false
<div class="box">classList test</div>
<script>
  var box = document.querySelector('.box')
  box.classList.add('box1', 'box2')    // [box] => [box, box1, box2]
  box.classList.remove('box1', 'box2') // [box, box1, box2] => [box]
  box.classList.replace('box', 'box2')  // [box] => [box2]
  box.classList.contains('box1')  // 当前元素不包含类名box1,返回false
  box.classList.toggle('active')   // [box2] => [box2, active]
</script>

如果以上知识对你有用欢迎点赞和关注~ 谢谢~