7

我创建了一个 SVG 文件,打算在 CSS 中用作背景图像。我希望能够使用查询字符串参数更改 SVG 中的填充颜色,如下所示:

#rect     { background-image: url( 'rect.svg' ); }
#rect.red { background-image: url( 'rect.svg?color=red' ); }

据我了解,使用 SVG 中的脚本标签,我能够获取color参数并更新填充颜色。这是一个示例 SVG:

<!DOCTYPE svg PUBLIC "-//W3C//DDTD SVG 1.1//EN" "http://www.w3.org/Graphics/SVG/1.1/DTD/svg11.dtd">
<svg version="1.1" xmlns="http://www.w3.org/2000/svg">
    <rect width="100%" height="100%" />

    <script>
    <![CDATA[
        var params = { };
        location.href.split( '?' )[1].split( '&' ).forEach(
            function( i )
            {
                params[ i.split( '=' )[0] ] = i.split( '=' )[1];
            }
        );

        if( params.color )
        {
            var rect = document.getElementsByTagName( "rect" )[0];
            rect.setAttribute( "fill", params.color );
        }
    ]]>
    </script>
</svg>

直接进入文件,或者使用对象标签似乎可行,但对于 CSS 背景图像或 img 标签,颜色参数被忽略。

我不确定这里发生了什么,我希望对我想要完成的事情有一个解释或替代解决方案(最好不诉诸服务器端处理)。

这是一个显示不同渲染方法的 jsFiddle:http: //jsfiddle.net/ehb7S/

4

2 回答 2

4

您可以使用隐藏的内联 SVG,对其进行更改并将其动态编码为您放入background-image属性的数据 URL。您的 HTML 可能如下所示:

<div id="backgroundContainer" style="display:none">
    <svg width="100px" height="100px" id="backgroundSvg" xmlns="http://www.w3.org/2000/svg">
        <circle cx="50" cy="50" r="50" fill="green"/>
    </svg>
</div>

<div id="divWithBackground" onclick="changeBackground(event)">
    Click to change background SVG to random color
</div>

和你的 JavaScript 一样

changeBackground = function(event) {
  var backgroundSvg = document.getElementById("backgroundSvg");
  var backgroundContainer = document.getElementById("backgroundContainer");
  backgroundSvg.getElementsByTagName("circle")[0].setAttribute(
    "fill",
    ["red","green","blue","black"][Math.floor(4*Math.random())]
  );
  event.target.setAttribute(
    "style",
    "background-image:url(data:image/svg+xml,"
    + encodeURI(backgroundContainer.innerHTML)
    + ")"
  );
}

请参阅jsFiddle 上的概念证明

于 2013-04-13T12:25:14.713 回答
2

我最终创建了一个服务器端解决方案,允许我将颜色填充注入 SVG 文件。本质上,我将所有 SVG 请求重定向到一个 PHP 文件,该文件对它们执行以下操作:

$filename = $_SERVER['SCRIPT_FILENAME'];

$svg = simplexml_load_file( $filename );
if( isset( $_GET['color'] ) )
{
    $svg->path->addAttribute( 'fill', '#' . $_GET['color'] );
}

header( "Content-type: image/svg+xml" );
echo $svg->asXML( );

显然,还有更多的东西,处理缓存等等,但这就是肉-n-土豆。可能还想检查该fill属性是否已经存在。

于 2014-04-07T15:47:53.430 回答