nodejs之函数

/*
Nodejs函数
在javascript中,一个函数可以作为另一个函数的参数,我们可以先定义一个函数,然后传递,也可以在传递参数的
地方直接定义函数
栗子:
function say(world){
console.log(world);
}
function execute(someFunction,value){
someFunction(value);
}
execute(say,"hello");
以上代码,我们把say函数作为execute函数的第一个变量进行了传递,这里返回的不是say的返回值,而是say本身!
这样一来,say就变成了execute中的本地变量someFunction,execute可以通过调用someFunction()来使用say函数


匿名函数
我们可以把一个函数作为变量传递,但是我们不一定要绕这个先定义,再传递的圈子,我们可以直接在另一个函数的括号中
定义和传递这个函数


function execute(someFunction.value){
someFunction(value);
}
execute(function(world){console.log(world)},"hello");


函数传递是如何让HTTP服务器工作的?
var http = require("http");
http.createServer(fucntion(request,respose){
response.writeHead(200,{"Content-Type":"text/plain"});
response.write("Hello");
response.end()
}).listen(8888,"127.0.0.1");

看来是向createServer函数传递了一个匿名的函数,也可以写成这样呢
var http=require("http");
function OnRequest(request,response){
response.writeHead(200,{"Content-Type":"text/plain"});
response.write("Hello");
response.end()
}


http.createServer(OnRequest).listen(8888);








*/

你可能感兴趣的:(nodejs)