Wie liest man CSS-Regelwerte mit JavaScript?

115

Ich möchte eine Zeichenfolge mit dem gesamten Inhalt einer CSS-Regel zurückgeben, wie das Format, das Sie in einem Inline-Stil sehen würden. Ich möchte dies tun können, ohne zu wissen, was in einer bestimmten Regel enthalten ist, daher kann ich sie nicht einfach anhand des Stilnamens (wie .style.widthusw.) herausziehen .

Das CSS:

.test {
    width:80px;
    height:50px;
    background-color:#808080;
}

Der bisherige Code:

function getStyle(className) {
    var classes = document.styleSheets[0].rules || document.styleSheets[0].cssRules
    for(var x=0;x<classes.length;x++) {
        if(classes[x].selectorText==className) {
            //this is where I can collect the style information, but how?
        }
    }
}
getStyle('.test')
Diodeus - James MacFarlane
quelle
Bitte überprüfen Sie dies auch. stackoverflow.com/questions/53592919/…
Mithilesh Kumar

Antworten:

90

Von hier aus angepasst , basierend auf der Antwort von scunliffe:

function getStyle(className) {
    var cssText = "";
    var classes = document.styleSheets[0].rules || document.styleSheets[0].cssRules;
    for (var x = 0; x < classes.length; x++) {        
        if (classes[x].selectorText == className) {
            cssText += classes[x].cssText || classes[x].style.cssText;
        }         
    }
    return cssText;
}

alert(getStyle('.test'));
nsdel
quelle
11
Beachten Sie, dass className genau mit dem in der CSS-Datei verwendeten Selektor übereinstimmen muss. Zum Beispiel findet getStyle (". Article a") nichts, wenn ein Stil wie folgt beschrieben wurde: ".article a, article a: hover {color: #ccc;}".
Vilius Paulauskas
1
Dies funktioniert nicht in Chrom, aber es funktioniert in Firefox, was könnte das Problem sein?
Johnydep
13
Wenn mehrere Stylesheets vorhanden sind, müssen Sie diese ebenfalls durchlaufen. for (var i = 0; i <document.styleSheets.length; i ++) {var s = document.styleSheets [i];}
surya
@surya Siehe meine Antwort für eine angepasste voll funktionsfähige Lösung
Alter
2
@ Johnydep var classessollte document.styleSheets[0].rules[0].cssRulesin Chrome sein. Dies könnte (kreativ) der Unterlegscheibe in der Antwort hinzugefügt werden.
Henrik Christensen
23

Da die akzeptierte Antwort von "nsdel" nur mit einem Stylesheet in einem Dokument verfügbar ist, ist dies die angepasste voll funktionsfähige Lösung:

    /**
     * Gets styles by a classname
     * 
     * @notice The className must be 1:1 the same as in the CSS
     * @param string className_
     */
    function getStyle(className_) {

        var styleSheets = window.document.styleSheets;
        var styleSheetsLength = styleSheets.length;
        for(var i = 0; i < styleSheetsLength; i++){
            var classes = styleSheets[i].rules || styleSheets[i].cssRules;
            if (!classes)
                continue;
            var classesLength = classes.length;
            for (var x = 0; x < classesLength; x++) {
                if (classes[x].selectorText == className_) {
                    var ret;
                    if(classes[x].cssText){
                        ret = classes[x].cssText;
                    } else {
                        ret = classes[x].style.cssText;
                    }
                    if(ret.indexOf(classes[x].selectorText) == -1){
                        ret = classes[x].selectorText + "{" + ret + "}";
                    }
                    return ret;
                }
            }
        }

    }

Hinweis: Der Selektor muss derselbe sein wie im CSS.

Kumpel
quelle
global_ist nur ein Alias ​​für das Fensterobjekt. Ich habe das Code-Snippet bearbeitet. Es sollte jetzt funktionieren
Alter
3
Ihr Code schlägt fehl, wenn ein Stylesheet keine Regeln oder cssRules enthält (was passieren kann!). Fügen Sie hinzu, wenn (! Klassen) fortfahren. nach var classes = styleSheets [i] .rules || styleSheets [i] .cssRules; var classesLength = classes.length; siehe meine Bearbeitung
Kofifus
1
funktioniert, sollte aber ein Objekt anstelle eines Strings zurückgeben
brauliobo
@kofifus Ihr Ansatz wurde hinzugefügt
Alter
Beachten Sie, dass dies seit GC versio 64.0 nicht mehr funktioniert: stackoverflow.com/questions/48753691/…
Shalev Levi
18

