我看到了这个,并认为它看起来不错,所以我对其进行了一些测试。
这似乎是一种干净的方法,但是与使用jQuery加载功能加载页面或使用XMLHttpRequest的普通javascript方法加载页面所需的时间相比,它的性能落后了50%。
我想这是因为在幕后,它以完全相同的方式获取页面,但是它还必须处理构造一个全新的HTMLElement对象。
总之,我建议使用jQuery。该语法尽可能地易于使用,并且具有结构良好的回调供您使用。它也相对较快。原始方法可能会以不明显的几毫秒的速度更快,但是语法令人困惑。我只会在无法访问jQuery的环境中使用它。
这是我用来测试的代码-相当基本,但是多次尝试返回的时间非常一致,因此在每种情况下我都说精确到大约5毫秒。测试是通过我自己的家用服务器在Chrome中运行的:
<!DOCTYPE html>
<html>
<head>
<script src="https://code.jquery.com/jquery-2.1.4.min.js"></script>
</head>
<body>
<div id="content"></div>
<script>
/**
* Test harness to find out the best method for dynamically loading a
* html page into your app.
*/
var test_times = {};
var test_page = 'testpage.htm';
var content_div = document.getElementById('content');
// TEST 1 = use jQuery to load in testpage.htm and time it.
/*
function test_()
{
var start = new Date().getTime();
$(content_div).load(test_page, function() {
alert(new Date().getTime() - start);
});
}
// 1044
*/
// TEST 2 = use <object> to load in testpage.htm and time it.
/*
function test_()
{
start = new Date().getTime();
content_div.innerHTML = '<object type="text/html" data="' + test_page +
'" onload="alert(new Date().getTime() - start)"></object>'
}
//1579
*/
// TEST 3 = use httpObject to load in testpage.htm and time it.
function test_()
{
var xmlHttp = new XMLHttpRequest();
xmlHttp.onreadystatechange = function() {
if (xmlHttp.readyState == 4 && xmlHttp.status == 200)
{
content_div.innerHTML = xmlHttp.responseText;
alert(new Date().getTime() - start);
}
};
start = new Date().getTime();
xmlHttp.open("GET", test_page, true); // true for asynchronous
xmlHttp.send(null);
// 1039
}
// Main - run tests
test_();
</script>
</body>
</html>
load_home(); return false