我经常使用一个简单的Greasemonkey JS脚本来隐藏网页上的元素 - 这是我用来隐藏Yahoo Mail上某些具有特定ID的DIV中的广告的基本内容:
function addGlobalStyle(css) {
var head, style;
head = document.getElementsByTagName('head')[0];
if (!head) { return; }
style = document.createElement('style');
style.type = 'text/css';
style.innerHTML = css;
head.appendChild(style);
}
addGlobalStyle(" #slot_LREC, #slot_LREC4 { display:none; }");
我遇到的问题是,Yahoo Mail中的很多内容都没有通用的类或ID,而是具有data-test-id
值 - 例如
<a data-test-id="pencil-ad" class="something_very_complicated">example</a>
我想知道是否有办法创建addGlobalStyle函数的变体来隐藏元素具有特定data-test-id
值的元素?
我没有使用jQuery的选项 - 或者至少,我不知道如何将jQuery添加到GM脚本中......
据我所知,这不是javascript: select all elements with "data-" attribute (without jQuery)的重复,因为我试图只隐藏data-test-id属性具有特定值的一个元素。我不是要隐藏所有具有data-test-id属性的元素。
答案 0 :(得分:0)
您可以根据此类属性进行选择。
我正在使用data-test-id=cheese
选择所有元素,然后我使用for of
隐藏它们。
let elements = document.querySelectorAll('[data-test-id=cheese]');
for (let element of elements) {
element.style.display = "none";
}
div {
height: 100px;
margin: 5px 0px;
background: tomato;
line-height: 100px;
text-align: center;
color: white;
font-size: 20px;
}
<div>1</div>
<div>2</div>
<div data-test-id="cheese">3</div>
<div>4</div>
<div data-test-id="cheese">5</div>
<div>6</div>
<div data-test-id="cheese">7</div>
<div>8</div>
当然,你可以通过添加这个CSS
来实现这一点而不需要任何javascript
div {
height: 100px;
margin: 5px 0px;
background: tomato;
line-height: 100px;
text-align: center;
color: white;
font-size: 20px;
}
[data-test-id=cheese] {
display: none
}
<div>1</div>
<div>2</div>
<div data-test-id="cheese">3</div>
<div>4</div>
<div data-test-id="cheese">5</div>
<div>6</div>
<div data-test-id="cheese">7</div>
<div>8</div>
两个片段都做同样的事情。
希望这是有帮助的