我试图通过app.js(服务器)将一个变量从我的index.html传递到数据库(maildata.js)并获取相应的数据 我能够从数据库中获取数据,但无法将其发送回服务器(app.js)
app.js
var express = require('express');
var maildata= require('./maildata');
var app = express();
app.configure(function(){
app.use(express.bodyParser());
});
app.get('/', function(request, response){
response.sendfile(__dirname + '/mailbox.html');
});
app.post('/mailboxpost',function(request, response) {
var input=request.query.search;
var result=maildata.getMailData(input);
response.send(result);
response.end();
});
app.listen(8888);
console.log('Server is running on port 8888');
maildata.js
exports.getMailData=function(data,response) {
var stop_name= data;
connection.query("select stop_name,stop_comment from stoplist where stop_name= '"+stop_name+"' limit 1",function(err, rows) {
if (err) {
console.log('error in fetching ' + err);
}
else{
var jsonString1= JSON.stringify(rows);
connection.query("select mailbox_sequence_no from stoplist where stop_name= '"+stop_name+"'",function(err, rows) {
if (err) {
console.log('error in fetching ' + err);
}
else{
var jsonString2 = JSON.stringify(rows);
connection.query("select party_head from stoplist where stop_name= '"+stop_name+"'", function(err, rows) {
if (err) {
console.log('error in fetching ' + err);
}
else{
var jsonString3 = JSON.stringify(rows);
var result=jsonString1+'/'+jsonString2+'/'+jsonString3;
response.send(result);
}
});
}
});
}
});
}
先谢谢
答案 0 :(得分:1)
在调用函数时如何发送响应?
var result=maildata.getMailData(input); // something missing here
答案 1 :(得分:0)
您的getMailData
函数需要两个参数:
exports.getMailData=function(data,response) { ... }
但你只给它一个:
var result=maildata.getMailData(input);
其中response
参数的值undefined
。
这是你应该做的:
app.post('/mailboxpost',function(request, response) {
var input=request.query.search;
maildata.getMailData(input, response);
});
并让maildata.getMailData
处理响应发送,就像您在response.send(result);
答案 2 :(得分:0)
我在app.js中使用了异步回调方法。
我得到了结果
var result=maildata.getMailData(input,response,function(data){
response.send(data);
response.end();
});
全部谢谢