因此,我有来自Guardian API的开放平台的JSON格式的数据,我想在jquery中对此进行解析,而我目前一直试图将结果显示在HTML div上。
数据格式如下:Guardian JSON results
我尝试使用的代码如下
function processFootballData(footballData){
footyStuff = footballData;
var thisContainer = document.getElementById( "results" );
var listTmp = document.createElement( "ul" );
var tmpList = "";
for( var i=0; (i<footyStuff.results[0].length) && (i<100); i++ ) {
if( tmpList.length <= 0 ) {
tmpList = footyStuff.results[0][ i ];
}
else {
tmpList = tmpList + "," + footyStuff.results[0][ i ];
}
}
var footballURL = "http://content.guardianapis.com/search?q=football&format=json&api-key=ky5zy8mds5r25syu36t9kmzj";
$.getJSON( footballURL,
function( thisData ) {
var data = thisData;
for( var key in data ) {
var thisSublist = document.createElement( "ul" );
thisSublist.setAttribute('style', "border-bottom: 1px solid #000; width: 80%;");
var thisItem = document.createElement( "li" );
var footyResults = data[key].results[0];
if( data.hasOwnProperty( key ) ) {
var duyList = document.createElement("li");
duyList.setAttribute('style', "padding-bottom: 10px;margin-top:-15px;margin-left:53px;font-size:12px;");
duyFooty = document.createTextNode(footyResults);
duyList.appendChild(duyFooty);
thisItem.appendChild(duyList);
}
thisItem.appendChild( thisSublist );
}
listTmp.appendChild( thisItem );
}
thisContainer.appendChild( listTmp );
});
}
最佳答案
您需要使用jsonp
请求,因为Guardian API会阻止跨域请求。将JQuery .ajax
与dataType: jsonp
一起使用:
$.ajax({
url: footballURL,
dataType: 'jsonp',
success: function( thisData ) {
var data = thisData;
// etc ...
}
});
您的DOM产生的Javascript有点混乱...但是编写这种代码很容易迷失方向。我强烈建议使用某种微模板引擎来处理数据到HTML的转换。
Here's an example如何使用Mustache.js执行此操作。
// create HTML template with data tags
var template = "<ul>{{#results}}<li><ul><li><a href='{{webUrl}}'>{{webTitle}}</a></li></ul></li>{{/results}}";
// render output
var output = Mustache.render(template, thisData.response);
// add to the DOM
$("#results").html(output);
Here's the same example使用Underscore.js。相同的想法,但是不同的实现使您可以将模板编写为标记:
<script type='text/template' id='article-template'>
<% _.each(results, function(article) { %>
<ul>
<li style="border-bottom: 1px solid #000; width: 80%;">
<a href='<%= article.webUrl %>'><%= article.webTitle %></a>
</li>
</ul>
<% }); %>
</script>
以及要渲染的脚本:
var template = _.template($("#article-template").html());
var output = template(thisData.response);
$("#results").html(output);