Skip to content Skip to sidebar Skip to footer

Coverting Jquery Dom To Html

I have the following jQuery DOM : var markup = $('').addClass('ClassName') .attr({ href : 'Something.html',title : 'Edit'}); I want to convert the a

Solution 1:

Either get outerHTML property of dom element

var markup = $("<a></a>").addClass("ClassName")
  .attr({
    href: "Something.html",
    title: "Edit"
  });

console.log(
  markup[0].outerHTML
)
<scriptsrc="https://ajax.googleapis.com/ajax/libs/jquery/2.1.1/jquery.min.js"></script>

Or wrap by an element and get html content using html() method.

var markup = $("<a></a>").addClass("ClassName")
  .attr({
    href: "Something.html",
    title: "Edit"
  });

console.log(
  $('<div/>', {
    html: markup
  }).html()
)
<scriptsrc="https://ajax.googleapis.com/ajax/libs/jquery/2.1.1/jquery.min.js"></script>

Solution 2:

To get the HTML you can wrap() it in another object, then retrieve the html() from that:

var$markup = $("<a></a>", {
    'class': 'ClassName',
    'href': 'Something.html',
    'title': 'Edit'
});
var html = $markup.wrap('<div />').parent().html();

Alternatively you can retrieve the outerHTML property of the underlying DOMElement:

var html = $markup[0].outerHTML;

Also just FYI, the term is a 'jQuery object'. There's only one DOM on the page.

Post a Comment for "Coverting Jquery Dom To Html"