LÖSUNG 1 (CROSS-BROWSER)

function GetProperty(classOrId,property)
{ 
    var FirstChar = classOrId.charAt(0);  var Remaining= classOrId.substring(1);
    var elem = (FirstChar =='#') ?  document.getElementById(Remaining) : document.getElementsByClassName(Remaining)[0];
    return window.getComputedStyle(elem,null).getPropertyValue(property);
}

alert( GetProperty(".my_site_title","position") ) ;

LÖSUNG 2 (CROSS-BROWSER)

function GetStyle(CLASSname) 
{
    var styleSheets = document.styleSheets;
    var styleSheetsLength = styleSheets.length;
    for(var i = 0; i < styleSheetsLength; i++){
        if (styleSheets[i].rules ) { var classes = styleSheets[i].rules; }
        else { 
            try {  if(!styleSheets[i].cssRules) {continue;} } 
            //Note that SecurityError exception is specific to Firefox.
            catch(e) { if(e.name == 'SecurityError') { console.log("SecurityError. Cant readd: "+ styleSheets[i].href);  continue; }}
            var classes = styleSheets[i].cssRules ;
        }
        for (var x = 0; x < classes.length; x++) {
            if (classes[x].selectorText == CLASSname) {
                var ret = (classes[x].cssText) ? classes[x].cssText : classes[x].style.cssText ;
                if(ret.indexOf(classes[x].selectorText) == -1){ret = classes[x].selectorText + "{" + ret + "}";}
                return ret;
            }
        }
    }
}

alert( GetStyle('.my_site_title') );
T.Todua
quelle
6

Einige Browser-Unterschiede, die Sie beachten sollten:

Angesichts des CSS:

div#a { ... }
div#b, div#c { ... }

In InsDels Beispiel haben Klassen 2 Klassen in FF und 3 Klassen in IE7 .

Mein Beispiel veranschaulicht dies:

<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN"
   "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
<html xmlns="http://www.w3.org/1999/xhtml" xml:lang="en" lang="en">
<head>
    <style>
    div#a { }
    div#b, div#c { }
    </style>
    <script>
    function PrintRules() {
    var rules = document.styleSheets[0].rules || document.styleSheets[0].cssRules
        for(var x=0;x<rules.length;x++) {
            document.getElementById("rules").innerHTML += rules[x].selectorText + "<br />";
        }
    }
    </script>
</head>
<body>
    <input onclick="PrintRules()" type="button" value="Print Rules" /><br />
    RULES:
    <div id="rules"></div>
</body>
</html>
Larsenal
quelle
4

Hier ist Code zum Durchlaufen aller Regeln auf einer Seite:

function iterateCSS(f) {
  for (const styleSheet of window.document.styleSheets) {
    const classes = styleSheet.rules || styleSheet.cssRules;
    if (!classes) continue;

    for (const cssRule of classes) {
      if (cssRule.type !== 1 || !cssRule.style) continue;
      const selector = cssRule.selectorText, style=cssRule.style;
      if (!selector || !style.cssText) continue;
      for (let i=0; i<style.length; i++) {
        const propertyName=style.item(i);
        if (f(selector, propertyName, style.getPropertyValue(propertyName), style.getPropertyPriority(propertyName), cssRule)===false) return;
      }
    }
  }
}

iterateCSS( (selector, propertyName, propertyValue, propertyPriority, cssRule) => {
  console.log(selector+' { '+propertyName+': '+propertyValue+(propertyPriority==='important' ? ' !important' : '')+' }');
});

Kofifus
quelle
2
function getStyle(className) {
    document.styleSheets.item("menu").cssRules.item(className).cssText;
}
getStyle('.test')

Hinweis: "menu" ist eine Element-ID, auf die Sie CSS angewendet haben. "className" Ein CSS-Klassenname, den wir benötigen, um seinen Text zu erhalten.

