독서노트

2473 단어
Node가 제공하는 범례는 전통적인 웹 서버와 달리 당신이 쓴 프로그램은 웹 서버입니다.Node는 웹 서버를 구축하는 프레임워크만 제공합니다.
Node의 핵심 이념은 이벤트 구동 프로그래밍이다.많은 사람들이 이벤트 구동 프로그래밍을 접할 때 사용자 인터페이스에서 시작한다. 사용자가 무엇을 눌렀는지, 그리고 이 '클릭 이벤트'를 처리한다.서버에서 이벤트에 응답하는 개념적인 도약은 어려울 수도 있지만 마찬가지다.http.createServer, 이벤트는 숨겨지고 HTTP 요청은 처리할 함수입니다.
노드로 정적 자원을 제공하는 것은 초기의 소형 프로젝트에만 적용되며, 비교적 큰 프로젝트에 대해서는 NginX나 CDN 같은 프록시 서버로 정적 자원을 제공할 수 있다.
Apache나 IIS를 사용한 적이 있다면, 파일을 만들고 접근하는 데 익숙해져서 클라이언트로 자동으로 되돌아갈 수 있습니다.Node 는 그렇지 않습니다. 폴더를 열고 내용을 읽은 다음 브라우저에 보내야 합니다.
fs.readFile에서 파일을 읽은 후 리셋 함수를 실행합니다. 만약 파일이 존재하지 않거나, 파일에 읽기와 쓰기 권한이 있다면,err 변수를 설정하고 http500 상태로 돌아가 서버 오류를 나타냅니다.파일을 성공적으로 읽으면, 파일은 특정한 응답 코드와 내용을 가지고 클라이언트에게 되돌아옵니다.
var http = require('http'),
	fs = require('fs');


function serveStaticFile(res,path,contentType,reponseCode){
	if(!reponseCode){
		reponseCode = 200;
		fs.readFile(__dirname+path,function(err,data){
			if(err){
				res.writeHead(500,{'Content-Type':'text/plain'});
				res.end('500-Internal Error');
			}else{
				res.writeHead(reponseCode,{'Content-Type':'contentType'});
				res.end(data);
			}
		})
	}
}

http.createServer(function(req,res){
	var path = req.url.replace(/\/?(?:\?.*)?$/,'').toLowerCase();
	switch(path){
		case '':
			serveStaticFile(res,'/public/index.html','text/html');
		case '/about':
			serveStaticFile(res,'/public/about.html','text/html');
		case '/img/logo.png':
			serveStaticFile(res,'/public/img/logo.png');
	}
}).listen(3000);

console.log("server started on port:3000");

마찬가지로express를 사용한다면 코드는 이렇게 해야 한다.
var express = require('express');
var app = express();

//    
app.set('port',process.env.PORT || 3000);


//    
app.get('/',function(req,res){
	res.type('text/plain');
	res.send('index travel');
})

app.get('/about',function(req,res){
	res.type('text/plain');
	res.send('about travel');
})

//  404  
app.use(function(req,res){
	res.type('text/plain');
	res.status(404);
	res.send('404 Not-Found');
})

//  500  
app.use(function(req,res){
	res.type('text/plain');
	res.status(500);
	res.send('500-Server Error');
})


//    
app.listen(app.get('port'),function(){
	console.log("Express started on http://localhost:"+app.get('port'));
})

좋은 웹페이지 즐겨찾기