我正在编写一个脚本,需要检查<style>
标记内是否定义了某些CSS属性。
<style type="text/css">
#bar {width: 200px;}
</style>
<div id="foo" style="width: 200px;">foo</div>
<div id="bar">bar</div>
// 200px
console.log(document.getElementById("foo").style.width);
// an empty string
console.log(document.getElementById("bar").style.width);
if(property_width_defined_in_style_tag) {
// ...
}
这可能吗?
我没有试图获得getComputedStyle(ele).width
顺便说一句。
答案 0 :(得分:5)
您可以在javascript中完全探索styleSheets。
从document.styleSheets
数组开始。值是文档使用的不同样式元素或CSS文件。
答案 1 :(得分:5)
我不确定这是你想要的,它最接近你的第一个伪代码,你有一个元素实例,无论如何希望它有帮助:
var proto = Element.prototype;
var slice = Function.call.bind(Array.prototype.slice);
var matches = Function.call.bind(proto.matchesSelector ||
proto.mozMatchesSelector || proto.webkitMatchesSelector ||
proto.msMatchesSelector || proto.oMatchesSelector);
// Returns true if a DOM Element matches a cssRule
var elementMatchCSSRule = function(element, cssRule) {
return matches(element, cssRule.selectorText);
};
// Returns true if a property is defined in a cssRule
var propertyInCSSRule = function(prop, cssRule) {
return prop in cssRule.style && cssRule.style[prop] !== "";
};
// Here we get the cssRules across all the stylesheets in one array
var cssRules = slice(document.styleSheets).reduce(function(rules, styleSheet) {
return rules.concat(slice(styleSheet.cssRules));
}, []);
// get a reference to an element, then...
var bar = document.getElementById("bar");
// get only the css rules that matches that element
var elementRules = cssRules.filter(elementMatchCSSRule.bind(null, bar));
// check if the property "width" is in one of those rules
hasWidth = elementRules.some(propertyInCSSRule.bind(null, "width"));
我认为您可以将所有这些代码重用于您的目的,或仅仅是其中的一部分,它是有目的的模块化 - 例如,一旦您将所有cssRules
展平,或elementRules
,你仍然可以使用for
循环并检查你需要什么。
它使用ES5函数和matchesSelector,因此在没有填充程序的旧浏览器中将无法运行。此外,您还可以按优先级等过滤 - 例如,您可以删除所有属性的优先级低于内联样式等等。