即使没有任何变化,触摸DOM会触发重排并重新绘制吗?

时间:2017-01-03 22:37:55

标签: javascript html performance dom reflow

我正在开发一个小型JavaScript模板引擎,当模型发生变化时,我有两种可能的方法来处理DOM的更新:

  1. 在执行之前检查是否确实需要DOM更新。这样做的好处是不会冒不必要的更新风险,但我在追踪旧值时浪费了空间。

    if (oldValue !== newValue) {
        element.textContent = newValue;
    }
    
  2. 就这么做。这显然更简单,但我担心我会毫无理由地触发重绘和回流。

    element.textContent = newValue;
    
  3. 请注意,我也通过调用setAttributeaddClassremoveClass以及设置style[prop] = value来操纵DOM。

    所以,我的问题是:现代浏览器是否足够聪明,注意到没有实际改变,因此如果你触摸DOM而没有实际改变任何东西,那么就不会运行重排或重绘?

1 个答案:

答案 0 :(得分:4)

使用MutationObserver api,您可以检测到DOM更改。

以下示例可用于查看浏览器是否根据您的需要触发Dom Changed事件。

这里有jquery text('...')el.textContent(不使用jquery)。

$(document).ready(function() {
  $('#btn1').click(function() {
    console.log('text changed - jquery');
    $('#a1').text('text 1');
  });
  $('#btn2').click(function() {
    console.log('text changed - textContent');
    $('#a1')[0].textContent  = $('#a1')[0].textContent 
  });
  $('#btn3').click(function() {
    console.log('class changed');
    $('#a1').attr('class', 'cls' + Math.floor(Math.random() * 10));
  });
});


var target = $('#a1')[0];

// create an observer instance
var observer = new MutationObserver(function(mutations) {
  var changed = false;
  mutations.forEach(function(mutation) {
    // You can check the actual changes here
  });
  console.log('Dom Changed');
});

// configuration of the observer:
var config = { attributes: true, childList: true, characterData: true };

// pass in the target node, as well as the observer options
observer.observe(target, config);
.cls1 {
  border: 1px solid red;
}
.cls2 {
  border: 1px solid pink;
}
.cls3 {
  border: 1px solid cyan;
}
.cls4 {
  border: 1px solid darkgreen;
}
.cls5 {
  border: 1px solid orange;
}
.cls6 {
  border: 1px solid darkred;
}
.cls7 {
  border: 1px solid black;
}
.cls8 {
  border: 1px solid yellow;
}
.cls9 {
  border: 1px solid blue;
}
.cls10 {
  border: 1px solid green;
}
<script src="https://ajax.googleapis.com/ajax/libs/jquery/2.1.1/jquery.min.js"></script>
<div id="a1" class="cls1">text 1</div>
<button id="btn1">Change text - jquery (keep original)</button><br />
<button id="btn2">Change text - textContent (keep original)</button><br />
<button id="btn3">Change class (real change)</button>

  • 在Chrome 55中,只有setAttribute()和jQuery text()触发了Dom Change事件。
  • 在Firefox 50中,所有内容都触发了Dom Change事件。
  • 在Edge 38中,所有内容都触发了Dom Change事件。