res.json() vs res.send()

res.sendres.json를 사용하는 것은 기능상으로 거의 동일합니다.

그러면 res.send()를 이용해서 object를 보내도 되는 건지 아래에서 봐보겠습니다.

send로 javascript object 보내보기

app.get("/", (req, res) => {
  res.send({ a: "a" });
});

Untitled

res.json 소스 코드

https://github.com/expressjs/express/blob/master/lib/response.js#L239

res.json() 소드 코드

res.json = function json(obj) {
  var val = obj;

  // 생략...

  // settings
  var app = this.app;
  var escape = app.get("json escape");
  var replacer = app.get("json replace");
  var spaces = app.get("json spaces");
  var body = stringify(val, replacer, spaces, escape);

  // content-type
  if (!this.get("Content-Type")) {
    this.set("Content-Type", "application/json");
  }

  return this.send(body);
};

  1. 먼저 obj는 JSON 문자열로 변환.

  2. Content-Type 헤더가 세팅되지 않았을 경우 this(res 객체)에 Content-Type으로 application/json을 세팅.

  3. res.send(body)를 실행.

res.send 소스 코드

res.send = function send(body) {
  var chunk = body;

  // ...

  switch (typeof chunk) {
    case "string":
      if (!this.get("Content-Type")) {
        this.type("html");
      }
      break;

    case "boolean":
    case "number":
    case "object":
      if (chunk === null) {
        chunk = "";
      } else if (Buffer.isBuffer(chunk)) {
        if (!this.get("Content-Type")) {
          this.type("bin");
        }
      } else {
        return this.json(chunk);
      }
    default:
      break;
  }

  return this;
};
  1. body의 타입 체크.

  2. object 일 경우 res.json 호출

하지만 res.json에서는 문자열로 바꾼 후 res.send를 다시 호출 하기 때문에 res.send에 다시 와서 처리하게 된다.