728x90
728x90

변수


변수란?

저장해놓은 데이터, 값을 가리키는 일종의 이름표

자바스크립트에서는 변수를 선언할 때 let, const, var 키워드를 사용한다.

let name = "ramona"
const place = "seoul"

console.log ("안녕". place , name, "이 왔다!")

이런 출력값이 나온다.

지난 시간 출력할때 console.log() 를 배웠는데, 원래는 출력할 내용 전부를 입력해야 했다.

그렇지만, 이번에는 변수 이름만 입력해도 된다 !

니다. let과 const는 블록 스코프 변수를 선언하는데 사용되며, var는 함수 스코프 변수를 선언하는데 사용됩니다. 변수를 선언할 때는 변수명을 지정하고, 이후에 = 기호를 사용하여 변수에 값을 할당할 수 있습니다.

  • let : 한번 변수에 값을 할당하고 나서도 다시 바꿀 수 있다
let name = "ramona"
console.log(name);

name = "william"
console.log(name)

처음에 ramona 로 변수를 설정해주었는데, 뒤에는 william 으로 재할당을 해주었다

ramona에서 william으로 Name 변수에 할당된 값이 바뀌었다는 것을 알 수 있다.\

 

  • const : let과 달리 변수에 재할당을 하지 않을 떄 사용
const name =  "killing in the name"
console.log(name)
const name = "killing in my name"
name = "killing all the name"›

이게 과연 동작할까?

벌써부터 빨간줄이 가득가득한 걸 볼 수 있다.

const 를 두번 한 것 자체도 문제고, const name 후 다시 name을 지정해주는것도

여기 딱 보면,,, 딱 적혀있다

변수 name은 이미 선언되었습니다! 라고 이렇게 막아버리는 걸 볼 수 있음 !

var은… 인기 없음 걍 넘겨

 

300x250
728x90
728x90

고민하고 고민해 만들어낸 코드의 구조는 이러하다.

순서를 바꿔보는 건 추후 첨부해보겠다

1. 모듈 불러오기

const express = require('express');
const app = express();
const { MongoClient } = require('mongodb');
const multer = require('multer');
const path = require('path');

먼저 사용할 모듈은 이렇게 정했다.

const { MongoClient } = require('mongodb'); 는 MongoDB 클라이언트를 초기화하는 코드이다

multer 모듈은 파일 업로드를 처리하는 데 사용된다.

path 모듈은 파일 경로와 관련된 유틸리티 함수를 제공한가

즉, 위 코드는 express, MongoDB, multer, path 모듈을 초기화하고 해당 모듈들을 사용할 수 있도록 준비하는 역할을 한다.

요즘 공부하고 있는 모듈인 express 에 관하여 좀 적어보자면…

express 모듈 불러오기

const app = express();

이는 express 에플리케이션을 생성하는 코드

http 요청과 응답을 처리하고 라우팅, 미들웨어, 템플릿 엔진 등을 제공한다.

express() 는 express 애플리케이션 객체를 반환하는 함수이다. 이를 app 변수에 할당하여 애플리케이션 객체를 참조할 수 있도록 한다.

app 객체를 활용하여 서버의 동작을 정의하고 미들웨어를 추가하며, 라우팅을 설정할 수 있다

즉, const app = express(); 코드는 express 애플리케이션을 초기화하고 해당 애플리케이션의 객체에 대한 참조를 app 변수에 저장하는 역할을 한다.

이후 app 객체를 통해 서버의 동작을 설정하고 요청에 대한 응답을 처리할 수 있다

express란?

express는 Node.js로 작성된 웹 프레임워크이며, const app = express(); 코드는 express 애플리케이션을 초기화하고 해당 애플리케이션의 객체에 대한 참조를 app 변수에 저장하는 역할을 한다. 이후 app 객체를 통해 서버의 동작을 설정하고 요청에 대한 응답을 처리할 수 있다.

아래는 express를 사용한 간단한 예시 코드이다.

const express = require('express');
const app = express();

app.get('/', (req, res) => {
  res.send('Hello, World!');
});

app.listen(3000, () => {
  console.log('Server started on port 3000');
});

위 코드에서 app.get은 라우팅을 설정하는 메서드로, '/' 경로로 GET 요청이 왔을 때 'Hello, World!' 문자열을 응답으로 보내주는 코드이다. app.listen은 서버를 실행시키는 메서드로, 3000번 포트로 서버를 시작한다.

2. 몽고디비 연결과 변수 설정하기

const client = new MongoClient('mongodb+srv://sparta:패스워드칸@sparta.rqx1qlk.mongodb.net/?retryWrites=true&w=majority');
let db; 

위 코드를 해석해보겠다.

해당 코드는 MongoDB 서버와 연결하는 역할을 한다.

