Replacing url in CSS with CSS Parser and Regex (Java)

I have this requirement that I need to replace the URL in CSS while I have this code that renders the rules of the css file:

@Override
public void parse(String document) {
    log.info("Parsing CSS: " + document);
    this.document = document;
    InputSource source = new InputSource(new StringReader(this.document));
    try {
        CSSStyleSheet stylesheet = parser.parseStyleSheet(source, null, null);
        CSSRuleList ruleList = stylesheet.getCssRules(); 
        log.info("Number of rules: " + ruleList.getLength());
        // lets examine the stylesheet contents 
        for (int i = 0; i < ruleList.getLength(); i++) 
        { 
            CSSRule rule = ruleList.item(i); 
            if (rule instanceof CSSStyleRule) { 
                CSSStyleRule styleRule=(CSSStyleRule)rule; 
                log.info("selector: " + styleRule.getSelectorText()); 
                CSSStyleDeclaration styleDeclaration = styleRule.getStyle(); 
                //assertEquals(1, styleDeclaration.getLength()); 
                for (int j = 0; j < styleDeclaration.getLength(); j++) {
                    String property = styleDeclaration.item(j); 
                    log.info("property: " + property); 
                    log.info("value: " + styleDeclaration.getPropertyCSSValue(property).getCssText()); 
                    } 
                } 
            } 
    } catch (IOException e) {
        e.printStackTrace();
    }

}

      

However, I am not sure how to actually replace the URL-address, because the documentation on CSS Parser missing

+3


source to share


1 answer


Here's the edited one for the loop:



//Only images can be there in CSS.
Pattern URL_PATTERN = Pattern.compile("http://.*?jpg|jpeg|png|gif");
for (int j = 0; j < styleDeclaration.getLength(); j++) {
    String property = styleDeclaration.item(j); 
    String value = styleDeclaration.getPropertyCSSValue(property).getCssText();

    Matcher m = URL_PATTERN.matcher(value);
    //CSS property can have multiple URL. Hence do it in while loop.
    while(m.find()) {
        String originalUrl = m.group(0);
       //Now you've the original URL here. Change it however ou want.
    }
}

      

+1


source







All Articles