jQuery 中有没有办法从现有元素中获取所有 CSS 并将其应用到另一个元素而不将它们全部列出?
我知道如果它们是带有 的样式属性会起作用attr()
,但是我的所有样式都在外部样式表中。
jQuery 中有没有办法从现有元素中获取所有 CSS 并将其应用到另一个元素而不将它们全部列出?
我知道如果它们是带有 的样式属性会起作用attr()
,但是我的所有样式都在外部样式表中。
晚了几年,但这里有一个解决方案,可以检索内联样式和外部样式:
function css(a) {
var sheets = document.styleSheets, o = {};
for (var i in sheets) {
var rules = sheets[i].rules || sheets[i].cssRules;
for (var r in rules) {
if (a.is(rules[r].selectorText)) {
o = $.extend(o, css2json(rules[r].style), css2json(a.attr('style')));
}
}
}
return o;
}
function css2json(css) {
var s = {};
if (!css) return s;
if (css instanceof CSSStyleDeclaration) {
for (var i in css) {
if ((css[i]).toLowerCase) {
s[(css[i]).toLowerCase()] = (css[css[i]]);
}
}
} else if (typeof css == "string") {
css = css.split("; ");
for (var i in css) {
var l = css[i].split(": ");
s[l[0].toLowerCase()] = (l[1]);
}
}
return s;
}
传入一个 jQuery 对象css()
,它将返回一个对象,然后您可以将其插回到 jQuery 中$().css()
,例如:
var style = css($("#elementToGetAllCSS"));
$("#elementToPutStyleInto").css(style);
:)
晚了两年,但我有你正在寻找的解决方案。不打算从原作者那里获得荣誉,这里有一个插件,我发现它非常适合您的需要,但可以在所有浏览器中获得所有可能的样式,甚至 IE。
警告:此代码生成大量输出,应谨慎使用。它不仅复制所有标准 CSS 属性,还复制该浏览器的所有供应商 CSS 属性。
jquery.getStyleObject.js:
/*
* getStyleObject Plugin for jQuery JavaScript Library
* From: http://upshots.org/?p=112
*/
(function($){
$.fn.getStyleObject = function(){
var dom = this.get(0);
var style;
var returns = {};
if(window.getComputedStyle){
var camelize = function(a,b){
return b.toUpperCase();
};
style = window.getComputedStyle(dom, null);
for(var i = 0, l = style.length; i < l; i++){
var prop = style[i];
var camel = prop.replace(/\-([a-z])/g, camelize);
var val = style.getPropertyValue(prop);
returns[camel] = val;
};
return returns;
};
if(style = dom.currentStyle){
for(var prop in style){
returns[prop] = style[prop];
};
return returns;
};
return this.css();
}
})(jQuery);
基本用法非常简单,但他也为此编写了一个函数:
$.fn.copyCSS = function(source){
var styles = $(source).getStyleObject();
this.css(styles);
}
希望有帮助。
为什么不使用.style
DOM 元素?它是一个包含width
和等成员的对象backgroundColor
。
我尝试了许多不同的解决方案。这是唯一对我有用的方法,因为它能够获取在类级别应用的样式以及直接归因于元素的样式。所以一个字体设置在 css 文件级别,一个作为样式属性;它返回了正确的字体。
很简单!(抱歉,找不到我最初找到它的地方)
//-- html object
var element = htmlObject; //e.g document.getElementById
//-- or jquery object
var element = htmlObject[0]; //e.g $(selector)
var stylearray = document.defaultView.getComputedStyle(element, null);
var font = stylearray["font-family"]
或者,您可以通过循环遍历数组来列出所有样式
for (var key in stylearray) {
console.log(key + ': ' + stylearray[key];
}
@marknadal 的解决方案没有为我获取带连字符的属性(例如max-width
),而是更改第一个for
循环css2json()
使其工作,我怀疑执行更少的迭代:
for (var i = 0; i < css.length; i += 1) {
s[css[i]] = css.getPropertyValue(css[i]);
}
循环 vialength
而不是in,
检索 viagetPropertyValue()
而不是toLowerCase().