sivaprakasht
quelle
Bist du sicher, dass das funktioniert? (AFAIK die itemMethode verwendet einen ganzzahligen Index, keinen Klassennamen).
Julien Kronegg
kompletter Unsinn
tnt-rox
2

Ich habe keinen der Vorschläge gefunden, um wirklich zu funktionieren. Hier ist eine robustere Version, die den Abstand beim Suchen von Klassen normalisiert.

//Inside closure so that the inner functions don't need regeneration on every call.
const getCssClasses = (function () {
    function normalize(str) {
        if (!str)  return '';
        str = String(str).replace(/\s*([>~+])\s*/g, ' $1 ');  //Normalize symbol spacing.
        return str.replace(/(\s+)/g, ' ').trim();           //Normalize whitespace
    }
    function split(str, on) {               //Split, Trim, and remove empty elements
        return str.split(on).map(x => x.trim()).filter(x => x);
    }
    function containsAny(selText, ors) {
        return selText ? ors.some(x => selText.indexOf(x) >= 0) : false;
    }
    return function (selector) {
        const logicalORs = split(normalize(selector), ',');
        const sheets = Array.from(window.document.styleSheets);
        const ruleArrays = sheets.map((x) => Array.from(x.rules || x.cssRules || []));
        const allRules = ruleArrays.reduce((all, x) => all.concat(x), []);
        return allRules.filter((x) => containsAny(normalize(x.selectorText), logicalORs));
    };
})();

Hier ist es in Aktion von der Chrome-Konsole.

Geben Sie hier die Bildbeschreibung ein

Derek Ziemba
quelle
1
Dies ist der Mecha aller Antworten auf dieser Seite. Ich würde sogar so weit gehen zu sagen, dass dies auf Github sein sollte
Jacksonkr
Dies funktioniert in IE11 nicht, da Array.map () mit der angegebenen Syntax nicht unterstützt wird. Ich würde vorschlagen, es auf die alte Funktion () zu ändern {return xxx; } Syntax für bessere Kompatibilität. Ansonsten tolle Antwort!
Demonblack
1
Ich habe dies geändert, um mit IE11 (zB ES5) zu arbeiten. Hier ist eine JSFiddle mit allem, was Sie brauchen: jsfiddle.net/xp5r8961
Demonblack
1

Ich habe eine ähnliche Hilfsfunktion erstellt, die die nicht benötigten Stile für diese Seite anzeigt. Hängt ein <div>an den Körper an und listet alle Stile auf, die nicht verwendet wurden.

(zur Verwendung mit der Firebug-Konsole)

(function getStyles(){var CSSrules,allRules,CSSSheets, unNeeded, currentRule;
CSSSheets=document.styleSheets;

for(j=0;j<CSSSheets.length;j++){
for(i=0;i<CSSSheets[j].cssRules.length;i++){
    currentRule = CSSSheets[j].cssRules[i].selectorText;

    if(!document.querySelectorAll(currentRule).length){ 
       unNeeded+=CSSSheets[j].cssRules[i].cssText+"<br>"; 
  }       
 }
}

docBody=document.getElementsByTagName("body")[0];
allRulesContainer=document.createElement("div");
docBody.appendChild(allRulesContainer);
allRulesContainer.innerHTML=unNeeded+isHover;
return false
})()
Adardesign
quelle
1

Habe die Antwort von Julmot angepasst, um ein vollständigeres Ergebnis zu erhalten. Diese Methode gibt auch Stile zurück, bei denen die Klasse Teil des Selektors ist.

