如何在 Deno 中使用 MySQL2
MySQL 是在 2022年 Stack Overflow 开发者调查 中最受欢迎的数据库,并且有 Facebook、Twitter、YouTube 和 Netflix 等用户。
你可以使用 mysql2
node 包通过 npm:mysql2
在 Deno 中操作和查询 MySQL 数据库。这使我们能够使用其 Promise 包装器,并利用顶层 await。
import mysql from "npm:mysql2@^2.3.3/promise";
连接到 MySQL Jump to heading
我们可以使用 createConnection()
方法连接到我们的 MySQL 服务器。你需要指定主机(在测试时为 localhost
,或在生产中更可能是云数据库端点)以及用户和密码:
const connection = await mysql.createConnection({
host: "localhost",
user: "root",
password: "password",
});
你还可以在创建连接时可选指定一个数据库。在这里,我们将使用 mysql2
动态创建数据库。
创建和填充数据库 Jump to heading
现在你已经建立了连接,可以使用 connection.query()
和 SQL 命令来创建数据库和表,以及插入初始数据。
首先,我们想要生成并选择要使用的数据库:
await connection.query("CREATE DATABASE denos");
await connection.query("use denos");
然后我们想要创建表:
await connection.query(
"CREATE TABLE `dinosaurs` ( `id` int NOT NULL AUTO_INCREMENT PRIMARY KEY, `name` varchar(255) NOT NULL, `description` varchar(255) )",
);
表创建后,我们可以填充数据:
await connection.query(
"INSERT INTO `dinosaurs` (id, name, description) VALUES (1, 'Aardonyx', 'An early stage in the evolution of sauropods.'), (2, 'Abelisaurus', 'Abel's lizard has been reconstructed from a single skull.'), (3, 'Deno', 'The fastest dinosaur that ever lived.')",
);
现在我们有了所有数据,可以开始查询。
查询 MySQL Jump to heading
我们可以使用相同的 connection.query() 方法来编写我们的查询。首先,我们尝试获取 dinosaurs
表中的所有数据:
const results = await connection.query("SELECT * FROM `dinosaurs`");
console.log(results);
此查询的结果是我们数据库中的所有数据:
[
[
{
id: 1,
name: "Aardonyx",
description: "An early stage in the evolution of sauropods."
},
{
id: 2,
name: "Abelisaurus",
description: `Abel's lizard has been reconstructed from a single skull.`
},
{ id: 3, name: "Deno", description: "The fastest dinosaur that ever lived." }
],
如果我们只想从数据库中获取单个元素,可以更改我们的查询:
const [results, fields] = await connection.query(
"SELECT * FROM `dinosaurs` WHERE `name` = 'Deno'",
);
console.log(results);
这将给我们一个单行结果:
[{ id: 3, name: "Deno", description: "The fastest dinosaur that ever lived." }];
最后,我们可以关闭连接:
await connection.end();
想要了解更多关于 mysql2
的信息,请查看他们的文档 这里。