1.Broswer端的Ajax
<!DOCTYPE html>
<html>
<head lang="en">
<meta charset="UTF-8">
<title></title>
</head>
<body>
<h1>登录成功</h1>
<input type="text" id="username"/>
<input type="text" id="address"/>
<button onclick="queryAll()">查询</button>
<div>
<table border="1" cellspacing="0" cellpadding="10" width="500px" id="mytable">
<tr><th>id</th><th>Name</th><th>Password</th><th>Address</th></tr>
</table>
</div>
<script>
function queryAll(){
var xhr;
var mytable=document.getElementById("mytable");
var usernameStr=document.getElementById("username").value;
var addressStr=document.getElementById("address").value;
if(window.XMLHttpRequest){
xhr=new XMLHttpRequest();
}else{
xhr=new ActiveXObject("Microsoft","XMLHTTP")
}
// xhr.open("get","queryAll.do?username"+usernameStr,true);//只有get方法才可以把参数加在这里
xhr.open("post","queryAll.do",true);
xhr.setRequestHeader("content-type","application/x-www-form-urlencoded");
//content-type只有在为post方法的时候才配置
xhr.onreadystatechange=function(){
mytable.innerHTML="<tr><th>id</th><th>Name</th><th>Password</th><th>Address</th></tr>";
//每次刷新html数据的时候,就先会把table清空,然后再添加数据
if(xhr.readyState==4&&xhr.status==200){
// console.log(xhr.responseText);
var datalist=JSON.parse(xhr.responseText);//用json将服务器返回的字符串转换成了数组对象
for(var i=0;i<datalist.length;i++){
console.log(datalist[i].id);//通过属性获取值,datalist[i]是属性
console.log(datalist[i].U_name);
console.log(datalist[i].U_pwd);
console.log(datalist[i].U_address);
mytable.innerHTML=mytable.innerHTML+"<tr><td>"+datalist[i].id+"</td><td>"
+datalist[i].U_name+"</td><td>"
+datalist[i].U_pwd+"</td><td>"
+datalist[i].U_address+"</td></tr>";
}
}
};
//xhr.send(null);//get方法下使用这个发送Ajax请求
xhr.send("username="+usernameStr)//post方法将发送的参数写在这里
}
</script>
</body>
</html>
2.Server端的响应:
queryUserAll:function(request,response){
console.log(request.body);
let name=request.body.username;
let address=request.body.address;
let sql="select * from t_use where U_name like ?";//单条件查询
name="%"+name+"%";
dbconfig.getconnectionSql(sql,[name],function(err,data){
if(err==null||err==undefined){
//response.write(data);//原生的nodejs方法便发送不出去,因为data是一个object,不是字符串
//方法一
//response.write(JSON.stringify(data));//将data的object对象转换成了字符串。**从数据库中返回的data都是object类型,不是针对Ajax请求
//response.end();
//方法二
response.send(data);//express框架自动将数组对象转换成了字符串,
// response.send(data)就相当于response.write(JSON.stringify(data)
console.log(typeof data);//打印出来是object
}
})
}
3.主文件app.js中的:
app1.post("/queryAll.do",useModule.queryUserAll);
Tips:
1>Ajax只更新本html中的数据;
2>B端发起Ajax请求,与S端交互进行数据操作,且**S端返回的是数据(是object类型),需要在B端用JSON进行转换(JSON.parse(xhr.responseText))转换成数组对象;
3>Ajax是通过DOM来更新查询数据,且只更新部分数据,不会刷新整个网页的数据,像一个应用程序一样;
4>通过数据库查询返回的data都是object类型,不是针对Ajax;