//Get all styles where the provided class is involved
//Input parameters should be css selector such as .myClass or #m
//returned as an array of tuples {selectorText:"", styleDefinition:""}
function getStyleWithCSSSelector(cssSelector) {
    var styleSheets = window.document.styleSheets;
    var styleSheetsLength = styleSheets.length;
    var arStylesWithCSSSelector = [];

    //in order to not find class which has the current name as prefix
    var arValidCharsAfterCssSelector = [" ", ".", ",", "#",">","+",":","["];

    //loop through all the stylessheets in the bor
    for(var i = 0; i < styleSheetsLength; i++){
        var classes = styleSheets[i].rules || styleSheets[i].cssRules;
        var classesLength = classes.length;
        for (var x = 0; x < classesLength; x++) {
            //check for any reference to the class in the selector string
            if(typeof classes[x].selectorText != "undefined"){
                var matchClass = false;

                if(classes[x].selectorText === cssSelector){//exact match
                    matchClass=true;
                }else {//check for it as part of the selector string
                    //TODO: Optimize with regexp
                    for (var j=0;j<arValidCharsAfterCssSelector.length; j++){
                        var cssSelectorWithNextChar = cssSelector+ arValidCharsAfterCssSelector[j];

                        if(classes[x].selectorText.indexOf(cssSelectorWithNextChar)!=-1){
                            matchClass=true;
                            //break out of for-loop
                            break;
                        }
                    }
                }

                if(matchClass === true){
                    //console.log("Found "+ cssSelectorWithNextChar + " in css class definition " + classes[x].selectorText);
                    var styleDefinition;
                    if(classes[x].cssText){
                        styleDefinition = classes[x].cssText;
                    } else {
                        styleDefinition = classes[x].style.cssText;
                    }
                    if(styleDefinition.indexOf(classes[x].selectorText) == -1){
                        styleDefinition = classes[x].selectorText + "{" + styleDefinition + "}";
                    }
                    arStylesWithCSSSelector.push({"selectorText":classes[x].selectorText, "styleDefinition":styleDefinition});
                }
            }
        }
    }
    if(arStylesWithCSSSelector.length==0) {
        return null;
    }else {
        return arStylesWithCSSSelector;    
    }
}

Außerdem habe ich eine Funktion erstellt, die die CSS-Stildefinitionen im Unterbaum eines von Ihnen bereitgestellten Stammknotens (über einen JQuery-Selektor) sammelt.

function getAllCSSClassDefinitionsForSubtree(selectorOfRootElement){
    //stack in which elements are pushed and poped from
    var arStackElements = [];
    //dictionary for checking already added css class definitions
    var existingClassDefinitions = {}

    //use jquery for selecting root element
    var rootElement = $(selectorOfRootElement)[0];
    //string with the complete CSS output
    var cssString = "";

    console.log("Fetching all classes used in sub tree of " +selectorOfRootElement);
    arStackElements.push(rootElement);
    var currentElement;

    while(currentElement = arStackElements.pop()){
        currentElement = $(currentElement);
        console.log("Processing element " + currentElement.attr("id"));

        //Look at class attribute of element 
        var classesString = currentElement.attr("class");
        if(typeof classesString != 'undefined'){
            var arClasses = classesString.split(" ");

            //for each class in the current element
            for(var i=0; i< arClasses.length; i++){

                //fetch the CSS Styles for a single class. Need to append the . char to indicate its a class
                var arStylesWithCSSSelector = getStyleWithCSSSelector("."+arClasses[i]);
                console.log("Processing class "+ arClasses[i]);

                if(arStylesWithCSSSelector != null){
                    //console.log("Found "+ arStylesWithCSSSelector.length + " CSS style definitions for class " +arClasses[i]);
                    //append all found styles to the cssString
                    for(var j=0; j< arStylesWithCSSSelector.length; j++){
                        var tupleStyleWithCSSSelector = arStylesWithCSSSelector[j];

                        //check if it has already been added
                        if(typeof existingClassDefinitions[tupleStyleWithCSSSelector.selectorText] === "undefined"){
                            //console.log("Adding " + tupleStyleWithCSSSelector.styleDefinition);
                            cssString+= tupleStyleWithCSSSelector.styleDefinition;
                            existingClassDefinitions[tupleStyleWithCSSSelector.selectorText] = true;
                        }else {
                            //console.log("Already added " + tupleStyleWithCSSSelector.styleDefinition);
                        }
                    }
                }
            }
        }
        //push all child elments to stack
        if(currentElement.children().length>0){
            arStackElements= arStackElements.concat(currentElement.children().toArray());
        }
    }

    console.log("Found " + Object.keys(existingClassDefinitions).length + " CSS class definitions");
    return cssString;
}

Beachten Sie, dass die obige Funktion nur die erste aufnimmt, wenn eine Klasse mehrmals mit demselben Selektor definiert wird. Beachten Sie, dass das Beispiel jQuery verwendet (aber die Kabine kann relativ einfach umgeschrieben werden, um sie nicht zu verwenden).

