전체 글
-
[Node.js] Express 정적 파일 제공javascript/node.js 2024. 7. 7. 22:38
정적인 파일을 제공하기 위해서는 다음과 같은 코드가 필요하다.app.use(express.static('public'));이는 정적인 파일이 위치할 디렉토리를 지정한다.즉, 해당 프로젝트 내에 public 폴더 내에 정적인 파일이 있다는 의미이다.보통 public을 많이 쓴다. app.get('/test', function(req, res){ res.send('Test, ')})정적 파일의 디렉토리를 설정해주었다면 이제 사용하면된다.localhost:3000/test 로 들어가면 Test 문자열과 함께 public 경로안에 있는 test.jpg 사진이 출력될 것이다. 앞서 설명하였던app.get('/', function (req, res) { res.send('Hello home pag..
-
[Node.js] Express를 이용한 간단한 웹서버 만들기javascript/node.js 2024. 7. 7. 18:42
npm install express시작하기에 앞서 Express모듈이 없다면 터미널에서 설치를 해야한다. var express = require('express');설치가 완료되었다면 express라는 모듈을 프로젝트에 로드한다. var app = express();express 모듈은 함수이기 때문에 app 변수에 저장한다. app.listen(3000, function () { console.log('Connected 3000 port!');})app에는 listen이라는 메서드가 있다.메서드에 인자로 포트번호를 지정해주면 해당 포트를 listening할 수 있게 된다.listening에 성공한다면 funtion()이라는 콜백함수가 실행되면서 'Connected 3000 port!'가..
-
[Node.js] Node.js 간단한 웹서버 만들기javascript/node.js 2024. 7. 7. 17:55
Node.js에서 제공하는 기본 코드가 있다.이를 이용해 간단한 서버 테스트를 할 수 있다. const http = require('http');우선 http 변수를 선언하고, http 모듈을 가져온다. const hostname = '127.0.0.1';const port = 1337;다음 hostname 변수를 선언하고, ip를 할당해준다.127.0.0.1 은 자기자신의 IP를 의미한다.그리고 임의의 포트번호를 설정해준다. http.createServer((req, res) => { res.writeHead(200, { 'Content-Type': 'text/plain' }); res.end('Hello World\n');}).listen(port, hostname, () => { ..