How do you convert a jQuery object into a string?

前端 未结 12 1837
臣服心动
臣服心动 2020-11-22 15:07

How do you convert a jQuery object into a string?

相关标签:
12条回答
  • 2020-11-22 15:27

    Can you be a little more specific? If you're trying to get the HTML inside of a tag you can do something like this:

    HTML snippet:

    <p><b>This is some text</b></p>
    

    jQuery:

    var txt = $('p').html(); // Value of text is <b>This is some text</b>
    
    0 讨论(0)
  • 2020-11-22 15:30

    With jQuery 1.6, this seems to be a more elegant solution:

    $('#element-of-interest').prop('outerHTML');
    
    0 讨论(0)
  • 2020-11-22 15:30

    Just use .get(0) to grab the native element, and get its outerHTML property:

    var $elem = $('<a href="#">Some element</a>');
    console.log("HTML is: " + $elem.get(0).outerHTML);
    
    0 讨论(0)
  • 2020-11-22 15:36

    The accepted answer doesn't cover text nodes (undefined is printed out).

    This code snippet solves it:

    var htmlElements = $('<p><a href="http://google.com">google</a></p>↵↵<p><a href="http://bing.com">bing</a></p>'),
        htmlString = '';
        
    htmlElements.each(function () {
        var element = $(this).get(0);
    
        if (element.nodeType === Node.ELEMENT_NODE) {
            htmlString += element.outerHTML;
        }
        else if (element.nodeType === Node.TEXT_NODE) {
            htmlString += element.nodeValue;
        }
    });
    
    alert('String html: ' + htmlString);
    <script src="https://ajax.googleapis.com/ajax/libs/jquery/2.1.1/jquery.min.js"></script>

    0 讨论(0)
  • 2020-11-22 15:39

    If you want to stringify an HTML element in order to pass it somewhere and parse it back to an element try by creating a unique query for the element:

    // 'e' is a circular object that can't be stringify
    var e = document.getElementById('MyElement')
    
    // now 'e_str' is a unique query for this element that can be stringify 
    var e_str = e.tagName
      + ( e.id != "" ? "#" + e.id : "")
      + ( e.className != "" ? "." + e.className.replace(' ','.') : "");
    
    //now you can stringify your element to JSON string
    var e_json = JSON.stringify({
      'element': e_str
    })
    

    than

    //parse it back to an object
    var obj = JSON.parse( e_json )
    
    //finally connect the 'obj.element' varible to it's element
    obj.element = document.querySelector( obj.element )
    
    //now the 'obj.element' is the actual element and you can click it for example:
    obj.element.click();
    
    0 讨论(0)
  • 2020-11-22 15:41

    jQuery is up in here, so:

    jQuery.fn.goodOLauterHTML= function() {
        return $('<a></a>').append( this.clone() ).html();
    }
    

    Return all that HTML stuff:

    $('div' /*elys with HTML text stuff that you want */ ).goodOLauterHTML(); // alerts tags and all
    
    0 讨论(0)
提交回复
热议问题