dparnas
quelle
1
wäre toll, eine nicht jquery Lösung (und eine jsfiddle ..) zu haben
kofifus
0

// funktioniert im IE, nicht sicher über andere Browser ...

alert(classes[x].style.cssText);
scunliffe
quelle
0

Diese Version durchläuft alle Stylesheets auf einer Seite. Für meine Bedürfnisse befanden sich die Stile normalerweise im vorletzten der über 20 Stylesheets, daher überprüfe ich sie rückwärts.

    var getStyle = function(className){
        var x, sheets,classes;
        for( sheets=document.styleSheets.length-1; sheets>=0; sheets-- ){
            classes = document.styleSheets[sheets].rules || document.styleSheets[sheets].cssRules;
            for(x=0;x<classes.length;x++) {
                if(classes[x].selectorText===className) {
                    return  (classes[x].cssText ? classes[x].cssText : classes[x].style.cssText);
                }
            }
        }
        return false;
    };
grigb
quelle
0

Ich habe die Rückgabe eines Objekts hinzugefügt, bei dem Attribute nach Stil / Werten analysiert werden:

var getClassStyle = function(className){
    var x, sheets,classes;
    for( sheets=document.styleSheets.length-1; sheets>=0; sheets-- ){
        classes = document.styleSheets[sheets].rules || document.styleSheets[sheets].cssRules;
        for(x=0;x<classes.length;x++) {
            if(classes[x].selectorText===className){
                classStyleTxt = (classes[x].cssText ? classes[x].cssText : classes[x].style.cssText).match(/\{\s*([^{}]+)\s*\}/)[1];
                var classStyles = {};
                var styleSets = classStyleTxt.match(/([^;:]+:\s*[^;:]+\s*)/g);
                for(y=0;y<styleSets.length;y++){
                    var style = styleSets[y].match(/\s*([^:;]+):\s*([^;:]+)/);
                    if(style.length > 2)
                        classStyles[style[1]]=style[2];
                }
                return classStyles;
            }
        }
    }
    return false;
};
Schlittenmaul
quelle
style.cssText.match(...).1ist null oder kein Objekt
Typ
Uncaught ReferenceError: classStyleTxt is not defined
Jacksonkr
0

Ich habe eine Version erstellt, die alle Stylesheets durchsucht und Übereinstimmungen als Schlüssel- / Wertobjekt zurückgibt. Sie können auch startWith angeben, um den untergeordneten Stilen zu entsprechen.

getStylesBySelector('.pure-form-html', true);

kehrt zurück:

{
    ".pure-form-html body": "padding: 0; margin: 0; font-size: 14px; font-family: tahoma;",
    ".pure-form-html h1": "margin: 0; font-size: 18px; font-family: tahoma;"
}

von:

.pure-form-html body {
    padding: 0;
    margin: 0;
    font-size: 14px;
    font-family: tahoma;
}

.pure-form-html h1 {
    margin: 0;
    font-size: 18px;
    font-family: tahoma;
}

Der Code:

/**
 * Get all CSS style blocks matching a CSS selector from stylesheets
 * @param {string} className - class name to match
 * @param {boolean} startingWith - if true matches all items starting with selector, default = false (exact match only)
 * @example getStylesBySelector('pure-form .pure-form-html ')
 * @returns {object} key/value object containing matching styles otherwise null
 */
function getStylesBySelector(className, startingWith) {

    if (!className || className === '') throw new Error('Please provide a css class name');

    var styleSheets = window.document.styleSheets;
    var result = {};

    // go through all stylesheets in the DOM
    for (var i = 0, l = styleSheets.length; i < l; i++) {

        var classes = styleSheets[i].rules || styleSheets[i].cssRules || [];

        // go through all classes in each document
        for (var x = 0, ll = classes.length; x < ll; x++) {

            var selector = classes[x].selectorText || '';
            var content = classes[x].cssText || classes[x].style.cssText || '';

            // if the selector matches
            if ((startingWith && selector.indexOf(className) === 0) || selector === className) {

                // create an object entry with selector as key and value as content
                result[selector] = content.split(/(?:{|})/)[1].trim();
            }
        }
    }

    // only return object if we have values, otherwise null
    return Object.keys(result).length > 0 ? result : null;
}

