웹 페이지 다운로드하기

JavaScript:
웹 페이지 다운로드하기

How to: (방법)

const https = require('https');
const fs = require('fs');

const downloadPage = (url, filename) => {
  https.get(url, response => {
    const data = [];
    response.on('data', chunk => {
      data.push(chunk);
    });
    response.on('end', () => {
      const completePage = Buffer.concat(data).toString();
      fs.writeFileSync(filename, completePage);
      console.log(`Downloaded and saved to ${filename}`);
    });
  }).on('error', err => {
    console.error('Error fetching page:', err);
  });
};

// 사용 예
downloadPage('https://example.com', 'examplePage.html');

Sample Output:

Downloaded and saved to examplePage.html

Deep Dive (심층 분석)

과거에는 웹 페이지를 다운로드하기 위해 FTP와 같은 프로토콜이 사용되었습니다. 지금은 HTTPS를 통해 보안이 강화된 데이터 전송이 이루어집니다. 위 예제는 Node.js의 ‘https’ 모듈을 사용하여 웹 페이지의 데이터를 버퍼에 담은 후, 합쳐서 문자열로 변환합니다. 마지막으로 ‘fs’ (파일 시스템) 모듈로 파일에 저장합니다. 대안으로는 requestaxios 같은 서드 파티 라이브러리가 있습니다. 이러한 라이브러리들은 추가 기능과 사용의 용이함을 제공합니다.

See Also (추가 정보)