Back/Node.js

노드 http연결 개념

// 노드가 http 쉽게 만들수 있게 임포트
const http = require('http');

// 서버를 만드는것
// 클라이언트가 누가 될 진 모르지만 만들어 둔, 실행한 서버로
// 요청이 올것
// 요청이 오면 저 밑의 함수가 실행이 되는 것
const server = http.createServer((req, res) => {
    res.write('<h1>Hello Node!</h1>');
    res.write('<p>Hello server</p>');
    res.end('<p>Hello Taejin</p>');
})
    // node가 얘를 실행하는 순간 서버를 프로세스로 올려줘야하는 것
    // 프로세스를 올리려면 포트를 잡아야함
    // 위에서 만든 것을 8080포트(프로세스)로 보낼 것
    // 8080번과 연결이 되었다면 저 밑의 부분이 실행이 됨
    .listen(8080, () => {
        console.log('8080포트에서 서버 대기 중입니다.')
    })




// 이럼 서버 8080, 8081 둘다 되는 것
// 두 개의 서버를 동시에 돌릴 수도 있긴 함
// 실제론 많이 안 쓰임
const server1 = http.createServer((req, res) => {
    res.write('<h1>Hello Node!</h1>');
    res.write('<p>Hello server</p>');
    res.end('<p>Hello Taejin</p>');
})

    .listen(8081, () => {
        console.log('8080포트에서 서버 대기 중입니다.')
    })

 

 

method 종류

GET: 서버 자원을 가져오려고 할 때 사용 (그냥 엔터만 치고 그 주소로 들어오는거면 GET을 안 적어도 GET임)

POST: 서버에 자원을 새로 등록하고자 할 때 사용(또는 뭘 써야할 지 애매할 때)

PUT: 서버의 자원을 요청에 들어있는 자원으로 치환하고자할 때 사용

PATCH: 서버 자원의 일부만 수정하고자 할 때 사용

DELETE: 서버의 자원을 삭제하고자할 때 사용

 

 

const http = require('http');
const fs = require('fs').promises;

const users = {}; // 데이터 저장용


// 서버를 만들고
http.createServer(async (req, res) => {
  //request 요청에 관한것 // response 응답에 관한 것
  try {
    // 8082 하고 엔터치면 get 슬러쉬로 요청을 보내는 것
    if (req.method === 'GET') {
      if (req.url === '/') {
        const data = await fs.readFile('./restFront.html');
        res.writeHead(200, { 'Content-Type': 'text/html; charset=utf-8' });
        return res.end(data);
      } else if (req.url === '/about') {
        const data = await fs.readFile('./about.html');
        res.writeHead(200, { 'Content-Type': 'text/html; charset=utf-8' });
        return res.end(data);
      } else if (req.url === '/users') {
        res.writeHead(201, { 'Content-Type': 'application/json; charset=utf-8' });
        return res.end(JSON.stringify(users));
      }
      // /도 /about도 /users도 아니면
      try {
        const data = await fs.readFile(`.${req.url}`);
        return res.end(data);
      } catch (err) {
        // 주소에 해당하는 라우트를 못 찾았다는 404 Not Found error 발생
      }
    } else if (req.method === 'POST') {
      if (req.url === '/user') {
        let body = '';
        // 요청의 body를 stream 형식으로 받음
        req.on('data', (data) => {
          body += data;
        });
        // 요청의 body를 다 받은 후 실행됨
        return req.on('end', () => {
          console.log('POST 본문(Body):', body);
          const { name } = JSON.parse(body);
          const id = Date.now();
          users[id] = name;
          res.writeHead(201, { 'Content-Type': 'text/plain; charset=utf-8' });
          res.end('ok');
        });
      }
    } else if (req.method === 'PUT') {
      if (req.url.startsWith('/user/')) {
        const key = req.url.split('/')[2];
        let body = '';
        req.on('data', (data) => {
          body += data;
        });
        return req.on('end', () => {
          console.log('PUT 본문(Body):', body);
          users[key] = JSON.parse(body).name;
          res.writeHead(200, { 'Content-Type': 'text/plain; charset=utf-8' });
          return res.end('ok');
        });
      }
    } else if (req.method === 'DELETE') {
      if (req.url.startsWith('/user/')) {
        const key = req.url.split('/')[2];
        delete users[key];
        res.writeHead(200, { 'Content-Type': 'text/plain; charset=utf-8' });
        return res.end('ok');
      }
    }
    res.writeHead(404);
    return res.end('NOT FOUND');
  } catch (err) {
    console.error(err);
    res.writeHead(500, { 'Content-Type': 'text/plain; charset=utf-8' });
    res.end(err.message);
  }
})
  .listen(8082, () => {
    console.log('8082번 포트에서 서버 대기 중입니다');
  });