search
How to use nodejsMay 08, 2023 am 09:32 AM

Node.js is an open source, cross-platform JavaScript runtime environment based on the Chrome JavaScript runtime. It not only supports server-side JavaScript development, but also supports Web application development, and can even be used to develop IoT devices. Node.js is characterized by an event-driven, non-blocking I/O model, which can easily handle high-concurrency requests. It is one of the preferred development tools for modern WEB applications.

So, how to use Node.js? The following will be divided into the following parts to introduce the installation, basic syntax, common modules and case applications of Node.js.

1. Install Node.js

First, download the corresponding version of the Node.js installation package from the Node.js official website https://nodejs.org and install it.
After the installation is completed, open the command line tool (cmd or powershell under Windows, Terminal under Mac or Linux) and enter the "node -v" command. If the version number of Node.js is output, the installation is successful.

2. Node.js basic syntax

Next, let’s take a look at the basic syntax of Node.js.

(1) console.log() output

console.log() is one of the most commonly used functions in Node.js, used to output console information. The following example:

console.log('Hello, World!');

This code can be run using "node file name.js" in the command line tool, and the output result is: "Hello, World!"

(2) Variable Declaration

Variables in Node.js can be declared using three keywords: var, let, and const. Among them, let and const are new features of ES6.

var num = 1;
let name = 'Tom';
const PI = 3.14;

Variables declared by var can be overwritten, variables declared by let can be reassigned, and variables declared by const are not allowed to be reassigned.

(3) Function definition and call

Use the function keyword to define functions in Node.js, and there is no need to specify the function return type. As an example:

function add(a, b) {
    return a + b;
}
console.log(add(1, 2)); // 输出3

(4) Module import and export

In Node.js, a module is an independent file that contains functions and variables related to a certain function. In a module, we can export the functions or variables that need to be exposed through module.exports, and in other modules we can import and use it through the require() function.

Suppose we now have a math.js file with the following content:

function add(a, b) {
    return a + b;
}
module.exports = add;

We can use the require() function in another file to get the add function exported in the module and call it:

const add = require('./math');
console.log(add(1, 2)); // 输出3

3. Node.js Common Modules

Node.js provides a large number of built-in modules for handling various tasks, such as file system operations, network communications, encryption and decryption, etc. We can call related modules through the require() function.

(1) File system module (fs)

fs module provides file system related operations. These include file reading and writing, directory operations, file stream operations, etc. For example:

const fs = require('fs');
// 读取文件内容
fs.readFile('test.txt', function(err, data) {
    if (err) {
        console.log('读取文件失败:', err);
    } else {
        console.log('读取文件成功:', data.toString());
    }
});
// 写入文件
fs.writeFile('test.txt', 'Hello, Node.js!', function(err) {
    if (err) {
        console.log('写入文件失败:', err);
    } else {
        console.log('写入文件成功!');
    }
});

(2) Network communication module (http)

The http module is used to implement server and client programs related to the HTTP protocol. We can use it to create HTTP servers and clients to handle network communication. As an example:

const http = require('http');
http.createServer(function(req, res) {
    res.writeHead(200, {'Content-Type': 'text/plain'});
    res.end('Hello World!');
}).listen(8080);
console.log('服务器已经启动,请访问http://localhost:8080');

(3) Encryption and decryption module (crypto)

The crypto module is used to provide encryption and decryption functions. It can be used to generate random numbers, hashing algorithms, symmetric encryption, asymmetric encryption, and more. As an example:

const crypto = require('crypto');
const hash = crypto.createHash('md5');
hash.update('Hello World!');
console.log(hash.digest('hex')); // 输出27d64f37a0f7fca3a63f6ddc39135c01

4. Node.js case application

Finally, let’s take a look at the specific application scenarios of Node.js, including web servers, command line tools, automated tasks and desktops Applications etc.

(1) Web server

