JavaScriptでsvgタグを変更してサイズ変更可能にしようとしていますが、変更しても効果がありません。これを行う必要がある理由は、このタグは変更できないライブラリによってレンダリングされるため、私の唯一の選択肢はJavaScriptでsvgを変更することだけのようです。
このスクリプトが生成するタグは正しいことを知っています。これは、新しいHTMLドキュメントにタグをコピーでき、機能するためです(サンプルコードに含めました)。 svgが変更されたことを認識する(またはsvgを変更する別の方法)。
これが私の問題を示すHTMLページです。
<html>
<head>
<script src="http://code.jquery.com/jquery.min.js"></script>
<script type="text/javascript">
$(document).ready(function () {
var svg = $('#testsvg').find('svg')[0];
var w = svg.getAttribute('width').replace('px', '');
var h = svg.getAttribute('height').replace('px', '');
svg.removeAttribute('width');
svg.removeAttribute('height');
svg.setAttribute('viewbox', '0 0 ' + w + ' ' + h);
svg.setAttribute('preserveaspectratio', 'xminymin meet')
$(svg)
.css('width', '100%')
.css('height', '100%')
.css('background-color', 'white');
});
</script>
</head>
<body style="background-color: #333;">
<div style="width: 80%; height: 40%;">
<svg id="resultsvg" xmlns="http://www.w3.org/2000/svg" version="1.1" style="width: 100%; height: 100%; background-color: white; " viewbox="0 0 100 100" preserveaspectratio="xminymin meet">
<circle cx="50" cy="50" r="40" stroke="black" stroke-width="2" fill="red"></circle>
</svg>
</div>
<div id="testsvg" style="width: 80%; height: 40%;">
<svg xmlns="http://www.w3.org/2000/svg" version="1.1" width="100px" height="100px">
<circle cx="50" cy="50" r="40" stroke="black" stroke-width="2" fill="red" />
</svg>
</div>
</body>
</html>
SVGは大文字と小文字を区別するので
_svg.setAttribute('viewbox', '0 0 ' + w + ' ' + h);
svg.setAttribute('preserveaspectratio', 'xminymin meet')
_
書くべき
_svg.setAttribute('viewBox', '0 0 ' + w + ' ' + h);
svg.setAttribute('preserveAspectRatio', 'xMinYMin meet')
_
_<svg>
_要素の幅と高さは属性であり、スタイルではなく(htmlとは異なり)、setAttribute('width', '100%')
ではなく.css('width', '100%')
を使用する必要があります
jQuery
属性名を小文字に変換します。たとえば、viewBox
属性を設定する代わりに、viewbox
を設定します。残念ながら、SVG(XML方言)要素の属性名は大文字と小文字が区別されます。
JQueryを一貫して使用したい場合は、_$.attrHooks
_を使用して大文字と小文字を区別する属性を処理できます。
_['preserveAspectRatio', 'viewBox'].forEach(function(k) {
// jQuery converts the attribute name to lowercase before
// looking for the hook.
$.attrHooks[k.toLowerCase()] = {
set: function(el, value) {
if (value) {
el.setAttribute(k, value);
} else {
el.removeAttribute(k, value);
}
return true;
},
get: function(el) {
return el.getAttribute(k);
},
};
});
$(document).ready(function() {
var svg = $('#testsvg');
var w = svg.attr('width').replace('px', '');
var h = svg.attr('height').replace('px', '');
svg.attr({
width: '100%',
height: '100%',
viewBox: [0, 0, w, h].join(' '),
preserveAspectRatio: 'xMidYMid meet'
})
});
_
el.attr('viewBox', null)
は失敗することに注意してください。フックセッターは呼び出されません。代わりに、el.removeAttr('viewBox')
またはel.attr('viewBox', false)
を使用する必要があります。
ストロークのような他の属性については、スタイルシートに入れます。
_svg {
background-color: white;
}
circle {
fill: red;
stroke: black;
stroke-width: 1px;
}
_
特定の要素のスタイルを変更するためにクラスを追加/切り替える必要がある場合は、jQuery 1.12+またはjquery 2.2+を使用する必要があります。