GithubHelp home page GithubHelp logo

hey-hoho / tidb-nodejs-mysql2-quickstart Goto Github PK

View Code? Open in Web Editor NEW

This project forked from tidb-samples/tidb-nodejs-mysql2-quickstart

0.0 0.0 0.0 319 KB

A simple Node.js app that connects to a TiDB database cluster and performs basic CRUD operations with node-mysql2 driver.

License: Apache License 2.0

JavaScript 100.00%

tidb-nodejs-mysql2-quickstart's Introduction

Connecting to TiDB with node-mysql2

Language Driver

TiDB is a MySQL-compatible database, and node-mysql2 is a fast mysqljs/mysql compatible MySQL driver for Node.js.

The following guide will show you how to connect to TiDB with Node.js driver node-mysql2 and perform basic SQL operations like create, read, update, and delete.

Note

If you want to connect to a TiDB Serverless with public endpoint, you MUST enable TLS connection on the mysql2 driver.

Prerequisites

To complete this guide, you need:

  • Node.js >= 16.x installed on your machine
  • Git installed on your machine
  • A TiDB cluster running

If you don't have a TiDB cluster yet, please create one with one of the following methods:

  1. (Recommend) Start up a TiDB Serverless cluster instantly with a few clicks on TiDB Cloud.
  2. Start up a TiDB Playground cluster with TiUP CLI on your local machine.

Getting started

This section demonstrates how to run the sample application code and connect to TiDB with node-mysql2 driver .

Step 1. Clone the repository

Run the following commands to clone the sample code locally๏ผš

git clone https://github.com/tidb-samples/tidb-nodejs-mysql2-quickstart.git
cd tidb-nodejs-mysql2-quickstart

Step 2. Install dependencies

Run the following command to install the dependencies (including the mysql2 package) required by the sample code๏ผš

npm install
Install dependencies to existing project

For your existing project, run the following command to install the packages:

npm install mysql2 dotenv --save

Step 3. Provide connection parameters

(Option 1) TiDB Serverless
  1. Navigate to the Clusters page, and then click the name of your target cluster to go to its overview page.

  2. Click Connect in the upper-right corner.

  3. In the connection dialog, select General from the Connect With dropdown and keep the default setting of the Endpoint Type as Public.

  4. If you have not set a password yet, click Create password to generate a random password.

    The connection dialog of TiDB Serverless
    The connection dialog of TiDB Serverless
  5. Make a copy of the .env.example file to the .env file:

    cp .env.example .env
  6. Edit the .env file, copy the connection parameters on the connection dialog, and replace the corresponding placeholders {}. The example configuration is as follows:

    TIDB_HOST={host}
    TIDB_PORT=4000
    TIDB_USER={user}
    TIDB_PASSWORD={password}
    TIDB_DATABASE=test
    TIDB_ENABLE_SSL=true

    Important

    Modify TIDB_ENABLE_SSL to true to enable a TLS connection. (Required for public endpoint)

(Option 2) TiDB Dedicated

You can obtain the database connection parameters on TiDB Cloud's Web Console through the following steps:

  1. Navigate to the Clusters page, and then click the name of your target cluster to go to its overview page.

  2. Click Connect in the upper-right corner. A connection dialog is displayed.

  3. Click Allow Access from Anywhere, and then click Download TiDB cluster CA to download the CA certificate.

  4. Select General from the Connect With dropdown and select Public from the Endpoint Type dropdown.

  5. Run the following command to copy .env.example and rename it to .env:

    cp .env.example .env
  6. Edit the .env file, copy the connection parameters on the connection dialog, and replace the corresponding placeholders {}. The example configuration is as follows:

    TIDB_HOST=<host>
    TIDB_PORT=4000
    TIDB_USER=<user>
    TIDB_PASSWORD=<password>
    TIDB_DATABASE=test
    TIDB_ENABLE_SSL=true
    TIDB_CA_PATH=/path/to/ca.pem

    Important

    Modify TIDB_ENABLE_SSL to true to enable a TLS connection and using TIDB_CA_PATH to specify the file path of CA certificate downloaded from the connection dialog.

(Option 3) TiDB Self-Hosted
  1. Make a copy of the .env.example file to the .env file.

    cp .env.example .env
  2. Replace the placeholders for <host>, <user>, and <password> with the connection parameters of your TiDB cluster.

    TIDB_HOST=<host>
    TIDB_PORT=4000
    TIDB_USER=<user>
    TIDB_PASSWORD=<password>
    TIDB_DATABASE=test
    # TIDB_ENABLE_SSL=true
    # TIDB_CA_PATH=/path/to/ca.pem

    The TiDB Self-Hosted cluster using non-encrypted connection between TiDB's server and clients by default.

    If you want to enable TLS connection, please uncomment the TIDB_ENABLE_SSL and TIDB_CA_PATH options and specify the file path of CA certificate defined with ssl-ca option.

Step 4. Run the sample code

Run the following command to execute the sample code:

npm start

Expected execution output:

If the connection is successful, the console will output the version of the TiDB cluster.

๐Ÿ”Œ Connected to TiDB cluster! (TiDB version: 5.7.25-TiDB-v7.1.0)
โณ Loading sample game data...
โœ… Loaded sample game data.