Node.js can easily build a Web server and is suitable for handling high concurrent requests, so it is very suitable for Web server development.

For example, we can use Node.js to build a blog website based on the Express framework. The code is as follows:

const express = require('express');
const path = require('path');
const app = express();
// 设置模板引擎
app.set('views', path.join(__dirname, 'views'));
app.set('view engine', 'ejs');
// 处理静态资源
app.use(express.static(path.join(__dirname, 'public')));
// 首页
app.get('/', function (req, res) {
    res.render('index', { title: '首页', message: '欢迎来到我的博客!' });
});
// 关于我
app.get('/about', function (req, res) {
    res.render('about', { title: '关于我', message: '我是一名Web前端开发工程师。' });
});
// 联系我
app.get('/contact', function (req, res) {
    res.render('contact', { title: '联系我', message: '欢迎联系我。' });
});
// 启动服务器
app.listen(3000, function () {
    console.log('服务器已经启动,请访问http://localhost:3000');
});

(2) Command line tools

Node.js can easily develop command line tools, including code generators, data crawlers, server monitoring tools, etc.

For example, we can use Node.js to develop a command-line translation tool. The code is as follows:

const request = require('request');
const qs = require('querystring');
const API_URL = 'http://fanyi.baidu.com/v2transapi';
// 命令行输入参数
const word = process.argv[2];
// 发送翻译请求
request.post(API_URL, {
    form: {
        from: 'en', // 翻译源语言为英语
        to: 'zh', // 翻译目标语言为中文
        query: word,
        simple_means_flag: 3, // 返回详细翻译结果
        sign: ''
    }
}, function(err, res, body) {
    const data = JSON.parse(body);
    console.log(data.trans_result.data[0].dst);
});

(3) Automated tasks

Node.js is very suitable for developing automated tasks, such as build tools, code inspection tools, unit testing tools, etc.

For example, we can use Node.js and Gulp to build an automated build tool for compressing JS and CSS code. The code is as follows:

const gulp = require('gulp');
const uglify = require('gulp-uglify');
const minifyCss = require('gulp-minify-css');
// 压缩JS文件
gulp.task('uglify-js', function () {
    return gulp.src('src/**/*.js')
        .pipe(uglify())
        .pipe(gulp.dest('public'));
});
// 压缩CSS文件
gulp.task('minify-css', function () {
    return gulp.src('src/**/*.css')
        .pipe(minifyCss())
        .pipe(gulp.dest('public'));
});
// 默认任务
gulp.task('default', ['uglify-js', 'minify-css']);

(4) Desktop application

Node.js is also suitable for developing desktop applications, especially cross-platform applications. For example, Electron is a cross-platform application based on Node.js and Chromium. Platform desktop application development platform.

For example, we can develop a simple desktop notepad application using Node.js and Electron. The code is as follows:

const electron = require('electron');
const {app, BrowserWindow} = electron; // 控件和事件句柄
let mainWindow; // 主窗口
app.on('ready', function() {
    // 创建主窗口
    mainWindow = new BrowserWindow({ width: 800, height: 600 });
    mainWindow.loadURL(`file://${__dirname}/index.html`);
    // 打开开发者工具
    mainWindow.webContents.openDevTools();
    // 处理窗口关闭事件
    mainWindow.on('closed', function() {
        mainWindow = null;
    });
});

The above is the basic introduction and application scenarios of Node.js. If you want to learn more about Node.js, you can refer to the official Node.js documentation and various Node.js tutorials.

The above is the detailed content of How to use nodejs. For more information, please follow other related articles on the PHP Chinese website!

Statement
The content of this article is voluntarily contributed by netizens, and the copyright belongs to the original author. This site does not assume corresponding legal responsibility. If you find any content suspected of plagiarism or infringement, please contact admin@php.cn
What is useEffect? How do you use it to perform side effects?What is useEffect? How do you use it to perform side effects?Mar 19, 2025 pm 03:58 PM

