js
复制代码
import express from "express";
import fs from "fs";
// import mysql2 from "mysql2/promise";
import jsyaml from 'js-yaml';
import knex from 'knex'
const app = express()
app.use(express.json())
const yaml = fs.readFileSync('./db.config.yaml', 'utf8')
// 将yaml 解析为一个对象
const config = jsyaml.load(yaml)
// console.log(config)
// mysql2.createConnection({
// host: 'localhost',
// user: 'root',
// password: 'root',
// database: 'my_db_01'
// })
// const sql = await mysql2.createConnection({
// ...config.db
// })
const db = knex({
client: 'mysql2',
connection: config.db
})
//创建表
db.schema.createTableIfNotExists('list', table => {
table.increments('id');//主键 自增
table.integer('age')
table.string('name')
table.string('hobby')
table.timestamps(true, true) //创建时间 更新时间
}).then(() => {
console.log('创建成功')
})
//查询全部
app.get('/', async (req, res) => {
// const [data] = await sql.query('select * from user')
const data = await db('list').select()
//db('list').select().toSQL().sql knex也可以反编译为 sql 语句进行调试
// 同时也支持 直接使用sql 语句
// db.raw('select * from list').then((data)=> {
// console.log(data)
// })
const count = await db('list').count("* as total") // [{total: 1}]
// res.send(data)
res.json({
data,
total: count[0].total
})
})
//单个查询
app.get('/user/:id', async (req, res) => {
// const [data] = await sql.query(`// select * from user where id=${req.params.id}`) //两种写法
// const [data] = await sql.query(`select * from user where id = ?`, [req.params.id])
const data = await db('list').select().where({id: req.params.id})
res.send(data)
})
//新增接口
app.post('/create', async (req, res) => {
const {name, age, hobby} = req.body
// await sql.query(`insert into user(NAME, AGE, ADDRESS) values(?,?,?)`, [name, age, address])
await db('list').insert({name, age, hobby})
res.send({ok: 1})
})
//编辑
app.post('/update', async (req, res) => {
const {name, age, hobby, id} = req.body
// await sql.query(`update user set NAME=?, AGE=?, ADDRESS=? where id=?`,[name, age, address,id])
await db('list').update({name, age, hobby}).where({id})
res.send({ok: 1})
})
//删除
app.post('/delete', async (req, res) => {
// const {id} = req.body
// await sql.query(`delete from user where id=?`, [id])
await db('list').delete().where({id: req.body.id})
res.send({ok: 1})
})
app.listen(3000, () => {
console.log('3000端口服务端已启动')
})