๐Ÿ†• Created a new player with ID 12.
โ„น๏ธ Got Player 12: Player { id: 12, coins: 100, goods: 100 }
๐Ÿ”ข Added 50 coins and 50 goods to player 12, updated 1 row.
๐Ÿšฎ Deleted 1 player data.

Sample code snippets

Connect with connection options

The following code establish a connection to TiDB with options defined in environment variables:

// Step 1. Import the 'mysql' and 'dotenv' packages.
import { createConnection } from "mysql2/promise";
import dotenv from "dotenv";
import * as fs from "fs";

// Step 2. Load environment variables from .env file to process.env.
dotenv.config();

// Step 3. Create a connection with the TiDB cluster.
async function main() {
   const options = {
      host: process.env.TIDB_HOST || '127.0.0.1',
      port: process.env.TIDB_PORT || 4000,
      user: process.env.TIDB_USER || 'root',
      password: process.env.TIDB_PASSWORD || '',
      database: process.env.TIDB_DATABASE || 'test',
      ssl: process.env.TIDB_ENABLE_SSL === 'true' ? {
         minVersion: 'TLSv1.2',
         ca: process.env.TIDB_CA_PATH ? fs.readFileSync(process.env.TIDB_CA_PATH) : undefined
      } : null,
   }
   const conn = await createConnection(options);
}

// Step 4. Perform some SQL operations...

// Step 5. Close the connection.
main().then(async () => {
   await conn.end();
});

Important

For TiDB Serverless, TLS connection MUST be enabled via TIDB_ENABLE_SSL when using public endpoint, but you don't have to specify an SSL CA certificate via TIDB_CA_PATH, because Node.js uses the built-in Mozilla CA certificate by default, which is trusted by TiDB Serverless.

Connect with connection URL

The following code load the DATABASE_URL from .env file, and establish a connection with the URL:

const conn = await createConnection(process.env.DATABASE_URL);

The format of the DATABASE_URL is as follows, replace the placeholders {} with the connection parameters of your TiDB cluster

DATABASE_URL=mysql://{username}:{password}@{host}:{port}/{database_name}

Important

To enable TLS connection, add argument ?ssl={"minVersion":"TLSv1.2"} to the end of the URL. (Required for TiDB Serverless public endpoint)

Insert data

The following query creates a single Player record and return a ResultSetHeader object:

const [rsh] = await conn.query('INSERT INTO players (coins, goods) VALUES (?, ?);', [100, 100]);
console.log(rsh.insertId);

For more information, refer to Insert data.

Query data

The following query returns a single Player record by ID 1:

const [rows] = await conn.query('SELECT id, coins, goods FROM players WHERE id = ?;', [1]);
console.log(rows[0]);

For more information, refer to Query data.

Update data

The following query adds 50 coins and 50 goods to the Player record with ID 1:

const [rsh] = await conn.query(
    'UPDATE players SET coins = coins + ?, goods = goods + ? WHERE id = ?;',
    [50, 50, 1]
);
console.log(rsh.affectedRows);

For more information, refer to Update data.

Delete data

The following query deletes the Player record with ID 1:

const [rsh] = await conn.query('DELETE FROM players WHERE id = ?;', [1]);
console.log(rsh.affectedRows);

For more information, refer to Delete data.

Best practices

  • Using connection pools to manage database connections, which can reduce the performance overhead caused by frequently establishing/destroying connections.
  • Using prepared statements to avoid SQL injection.
  • Using ORM frameworks to improve development efficiency in scenarios without a number of complex SQL statements, such as: Sequelize, TypeORM, and Prisma.
  • Enable the supportBigNumbers: true option when dealing with big numbers (BIGINT and DECIMAL columns) in the database.
  • Enable the enableKeepAlive: true option to avoid socket error read ECONNRESET due to network problems. (Related issue: sidorares/node-mysql2#683)

What's next

tidb-nodejs-mysql2-quickstart's People

Contributors

hey-hoho avatar mini256 avatar

Recommend Projects

  • React photo React

    A declarative, efficient, and flexible JavaScript library for building user interfaces.

  • Vue.js photo Vue.js

    ๐Ÿ–– Vue.js is a progressive, incrementally-adoptable JavaScript framework for building UI on the web.

  • Typescript photo Typescript

    TypeScript is a superset of JavaScript that compiles to clean JavaScript output.

  • TensorFlow photo TensorFlow

    An Open Source Machine Learning Framework for Everyone

  • Django photo Django

    The Web framework for perfectionists with deadlines.

  • D3 photo D3

    Bring data to life with SVG, Canvas and HTML. ๐Ÿ“Š๐Ÿ“ˆ๐ŸŽ‰

Recommend Topics

  • javascript

    JavaScript (JS) is a lightweight interpreted programming language with first-class functions.

  • web

    Some thing interesting about web. New door for the world.

  • server

    A server is a program made to process requests and deliver data to clients.

  • Machine learning

    Machine learning is a way of modeling and interpreting data that allows a piece of software to respond intelligently.

  • Game

    Some thing interesting about game, make everyone happy.

Recommend Org

  • Facebook photo Facebook

    We are working to build community through open source technology. NB: members must have two-factor auth.

  • Microsoft photo Microsoft

    Open source projects and samples from Microsoft.

  • Google photo Google

    Google โค๏ธ Open Source for everyone.

  • D3 photo D3

    Data-Driven Documents codes.