AJAX
XMLHttpRequest 对象
浏览器均支持 XMLHttpRequest 对象(IE5 和 IE6 使用 ActiveXObject)。
var xmlhttp; if (window.XMLHttpRequest) {// code for IE7+, Firefox, Chrome, Opera, Safari xmlhttp=new XMLHttpRequest(); } else {// code for IE6, IE5 xmlhttp=new ActiveXObject("Microsoft.XMLHTTP"); } xmlhttp.open("GET","test1.txt",true); xmlhttp.send();
与 POST 相比,GET 更简单也更快,并且在大部分情况下都能用。
然而,在以下情况中,请使用 POST 请求:
简单的 ajax 多任务
<html> <head> <script type="text/javascript"> var xmlhttp; function loadXMLDoc(url,cfunc) { if (window.XMLHttpRequest) {// code for IE7+, Firefox, Chrome, Opera, Safari xmlhttp=new XMLHttpRequest(); } else {// code for IE6, IE5 xmlhttp=new ActiveXObject("Microsoft.XMLHTTP"); } xmlhttp.onreadystatechange=cfunc; xmlhttp.open("GET",url,true); xmlhttp.send(); } function myFunction() { loadXMLDoc("/ajax/test1.txt",function() { if (xmlhttp.readyState==4 && xmlhttp.status==200) { document.getElementById("myDiv").innerHTML=xmlhttp.responseText; } }); } </script> </head> <body> <div id="myDiv"><h2>Let AJAX change this text</h2></div> <button type="button" onclick="myFunction()">通过 AJAX 改变内容</button> </body> </html>
<pre>
<script type="text/javascript">
xmlhttp.open("GET","demo_get.asp",true); // get 请求
xmlhttp.send();
xmlhttp.open("GET","demo_get.asp?t=" + Math.random(),true); // get 请求 结束缓存
xmlhttp.send();
xmlhttp.open("GET","demo_get2.asp?fname=Bill&lname=Gates",true); //get发送信息
xmlhttp.send();
xmlhttp.open("POST","demo_post.asp",true); //post 请求
xmlhttp.send();
xmlhttp.open("POST","ajax_test.asp",true); //需要像 HTML 表单那样 POST 数据
//setRequestHeader(header,value)添加http头 header: 规定头的名称 value: 规定头的值
xmlhttp.setRequestHeader("Content-type","application/x-www-form-urlencoded");
xmlhttp.send("fname=Bill&lname=Gates");
/*通过open(,,true) 为ture; AJAX,JavaScript 无需等待服务器的响应,而是:
在等待服务器响应时执行其他脚本
当响应就绪后对响应进行处理
Async = true
当使用 async=true 时,请规定在响应处于 onreadystatechange 事件中的就绪状态时执行的函数:
xmlhttp.onreadystatechange=function()
{
if (xmlhttp.readyState==4 && xmlhttp.status==200)
{
document.getElementById("myDiv").innerHTML=xmlhttp.responseText;
}
}
xmlhttp.open("GET","test1.txt",true);
xmlhttp.send();
*/
如需使用 async=false,请将 open() 方法中的第三个参数改为 false:
JavaScript 会等到服务器响应就绪才继续执行。如果服务器繁忙或缓慢,应用程序会挂起或停止。
请不要编写 onreadystatechange 函数 - 把代码放到 send() 语句后面即可:
</script>
<script type="text/javascript">
/*
responseText 获得字符串形式的响应数据。
responseXML 获得xml 形式的响应数据
document.getElementById("myDiv").innerHTML=xmlhttp.responseText;
xmlDoc=xmlhttp.responseXML;
txt="";
x=xmlDoc.getElementsByTagName("ARTIST");
for (i=0;i<x.length;i++)
{
txt=txt + x[i].childNodes[0].nodeValue + "<br />";
}
document.getElementById("myDiv").innerHTML=txt;
*/
</script>
<pre>
每当 readyState 改变时,就会触发 onreadystatechange 事件。
callback 函数是一种以参数形式传递给另一个函数的函数 多个AJAX 任务
function myFunction()
{
loadXMLDoc("ajax_info.txt",function()
{
if (xmlhttp.readyState==4 && xmlhttp.status==200)
{
document.getElementById("myDiv").innerHTML=xmlhttp.responseText;
}
});
}
</pre>
原文地址:http://www.cnblogs.com/zhuifengcao/p/3798261.html