MongoClient는 MongoDB 클라이언트를 초기화하는 코드이며, 이 코드에서는 MongoDB Atlas를 사용하고 있다.

new MongoClient()를 호출하여 몽고DB에 연결하여 client 변수에 저장한다.

패스워드칸에는 사용자의 실제 패스워드를 입력해야 한다.내 db를 연결할때는 내 비밀번호를 사용하였다

이 패스워드를 사용하여 sparta 데이터베이스에 연결한 후에는 db 변수를 선언하여, 나중에 데이터베이스에서 데이터를 조회 및 조작할 때 사용할 수 있도록 한다.

 

db변수

db 변수는 몽고디비 연결 후에 클라이언트의 db() 메서드를 사용하여 데이터베이스에 접근하는데 사용된다.

에를 들어

db.collection(collectionname')

형식으로 접근하고 쿼리를 실행할 수 있다.

데이터베이스 연겷이 성공하면 databaseConnect() 함수가 호출되고, client.cd('dbsparta) 코드를 통해 ‘dbspartq’이름의 데이터베이스에 연결된 db 변수에 데이터베이스 클라이언트가 연결된다,

이를 사용하여 데이터베이스 조작을 수행할 수있다.

즉, db 변수는 MongoDB 데이터베이스 클라이언트에 액세스하고 조작하는데 사용되는 중요한 변수이다

3. 몽고디비 데이터베이스에 연결하고 연결 상태 확인

async function databaseConnect() {
  try {
    await client.connect();
    db = client.db('dbsparta');
    console.log('MongoDB에 연결되었습니다.');
  } catch (error) {
    console.error('MongoDB 연결 오류:', error);
  }
}

위 코드의 내용을 설명해보자면,

  1. databaseConnect() 함수는 비동기 함수로 선언되어 있다.
  2. 함수 내부에서는 await client.connect(); 코드를 사용하여 client 객체가 MongoDB에 연결될 때까지 대기한다.
  3. 연결이 성공하면 client.db('dbsparta') 코드를 사용하여 'dbsparta'라는 이름의 데이터베이스에 대한 클라이언트 객체를 얻으며, 이 클라이언트 객체는 db 변수에 할당된다.
  4. 연결이 성공하면 **'MongoDB에 연결되었습니다.'*라는 메시지가 콘솔에 출력된다.
  5. 연결 중에 오류가 발생하면 catch 블록이 실행되고, 오류 메시지가 **'MongoDB 연결 오류:'*와 함께 콘솔에 출력된다.

await client.connect()

await client.connect()는 MongoDB 클라이언트가 MongoDB 서버에 연결하는 비동기 함수이다. 이 함수는 await 키워드를 사용하여 연결이 완료될 때까지 기다리고, 성공하면 클라이언트 객체를 반환한다. 이 객체는 이후 데이터베이스와의 상호 작용을 위해 사용된다.

아래는 await client.connect()를 사용하는 간단한 예시 코드이다.

async function connectToServer() {
  try {
    const client = await MongoClient.connect(url, { useNewUrlParser: true });
    console.log("서버에 연결되었다.");
    const db = client.db(dbName);
  } catch (err) {
    console.log(err.stack);
  }
}

위 코드에서 await MongoClient.connect()는 MongoDB 클라이언트가 MongoDB 서버에 연결하는 비동기 함수이다. url은 MongoDB 서버의 URL 주소를 나타내고, dbName은 연결하려는 데이터베이스의 이름이다. 연결이 성공하면 클라이언트 객체가 반환되며, 이 객체를 사용하여 데이터베이스와 상호 작용할 수 있다.

동기 비동기를 모르겟다면…

https://insidepixce.tistory.com/102

4. 파일 업로드 처리하기

const upload = multer({
  dest: 'uploads/',
  limits: { fileSize: 10 * 1024 * 1024 },
  fileFilter: (req, file, cb) => {
    const allowedExtensions = ['jpg', 'jpeg', 'png', 'gif'];
    const ext = path.extname(file.originalname).toLowerCase();
    if (allowedExtensions.includes(ext)) {
      cb(null, true);
    } else {
      cb(new Error('파일 업로드에 실패했습니다.'));
    }
  },
  onError: (err, next) => {
    next(err);
  }
});

위 코드는 파일 업로드 처리를 위한 코드이다.

먼저 만들어둔 데이터베이스 연결 코드를 입력해준다.

위 코드는 파일 업로드를 위한 multer 모듈 설정이다.

  • dest 옵션: 업로드된 파일이 저장될 경로를 지정할 수 있다.
  • limits 옵션: 업로드되는 파일의 최대 크기를 제한할 수 있디.
  • fileFilter 옵션: 업로드되는 파일의 확장자를 제한하는 필터링 함수를 구현할 수 있어. 이 함수를 사용하면 원하지 않는 파일 업로드를 방지할 수 있디.
  • onError 옵션: 업로드 중 에러가 발생할 때 처리하는 함수를 구현할 수 있어. 이 함수를 사용하면 업로드 과정에서 발생할 수 있는 문제를 미리 예방할 수 있디.

위의 옵션들은 multer 모듈을 사용하여 파일 업로드를 구현할 때 매우 유용해. 이러한 설정을 사용하면 더 안정적이고 안전한 방식으로 파일을 업로드할 수 있디.

https://insidepixce.tistory.com/102

multer에 관해서 더 보고 싶다면 이 게시글 참고

5. express 애플리케이션 미들웨어 설정/ 루트 경로에 대한 get 요청

express에 대해서는 앞에서도 짧게 설명했지만, 이 부분에 대해서는 조금 깊게 다루고 싶어 추후 포스팅할 에정이다. 이러한 개념으로 작성했다… 정도 까지만 이해해주면 고마울듯.

app.set('views', path.join(__dirname, 'templates'));
app.set('view engine', 'html');
app.engine('html', require('ejs').renderFile);

app.use(express.static('uploads'));
app.use(express.json());
app.use(express.urlencoded({ extended: true }));

app.get('/', (req, res) => {
  res.render('index.html');
});

Express 애플리케이션의 설정을 다루며, 템플릿 파일이 위치한 디렉토리를 설정하고, HTML 템플릿 엔진을 지정하며, EJS 렌더링 엔진을 등록하고, 정적 파일을 만들고 JSON 및 URL 인코딩된 요청 본문을 파싱하고

루트 경로에 대한 GET 요청을 처리하여 'index.html' 파일을 렌더링하는 부분이다.

각각의 역할을 자세히 읽어보면 이해가 쉽다,

  1. app.set('views', path.join(__dirname, 'templates'));
    • Express 애플리케이션에서 템플릿 파일이 위치한 디렉토리를 설정
    • **__dirname**은 현재 스크립트가 실행 중인 디렉토리의 경로를 나타냄
    • **'templates'**는 템플릿 파일이 위치한 디렉토리 이름
  2. app.set('view engine', 'html');
    • Express 애플리케이션에서 사용할 템플릿 엔진을 설정
    • **'html'**은 HTML 파일을 템플릿으로 사용한다는 것을 의미
  3. app.engine('html', require('ejs').renderFile);
    • ejs 패키지를 사용하여 HTML 파일을 렌더링하는 엔진을 등록
    • renderFile 함수는 ejs 모듈에서 제공하는 함수로, HTML 파일을 렌더링하여 결과를 생성
  4. app.use(express.static('uploads'));
    • Express 애플리케이션에서 정적 파일을 제공하기 위한 미들웨어를 설정
    • **'uploads'**는 정적 파일이 위치한 디렉토리 이름
  5. app.use(express.json());
    • JSON 형식의 요청 본문을 파싱하기 위한 미들웨어를 설정
  6. app.use(express.urlencoded({ extended: true }));
    • URL 인코딩된 요청 본문을 파싱하기 위한 미들웨어를 설정
    • **extended: true**는 중첩된 객체를 파싱할 수 있도록 설정
  7. app.get('/', (req, res) => { ... });
    • 루트 경로('/')에 대한 GET 요청을 처리하는 핸들러를 설정
    • 요청이 들어오면 **'index.html'**을 렌더링하여 응답

6. 몽고디비에 업로드하기

app.post를 사용하여 몽고디비에 사용자가 작성한 내용을 업로드시켰다

app.post('/guestbook_post', upload.single('photo'), (req, res) => {
  const name = req.body.name_give;
  const comment = req.body.comment_give;
  const file = req.file;

  if (file) {
    const filename = file.filename;
    const doc = {
      name: name,
      comment: comment,
      photo: filename
    };
    db.collection('fan').insertOne(doc)
      .then(() => {
        res.json({ msg: '응원 완료!' });
      })
      .catch(() => {
        res.status(400).json({ msg: '파일 업로드에 실패했습니다.' });
      });
  } else {
    res.status(400).json({ msg: '파일이 선택되지 않았습니다.' });
  }
});

위의 코드는 Express 애플리케이션에서 /guestbook_post 경로에 대한 POST 요청을 처리하는 핸들러다.

  1. upload.single('photo') 미들웨어를 사용하여 photo 필드로 전송된 단일 파일을 업로드한다. 업로드된 파일은 req.file 객체로 접근할 수 있다.
  2. 요청 본문에서 **name_give**와 comment_give 필드 값을 추출하여 **name**과 comment 변수에 할
  3. 업로드된 파일(req.file)이 존재하는 경우, 파일 이름을 filename 변수에 할당
  4. name, comment, filename 값을 이용하여 doc 객체를 생성합니다. 이 객체는 MongoDB에 저장될 데이터를 나타냄
  5. **db.collection('fan').insertOne(doc)**를 사용하여 doc 객체를 'fan' 컬렉션에 삽입
  6. 삽입이 성공한 경우, 클라이언트에게 JSON 응답으로 **{ msg: '응원 완료!' }**를 전송
  7. 삽입이 실패한 경우, 클라이언트에게 상태 코드 400과 JSON 응답으로 **{ msg: '파일 업로드에 실패했습니다.' }**를 전송
  8. 만약 업로드된 파일이 없는 경우, 클라이언트에게 상태 코드 400과 JSON 응답으로 **{ msg: '파일이 선택되지 않았습니다.' }**를 전송

위의 코드는 /guestbook_post 경로로 POST 요청이 들어오면 파일 업로드를 처리하고 MongoDB에 데이터를 저장하는 역할을 한다. 이를 통해 게시판에 게시물을 작성하고 파일을 첨부할 수 있게 한다

7. 몽고디비로부터 이미 작성된 게시글 가지고 오기

app.get('/guestbook', (req, res) => {
  db.collection('fan').find({}, { projection: { _id: 0 } }).toArray()
    .then(allComments => {
      allComments.forEach(comment => {
        if (comment.photo) {
          comment.photo = req.protocol + '://' + req.get('host') + '/uploads/' + comment.photo;
        }
      });
      res.setHeader('Cache-Control', 'no-cache, no-store, must-revalidate');
      res.setHeader('Pragma', 'no-cache');
      res.setHeader('Expires', '0');
      res.json({ result: allComments });
    })
    .catch(error => {
      console.error(error);
      res.status(500).json({ msg: '서버 오류' });
    });
});
  1. **db.collection('fan').find({}, { projection: { _id: 0 } })**를 사용하여 'fan' 컬렉션의 모든 문서를 조회함. **{ projection: { _id: 0 } }**는 결과에서 _id 필드를 제외하고 조회하도록 지정한 것
  2. toArray() 메서드를 사용하여 조회된 결과를 배열로 변환
  3. Promise 체인을 이용하여 조회된 결과인 **allComments**를 처리합니다. then 블록에서는 각 댓글의 photo 필드가 존재하는 경우, 해당 경로를 조합하여 절대 URL로 변경함. 이는 클라이언트에서 댓글의 이미지를 로드할 수 있도록 함
  4. 응답에 Cache-Control 헤더를 설정하여 캐시를 사용하지 않도록 지정함
  5. **res.json({ result: allComments })**를 사용하여 JSON 형태로 **{ result: allComments }**를 응답 이는 클라이언트에게 조회된 댓글 목록을 전달
  6. 조회나 처리 중에 오류가 발생한 경우, catch 블록에서 오류를 콘솔에 기록하고 클라이언트에게 상태 코드 500과 JSON 응답으로 **{ msg: '서버 오류' }**를 전송

위의 코드는 /guestbook 경로로 GET 요청이 들어오면 MongoDB에서 'fan' 컬렉션의 댓글을 조회하여 클라이언트에게 응답하는 역할을 한다. 이를 통해 게시판의 댓글 목록을 클라이언트로 전달한다.

8. 서버 열기 (로컬호스트)

app.listen(8099, '0.0.0.0', () => {
  console.log('서버가 시작되었습니다.');
});

app.listen으로 서버를 열어주고, 서버가 정상적으로 열렸다면 ‘서버가 시작되었다’라고 알려준다.

app.listen

app.listen은 Express.js에서 서버를 시작할 때 사용하는 함수이다다. 이 함수는 서버가 특정 포트에서 요청을 수신할 수 있도록 한다

다음은 app.listen을 사용하여 서버를 시작하는 예시 코드이다

const express = require('express');
const app = express();

const PORT = 3000;

app.listen(PORT, () => {
  console.log(`Server is listening on port ${PORT}`);
});

위의 코드에서, app.listen 함수는 PORT 변수에 저장된 포트 번호에서 요청을 수신할 준비가 되었다는 메시지를 출력하고 서버를 시작한다.

 

const express = require('express');
const app = express();
const { MongoClient } = require('mongodb');
const multer = require('multer');
const path = require('path');

const client = new MongoClient('mongodb+srv://sparta:비밀번호@sparta.rqx1qlk.mongodb.net/?retryWrites=true&w=majority');
let db; // MongoDB 데이터베이스 클라이언트를 저장할 변수

async function databaseConnect() {
  try {
    await client.connect();
    db = client.db('dbsparta');
    console.log('MongoDB에 연결되었습니다.');
  } catch (error) {
    console.error('MongoDB 연결 오류:', error);
  }
}

databaseConnect(); // 데이터베이스 연결 함수 호출

const upload = multer({
  dest: 'uploads/',
  limits: { fileSize: 10 * 1024 * 1024 },
  fileFilter: (req, file, cb) => {
    const allowedExtensions = ['jpg', 'jpeg', 'png', 'gif'];
    const ext = path.extname(file.originalname).toLowerCase();
    if (allowedExtensions.includes(ext)) {
      cb(null, true);
    } else {
      cb(new Error('파일 업로드에 실패했습니다.'));
    }
  },
  onError: (err, next) => {
    next(err);
  }
});


app.set('views', path.join(__dirname, 'templates'));
app.set('view engine', 'html');
app.engine('html', require('ejs').renderFile);

app.use(express.static('uploads'));
app.use(express.json());
app.use(express.urlencoded({ extended: true }));

app.get('/', (req, res) => {
  res.render('index.html');
});

app.post('/guestbook_post', upload.single('photo'), (req, res) => {
  const name = req.body.name_give;
  const comment = req.body.comment_give;
  const file = req.file;

  if (file) {
    const filename = file.filename;
    const doc = {
      name: name,
      comment: comment,
      photo: filename
    };
    db.collection('fan').insertOne(doc)
      .then(() => {
        res.json({ msg: '응원 완료!' });
      })
      .catch(() => {
        res.status(400).json({ msg: '파일 업로드에 실패했습니다.' });
      });
  } else {
    res.status(400).json({ msg: '파일이 선택되지 않았습니다.' });
  }
});

app.get('/guestbook', (req, res) => {
  db.collection('fan').find({}, { projection: { _id: 0 } }).toArray()
    .then(allComments => {
      allComments.forEach(comment => {
        if (comment.photo) {
          comment.photo = req.protocol + '://' + req.get('host') + '/uploads/' + comment.photo;
        }
      });
      res.setHeader('Cache-Control', 'no-cache, no-store, must-revalidate');
      res.setHeader('Pragma', 'no-cache');
      res.setHeader('Expires', '0');
      res.json({ result: allComments });
    })
    .catch(error => {
      console.error(error);
      res.status(500).json({ msg: '서버 오류' });
    });
});

app.listen(8099, '0.0.0.0', () => {
  console.log('서버가 시작되었습니다.');
});

 

백앤드 코드는 끝났다. 오류가 생기면 다시 다듬어야겠지만, 클라이언트를 리엑트로 만들어 볼 예정인데, 문제가 생긴다면 다시 수정해야 할 것이다. 

300x250
728x90
728x90

NPM

npm: the ubiquitous pakage manager for Node packages

→ how we’ll get and install Express


HOW to get install npm

To get and install Express using npm, open a terminal and type npm install express. This will download the latest version of Express and install it in your project's node_modules

in the wry tradition of PHP, GNU , WINE and others, “npm” is not an acronym ; rather, it is a recursive abbreviation for npm is not an acronym.

broadly speaking, a package managers’s two primiary responsibilities are instaling packages and manging dependencies. npm is a fast, capacle, and painless package manager

which i feel is in large part responsible for the rapid growth and diversity of the Node ecosystem.


when does npm installed?

is installed when you install Node, so if you downloaded the node, you may got it

The primary command we use is npm , which means install

for example , to install Grunt (a popular Javascript task runner), you would issue the following command -

npm install -g grunt-cli

the -g flage tells npm to install the package globally

  • globally

it’s available globally on the system, anywhere

this distinction will become clrearer when we cover the package.json files. For now, the rule of thumb is that Javascript utilities (like Grunt) will generally be installed globally. whereas packages that are specific to your web app o project will not

💡 unlike languages like python- which underwent a major language change from 2.0 to 3.0, necessitating a way to easily swithch between different environments. - the node platform is new enough that it is. however, if you do find yourself needing to support multiple- version of node, there is a project, nvm that allows you to switch environments

let’s see the two ways how npm works

  1. local

if i don't choose other specific options, the package will be installed in local.

node_modules directory will be created in project root and the package will be installed in it.

local-installed packages can be only used in specific project

npm install <packagename>
  1. global

if you wanna install package in global way, you can put -g option.

it will install in global ways and it would make you to use that package on everywhere.

npm install -g <packagename>

for more, global-installed pacakage’sdownload place will be different depending on your os.

Mac: usr/local/lib/node_modules

window: c:\Users\%USERNAME%\AppData\Roaming\npm\node_modules

If you install the package in global way, it can be more comfortable to use it. but the fatal thing of this is : their info would not be written at package.json

for this, we can use -D option and install it devdependencies, and run it by npx command.

npm install -D nodemon
npm nodemon <packagename>

if you need some, there’s an analogy for you :


  • Development Team Leader: Controls the work efficiency of the development team and directs work to general employees.
  • Employee: A worker who is very diligent in whatever he is asked to do (?)

[ Scenario 1 ]

  • The development team leader instructs each of the three employees at the same time. ( = asynchronous )
  • Surprisingly, the development team leader doesn't even check what he ordered the 3 employees to do, and does his own work (= asynchronous)
  • Each employee completes the assigned task on their own and reports to the development team leader. ( = non-blocking )

[ Scenario 2 ]

  • The development team leader instructs employee 1 to work.
  • And until the work of employee 1 is over, it gives an eye to when it is over. ( = motive )
  • Employee 1's work is too slow, so he tries to give the job to another employee. ( = asynchronous )
  • However, employee 1 grabs the hem of the development team leader’s clothes asking for help. ( = blocking )
  • Employee 2 and Employee 3 who watch it are willing to work hard no matter what they are given, but there is no work. ( = motive )
300x250

'2023 공부한것들' 카테고리의 다른 글

[node.js] es? (es5, es6)  (0) 2023.06.18
[node.js] making a simple web server with node  (0) 2023.06.18
[TIL] 20230618 : what's your name?  (0) 2023.06.18
[node.js] console.log function  (0) 2023.06.17
[TIL] 20230617 : killing my ocd  (0) 2023.06.17
728x90
728x90

항해99 1주차 과제이다.

 

  • 컴퓨터는 0과 9 사이의 서로 다른 숫자 3개를 무작위로 뽑습니다. (ex) 123, 759
  • 사용자는 컴퓨터가 뽑은 숫자를 맞추기 위해 시도합니다.
  • 컴퓨터는 사용자가 입력한 세자리 숫자에 대해서, 아래의 규칙대로 스트라이크(S)와 볼(B)를 알려줍니다.
    • 숫자의 값과 위치가 모두 일치하면 S
    • 숫자의 값은 일치하지만 위치가 틀렸으면 B
  • 기회는 무제한이며, 몇번의 시도 후에 맞췄는지 기록됩니다.
  • 숫자 3개를 모두 맞춘 경우, 게임을 종료합니다.

 

1. Readline 불러와준다

const readline = require('readline').createInterface({
	input: process.stdin,
	output: process.stdout
};

Readline같은 경우에는 내가 지금 구덩이 파고 있는 주제 중 하나이다.

아마 오늘 내로 1차적 삽질리포트가 올라올 것이다.

2. 배열을 지정한다

var answer = []

이 배열은 나중에 랜덤값을 저장할 때 사용해줄 것이다

3.랜덤한 숫자 생성하기

 var answer = [];
  while(answer.length < 3){
      var randomNum = Math.floor(Math.random()*10); 
      if(answer.indexOf(randomNum) > -1) continue;
      answer.push(randomNum);
  }

위 코드에서는 랜덤으로 숫자를 생성해 생성된 숫자가 4개 미만이라면 새로운 숫자가 생성되고,

중복되지 않는다고 하면 결괏값인 randomNum 에 저장이 된다.

조금 더 자세히 알아보도록 하자

  • 생성되는 숫자 제어하기
  while(answer.length < 3){

만약의 answer 배열의 길이가 3보다 작다면 ~ 으로 시작해서 작동하는 코드이다.

answer 배열의 길이가 3개 이상이라면 멈추게 된다

  • 숫자를 정수화한 후 Randomnum에 넣기
 var randomNum = Math.floor(Math.random()*10); 

이때 math.random()으로 숫자를 생성하고,

이 숫자의 범위는 0~1이기 때문에 *10을 해줘서 1~10으로 바꿔준다.

그 후 Math.floor로 소숫점을 떨궈주고, randomNum으로 정의해준다.

  • 코드의 중복 확인하기
      if(answer.indexOf(randomNum) > -1) continue;

indexof: 지정된 요소의 인덱스를 검색하는 javascript의 내장 메서드이다.

호출한 배열에서 첫번째로 일치하는 요소의 인덱스변환, 일치하는 요소가 없는 경우 -1 을 반환한다.

만약 2번째 숫자가 같았으면 해당숫자의 인덱스인 1이 반환되고,

첫번째 숫자가 같았으면 해당 숫자의 인덱스인 0이 반환된다.

-1보다 작으면 continue로 계속해준다

indexof도 곧 포스팅할 예정이다!.

  • 중복이 아니라면
   answer.push(randomNum);

randomNum에 answer가 들어가게 된다

4. 세자리 숫자 입력받고 사용자 입력의 중복/글자수 이상 처리하기

 function playGame() {
    readline.question('세자리 숫자를 입력하세요.', (playerInput) => {
      count++;
      if(playerInput.length !== 3 || new Set(playerInput).size !== 3){
          console.log("세자리의 서로 다른 숫자를 입력하세요.");
          playGame();
          return;
      }

readline를 이용하여 세자리 숫자를 입력받았다.

그러나 만약 세 자리 숫자 안에 중복된 숫자가 있거나, 4자리라면 어떻게 되는 걸까?

당연히 프로그램 진행에 문제가 생긴다.

자세히 뜯어보자.

세 자리 숫자 입력받고 입력받을 때 마다 시도횟수 하나씩 증가시키기

 function playGame() {
    readline.question('세자리 숫자를 입력하세요.', (playerInput) => {
      count++;

나는 playGame이라는 함수를 사용하기로 했다

제일 먼저 readline.question으로 사용자의 입력을 받았다

실행 결과의 이 부분이라고 생각하면 될 것 같다.

사용자가 입력한 값은 콜백 함수의 매개변수인 playerInput에 저장된다.

한번 입력을 받을 때 마다 count 횟수를 1씩 늘려준다

이는 마지막에 시도 횟수를 출력할때 사용된다

  • 사용자 입력의 중복이 있거나 길이가 3이 아니라면
    if(playerInput.length !== 3 || new Set(playerInput).size !== 3){
          console.log("세자리의 서로 다른 숫자를 입력하세요.");
          playGame();
          return;
      }

논리 OR 연산자

두 개의 피연산자중 하나 이상이 True이상인지를 확인하고, 결과로 True를 반환한다.

  • 왼쪽 피연산자를 평가한 결과가 True이면 오른쪽 피연산자 평가 x 그냥 바로 True반한
  • 왼쪽 피연산자를 평가한 결과가 False 이면 오른쪽 피연산자 평가하고 그 결과를 반환함

(추후 포스팅해볼 내용이 더 늘어나버렸네…;;

이걸 어떻게 적용했냐면

    if(playerInput.length !== 3 || new Set(playerInput).size !== 3){

이 상황에서 playerInput.length이 3이 아니라면, 뒤에 중복 여부 결과는 보지 않고 바로 True를 반환한다.

숫자가 3개도 아닌데 굳이 중복 볼 필요가 있냐는거다.

그래서 먼저 앞의 숫자 갯수를 확인해본 후 playerInput을 Set 형태로 바꿔준다

*set은 중복이 존재할 수 없다

중복이 없는 상태에서 숫자의 갯수가 3개가 맞는지 확인하는 과정이였다.

논리 OR 연산자 쓰는 게 습관이 되어가고 있다 ! &ㅠ&

5. 기본 값 세팅하기

      var strike = 0;
      var ball = 0;
      var checkResult = Array(3).fill(0);

strike 카운트와 Ball 카운트를 초기화해준다.

그리고 Array(3).fill(0)이라는 게 보이는데 이는 길이간 3인 배열을 생성하고, 그 배열의 모든 요소를 0으로 채우는 역할을 한다.

Array 생성자 함수에 문자 3을 인수로 넣어 배열의 길이를 설정하고, fill 메서드를 조합해서 쓰여진다.

나는 이것을 세 자리 수에 각각 비교하도록 구성해보려 하였다.

  • array와 Fill을 사용하지 않고 작성한다면??

직접 배열 리터럴을 사용하여 배열을 생성하고 요소에 초기값을 할당한다

var checkResult = [0, 0, 0];

배열 생성 후에 반복문이나 인덱스 접근을 통해 각 요소에 초기값을 할당한다.

var checkResult = [];
for (var i = 0; i < 3; i++) {
  arr[i] = 0;
}

빈 배열을 생성한 후에 반복문을 사용하여 각 요소에 초기값 0을 할당하는 법.

배열의 크기가 커지면 이 방향을 사용하여야 할듯

away.from 메서드를 사용하여 배열을 생성하고 초기값을 할당한다

var arr = Array.from({ length: 3 }, () => 0);

이러한 방법으로도 쓸 수 있다. array.fill이랑 다른 점이라면 여러 개의 매개변수를 받을 수 있다 정도?

  1. 현재 요소의 값
  2. 현재 요소의 인덱스
  3. 생성된 배열의 전체 길이

를 받을 수 있다.

비어있는 자리에는 value, index가 들어있다

추후 좀 더 공부해보고 이 주제만 단독으로 포스팅해보도록 하겠다 !

6. 볼과 스트라이크 구성/ 표현

   for(var i=0; i<3; i++){
          if(answer[i] == playerInput[i]){
              checkResult[i] = 2;
          } else if(answer.indexOf(parseInt(playerInput[i])) > -1){
              checkResult[i] = 1;
          }
      }

i를 0으로 두었고, 세 자리 숫자이기에 세 번만 할 수 있도록 제한해준다.

한번 실행될따마 i에 하나씩 더해진다

  • 스트라이크 구현
          if(answer[i] == playerInput[i]){
              checkResult[i] = 2;

만약 정답의 n번째 인덱스에 있는 숫자가 입력값의 n번째 인덱스에 있는 숫자와 같다면

checkResult[i]가 2가 된다

즉 strike 를 나타내는 표현으로 2를 둔 것이다

  • 볼 구현
          } else if(answer.indexOf(parseInt(playerInput[i])) > -1){
              checkResult[i] = 1;
          }

스트라이크는 조금 감이 잡혔는데 볼은 어떻게 구현해야 할 지 감이 잘 안 잡혔었다.

그래서 중복 찾기에서 진행했던 방식을 조금 활용해보기로 헀다.

playerinput이 지금 사용자가 입력한 문자열을 가지고 있기에 parseInt로 정수로 변환한다.

Indexof 메서드는 배열에서 특정값을 검색하고, 검색된 값의 첫 번째 인덱스를 보낸다.

만약에 Indexof 값이 -1을 넘는다면 특정 인덱스에서 겹친다는 것이다

따로 떼놓고 본다면, 어? 저렇게 되면 스트라이크도 볼이 될 수 있는 거 아니야? 라고 할 수 있는데

   for(var i=0; i<3; i++){
          if(answer[i] == playerInput[i]){
              checkResult[i] = 2;
          } else if(answer.indexOf(parseInt(playerInput[i])) > -1){
              checkResult[i] = 1;
          }
      }

이렇게 전체를 보면 이해가 된다

if문에서 인덱스가 아예 같은건 다 스트라이크로 보내버리고

남은것들만 있기 때문이다

7.볼과 스트라이크 세기

  strike = checkResult.filter(x => x === 2).length;
  ball = checkResult.filter(x => x === 1).length;

checkresult.filter로 조건을 만족하는 요소들을 필터링하여 새로운 배열을 생성한다.

x는 현재 요소를 나타내는 매개변수이다

x가 2가 일치하는 경우로 배열을 만들어버리고 그 배열의 길이를 구하는 것이다.

strike,Ball을 숫자로 둔 이유가 그것이다

ball같은 경우에도 마찬가지다. result에 ball이 몇개가 있는지 확인하고 그 배열의 길이를 구해준다

  • 여기서 질문: 새로 생긴 배열은 어디에 저장되는가 ? 저장하긴 하는가?

→ 저장 안 된다. 그냥 쓰고 버림. strike에 저장되는건 새로 만든 배열의 길이일 뿐임.

→ 그럼 이거는 그냥 날리는 건가요? 필요가 없어서 뒤에 사용을 안 했다면 날려버리는거죠?

8. 결과 출력하기

    if(strike === 3){
          console.log("축하합니다! " + count + "번만에 맞췄습니다.");
          readline.close();
      } else {
          console.log(strike + "S " + ball + "B 입니다.");
          playGame();
      }
    });
  }

strike가 세 개면 종료 메세지를 출력한다.

세 개가 아니면 될 때 까지 출력해주고 스트라이크 갯수와 볼 갯수를 포함해 안내 메세지를 출력해준다.

그리고 Playgame 함수를 다시 출력해준다

 

 

구현화면

 

 

최종 코드

const readline = require('readline').createInterface({
    input: process.stdin,
    output: process.stdout
  });
  
  var answer = [];
  while(answer.length < 3){
      var randomNum = Math.floor(Math.random()*10); 
      if(answer.indexOf(randomNum) > -1) continue;
      answer.push(randomNum);
  }
  
  var count = 0;
  
  function playGame() {
    readline.question('세자리 숫자를 입력하세요.', (playerInput) => {
      count++;
  
      if(playerInput.length !== 3 || new Set(playerInput).size !== 3){
          console.log("세자리의 서로 다른 숫자를 입력하세요.");
          playGame();
          return;
      }
  
      var strike = 0;
      var ball = 0;
      var checkResult = Array(3).fill(0);
  
      for(var i=0; i<3; i++){
          if(answer[i] == playerInput[i]){
              checkResult[i] = 2;
          } else if(answer.indexOf(parseInt(playerInput[i])) > -1){
              checkResult[i] = 1;
          }
      }
  
      strike = checkResult.filter(x => x === 2).length;
      ball = checkResult.filter(x => x === 1).length;
  
      if(strike === 3){
          console.log("축하합니다! " + count + "번만에 맞췄습니다.");
          readline.close();
      } else {
          console.log(strike + "S " + ball + "B 입니다.");
          playGame();
      }
    });
  }
  
  playGame();
300x250

+ Recent posts