The article discusses useEffect in React, a hook for managing side effects like data fetching and DOM manipulation in functional components. It explains usage, common side effects, and cleanup to prevent issues like memory leaks.

Explain the concept of lazy loading.Explain the concept of lazy loading.Mar 13, 2025 pm 07:47 PM

Lazy loading delays loading of content until needed, improving web performance and user experience by reducing initial load times and server load.

What are higher-order functions in JavaScript, and how can they be used to write more concise and reusable code?What are higher-order functions in JavaScript, and how can they be used to write more concise and reusable code?Mar 18, 2025 pm 01:44 PM

Higher-order functions in JavaScript enhance code conciseness, reusability, modularity, and performance through abstraction, common patterns, and optimization techniques.

How does currying work in JavaScript, and what are its benefits?How does currying work in JavaScript, and what are its benefits?Mar 18, 2025 pm 01:45 PM

The article discusses currying in JavaScript, a technique transforming multi-argument functions into single-argument function sequences. It explores currying's implementation, benefits like partial application, and practical uses, enhancing code read

How does the React reconciliation algorithm work?How does the React reconciliation algorithm work?Mar 18, 2025 pm 01:58 PM

The article explains React's reconciliation algorithm, which efficiently updates the DOM by comparing Virtual DOM trees. It discusses performance benefits, optimization techniques, and impacts on user experience.Character count: 159

What is useContext? How do you use it to share state between components?What is useContext? How do you use it to share state between components?Mar 19, 2025 pm 03:59 PM

The article explains useContext in React, which simplifies state management by avoiding prop drilling. It discusses benefits like centralized state and performance improvements through reduced re-renders.

How do you prevent default behavior in event handlers?How do you prevent default behavior in event handlers?Mar 19, 2025 pm 04:10 PM

Article discusses preventing default behavior in event handlers using preventDefault() method, its benefits like enhanced user experience, and potential issues like accessibility concerns.

What are the advantages and disadvantages of controlled and uncontrolled components?What are the advantages and disadvantages of controlled and uncontrolled components?Mar 19, 2025 pm 04:16 PM

The article discusses the advantages and disadvantages of controlled and uncontrolled components in React, focusing on aspects like predictability, performance, and use cases. It advises on factors to consider when choosing between them.

See all articles

Hot AI Tools

Undresser.AI Undress

Undresser.AI Undress

AI-powered app for creating realistic nude photos

AI Clothes Remover

AI Clothes Remover

Online AI tool for removing clothes from photos.

Undress AI Tool

Undress AI Tool

Undress images for free

Clothoff.io

Clothoff.io

AI clothes remover

AI Hentai Generator

AI Hentai Generator

Generate AI Hentai for free.

Hot Article

R.E.P.O. Energy Crystals Explained and What They Do (Yellow Crystal)
2 weeks agoBy尊渡假赌尊渡假赌尊渡假赌
R.E.P.O. Best Graphic Settings
2 weeks agoBy尊渡假赌尊渡假赌尊渡假赌
R.E.P.O. How to Fix Audio if You Can't Hear Anyone
2 weeks agoBy尊渡假赌尊渡假赌尊渡假赌

Hot Tools

Dreamweaver Mac version

Dreamweaver Mac version

Visual web development tools

SublimeText3 Chinese version

SublimeText3 Chinese version

Chinese version, very easy to use

SAP NetWeaver Server Adapter for Eclipse

SAP NetWeaver Server Adapter for Eclipse

Integrate Eclipse with SAP NetWeaver application server.

Safe Exam Browser

Safe Exam Browser

Safe Exam Browser is a secure browser environment for taking online exams securely. This software turns any computer into a secure workstation. It controls access to any utility and prevents students from using unauthorized resources.

VSCode Windows 64-bit Download

VSCode Windows 64-bit Download

A free and powerful IDE editor launched by Microsoft