Ich verwende dies in der Produktion als Teil des reinen Projekts. Ich hoffe es hilft.

John Doherty
quelle
0

Ich hatte das gleiche Problem. Und mit Hilfe von Jungs habe ich eine wirklich clevere Lösung gefunden, die dieses Problem vollständig löst (auf Chrom laufen).

Extrahieren Sie alle Bilder aus dem Netzwerk

 function AllImagesUrl (domain){
  return  performance.getEntries()
    .filter( e=> 
       e.initiatorType == "img" &&
       new RegExp(domain).test(e.name) 
    )
  .map( e=> e.name.replace('some cleaning work here','') ) ```
pery mimon
quelle
0
const getStyle = query => [...document.querySelector(query).computedStyleMap().entries()].map(e=>(e[1]+=[],e)).map(e=>e.join`:`+';').join`\n`

Druckt in einer Zeile das generierte CSS für jede Abfrage aus.

x86
quelle
-2

Basierend auf der Antwort von @dude sollte dies relevante Stile in einem Objekt zurückgeben, zum Beispiel:

.recurly-input {                                                                                                                                                                             
  display: block;                                                                                                                                                                            
  border-radius: 2px;                                                                                                                                                                        
  -webkit-border-radius: 2px;                                                                                                                                                                
  outline: 0;                                                                                                                                                                                
  box-shadow: none;                                                                                                                                                                          
  border: 1px solid #beb7b3;                                                                                                                                                                 
  padding: 0.6em;                                                                                                                                                                            
  background-color: #f7f7f7;                                                                                                                                                                 
  width:100%;                                                                                                                                                                                
}

Dies wird zurückkehren:

backgroundColor:
"rgb(247, 247, 247)"
border
:
"1px solid rgb(190, 183, 179)"
borderBottom
:
"1px solid rgb(190, 183, 179)"
borderBottomColor
:
"rgb(190, 183, 179)"
borderBottomLeftRadius
:
"2px"
borderBottomRightRadius
:
"2px"
borderBottomStyle
:
"solid"
borderBottomWidth
:
"1px"
borderColor
:
"rgb(190, 183, 179)"
borderLeft
:
"1px solid rgb(190, 183, 179)"
borderLeftColor
:
"rgb(190, 183, 179)"
borderLeftStyle
:
"solid"
borderLeftWidth
:
"1px"
borderRadius
:
"2px"
borderRight
:
"1px solid rgb(190, 183, 179)"
borderRightColor
:
"rgb(190, 183, 179)"
borderRightStyle
:
"solid"
borderRightWidth
:
"1px"
borderStyle
:
"solid"
borderTop
:
"1px solid rgb(190, 183, 179)"
borderTopColor
:
"rgb(190, 183, 179)"
borderTopLeftRadius
:
"2px"
borderTopRightRadius
:
"2px"
borderTopStyle
:
"solid"
borderTopWidth
:
"1px"
borderWidth
:
"1px"
boxShadow
:
"none"
display
:
"block"
outline
:
"0px"
outlineWidth
:
"0px"
padding
:
"0.6em"
paddingBottom
:
"0.6em"
paddingLeft
:
"0.6em"
paddingRight
:
"0.6em"
paddingTop
:
"0.6em"
width
:
"100%"

Code:

function getStyle(className_) {

    var styleSheets = window.document.styleSheets;
    var styleSheetsLength = styleSheets.length;
    for(var i = 0; i < styleSheetsLength; i++){
        var classes = styleSheets[i].rules || styleSheets[i].cssRules;
        if (!classes)
            continue;
        var classesLength = classes.length;
        for (var x = 0; x < classesLength; x++) {
            if (classes[x].selectorText == className_) {
                return _.pickBy(classes[x].style, (v, k) => isNaN(parseInt(k)) && typeof(v) == 'string' && v && v != 'initial' && k != 'cssText' )
            }
        }
    }

}
Brauliobo
quelle
etwas ohne lodash in Gebrauch? _.pickBy existiert sonst nicht.
mpag
k & v sind umgekehrt, basierend auf dem, was Sie von ihnen verlangen .... sollte zurückgegeben werden_.pickBy(classes[x].style, (k,v) => isNaN(parseInt(k)) && typeof(v) == 'string' && v && v != 'initial' && k != 'cssText' )
mpag