所以,我有一个基于Materialise CSS的网站。 Materialise CSS是一个CSS库,可在此处link。
现在,我设法将我的Blog Feed显示在两列中,从第一行开始,然后是第二行,就像这样。
------------------------
Newest | 4th Newest
2nd Newest | 5th Newest
3rd Newest | 6th Newest
------------------------
这是上面的代码。
<div class="row">
<div id="firstColumnBlog" class="col s6"></div>
<div id="secondColumnBlog" class="col s6"></div>
</div>
<script>
$(document).ready(function() {
$.ajax({
type: "GET",
url: "http://www.foxinflame.tk/blog/feed/",
dataType: "xml",
success: function (xml) {
$(xml).find("item").each(function (eachCounter) {
var title = $(this).find("title").text();
var description = $(this).find("description").text();
var comments = +($(this).find("slash:comments").text());
var pubDate = $(this).find("pubDate").text();
var link = $(this).find("link").text();
if(eachCounter < 3){
$("#firstColumnBlog").append("<div class='postCollection'><div class='z-depth-1 blogpost' style='min-height: 300px'><br><h5><a style='color:black' href='"+link+"'>"+title+"</a></h5><br><p>"+description+"<br><i>"+comments+" Comments. Published at "+pubDate+"</i></p></div></div>");
} else if(eachCounter < 6) {
$("#secondColumnBlog").append("<div class='postCollection'><div class='z-depth-1 blogpost' style='min-height: 300px'><br><h5><a style='color:black' href='"+link+"'>"+title+"</a></h5><p>"+description+"<br><i>"+comments+" Comments. Published at "+pubDate+"</i></p></div></div>");
}
});
}
});
})
</script>
现在,我想添加另一个Feed,以显示当前的一个。比方说,YouTube视频Feed。它需要以正确的时间顺序显示在相同的两列中,两个Feed都是混合的。
我怎么可能这样做?
答案 0 :(得分:0)
首先使用$.when
组合两个数据流。
对$.ajax
的调用返回所谓的Promises或Deferred对象。您可以从done
调用中链接$.ajax
方法,而不是提供成功函数。
$.ajax({
type: "GET",
url: "http://www.foxinflame.tk/blog/feed/",
dataType: "xml"
}).done(function(xml) {
// do stuff with xml
});
可以组合两个
的功能var blogFeed = $.ajax({ /* some settings */ });
var videoFeed = $.ajax({ /* some other settings */ });
$.when(blogFeed, videoFeed)
.done(function(blogXML, videoXML) {
// this will be called when both AJAX requests are successful
});
当你到达这一点时,你可以简单地组合两个提要并使用自定义排序功能对它们进行排序。
var combined = blogXML.find('item').concat(videoXML.find('item'));
var sorted = combined.sort(function(a, b) {
// not all date formats can be compared like this
// but I don't know what format your dates are in
var dateA = Date.parse(a.find('pubDate'));
var dateB = Date.parse(b.find('pubDate'));
return dateB - dateA;
});
sorted.forEach(function(item, index) {
// do something with each item
// (this will probably involve inserting them into the DOM)
});