Home > Back-end >  How to append a div inside svg with javascript
How to append a div inside svg with javascript

Time:03-17

I am trying to figure out how can I use javascript to generate the following svg programmatically.

<svg viewBox="0 0 200 200" xmlns="http://www.w3.org/2000/svg">
    <rect  id="bg" x="0" y="0" width="200" height="200" fill="#0357D5"></rect>
    <foreignObject x="0" y="0" width="60" height="50">
        <div xmlns="http://www.w3.org/1999/xhtml">Thanks </div>
    </foreignObject>
</svg>

This is what I tried

const svg = document.querySelector("svg");

const svgns = "http://www.w3.org/2000/svg";

let bg = document.createElementNS(svgns, 'rect');
bg.setAttribute('class', 'bg');
bg.setAttribute('id', 'bg');  
bg.setAttribute('x',"0");
bg.setAttribute("y","0"); 
bg.setAttribute("width", "200");
bg.setAttribute("height", '200');
bg.setAttribute("fill","#0357D5");
svg.appendChild(bg); 

let fo = document.createElementNS(svgns, 'foreignObject');
fo.setAttribute("x", "0");
fo.setAttribute("y", "0");
fo.setAttribute("width", "60");
fo.setAttribute("height", "50");
svg.appendChild(fo);   

let _div = document.createElementNS(svgns, 'div');
_div.setAttribute("xmlns", 'http://www.w3.org/1999/xhtml');
_div.textContent = 'Thanks';
svg.appendChild(_div);
fo.appendChild(_div);
<svg viewBox="0 0 200 200" xmlns="http://www.w3.org/2000/svg">
</svg>

CodePudding user response:

You need to use createElement('div') – not createElementNS, since its not an svg element.

const svg = document.querySelector("#svg");

const svgns = "http://www.w3.org/2000/svg";

let bg = document.createElementNS(svgns, 'rect');
bg.setAttribute('class', 'bg');
bg.setAttribute('id', 'bg');  
bg.setAttribute('x',"0");
bg.setAttribute("y","0"); 
bg.setAttribute("width", "200");
bg.setAttribute("height", '200');
bg.setAttribute("fill","#0357D5");
svg.appendChild(bg); 


let fo = document.createElementNS(svgns, 'foreignObject');
fo.setAttribute("x", "0");
fo.setAttribute("y", "0");
fo.setAttribute("width", "60");
fo.setAttribute("height", "50");
svg.appendChild(fo);   

let _div = document.createElement('div');
_div.setAttribute("xmlns", 'http://www.w3.org/1999/xhtml');
_div.textContent = 'Thanks';
svg.appendChild(_div);
fo.appendChild(_div);
svg{
  display:inline-block;
  width:20em;
}
<svg id="svg" viewBox="0 0 200 200" xmlns="http://www.w3.org/2000/svg">
</svg>

  • Related