现在,这段代码可以很好地解析XML文件,但是,在XML文件中,我有多个author节点,我希望能够在每个author之间放一个逗号。XML从一名作者到四名作者各不相同。提前谢谢你。
/* Load XML File */
$.ajax({
url: "xml/ajax-response-data.xml",
cache: false,
success: libraryXML
});
function libraryXML (xml) {
$(xml).find('book').each(function(){
/* Parse the XML File */
var id = $(this).attr('id');
var checked = $(this).attr('checked-out')
var title = $(this).find('title').text();
var isbn = $(this).find('isbn-10').text();
var authors = $(this).find('authors').text();
/* Spit out some books */
$('<li class="book-'+id+' checked'+checked+'"></li>').html('<span class="id">' + id + '</span><span class="title">' + title + '</span><span class="author">' + authors +'</span><span class="isbn">' + isbn + '</span>').appendTo('.library');
});
}
<book id="1" checked-out="1">
<authors>
<author>David Flanagan</author>
</authors>
<title>JavaScript: The Definitive Guide</title>
<isbn-10>0596101996</isbn-10>
</book>
<book id="2" checked-out="1">
<authors>
<author>John Resig</author>
</authors>
<title>Pro JavaScript Techniques (Pro)</title>
<isbn-10>1590597273</isbn-10>
</book>
<book id="3" checked-out="0">
<authors>
<author>Erich Gamma</author>
<author>Richard Helm</author>
<author>Ralph Johnson</author>
<author>John M. Vlissides</author>
</authors>
<title>Design Patterns: Elements of Reusable Object-Oriented Software</title>
<isbn-10>0201633612</isbn-10>
</book>发布于 2011-01-12 03:15:45
我会把你的代码改成这样:
function libraryXML (xml) {
$(xml).find('book').each(function(){
/* Parse the XML File */
var id = $(this).attr('id');
var checked = $(this).attr('checked-out')
var title = $(this).find('title').text();
var isbn = $(this).find('isbn-10').text();
var authors = $(this).find('authors');
/* Spit out some books */
$('<li></li>')
.addClass('book-'+id).addClass('checked'+checked)
.append($('<span class="id"></span>').text(id))
.append($('<span class="title"></span>').text(title))
.append($('<span class="author"></span>').text($.map(authors, function(author){ return $(author).text() }).join(', ')))
.append($('<span class="isbn"></span>').text(isbn))
.appendTo('.library');
});
}它的优点是,正如您所希望的那样,它实现了逗号分隔的作者,但它还通过使用jQuery's text function对输出进行HTML转义来防止生成的HTML中的任何XSS攻击。
https://stackoverflow.com/questions/4661542
复制相似问题