Prisma是一个开源ORM框架,包含三部分:
首先要安装Prisma两个依赖模块:
npm init
npm install prisma -S
npm install @prisma/client -S
第一个模块是CLI命令,通过它调用Prisma的各种功能,包括数据迁移、构建client等。
第二个模块是生成@prisma/client初始模块,该模块是数据库与程序之间的代理类,程序使用该模块操作数据库表。当数据库描述文件(Prisma Schema)发生改变时,需要通过npx prisma generate
命令更新该模块。
Prisma schema文件允许开发者通过直观的数据建模语言来定义应用模型。
可以通过npx prisma init
命令来生成初始化schema文件。执行该命令后,会在当前目录创建一个.env文件,并生成一个prisma目录,在prisma目录下创建schema.prisma文件。
.env文件中定义了DATABASE_URL环境变量,可针对实际使用的数据库修改该连接字符串。连接字符串的格式为:
"mysql://username:password@localhost:3306/dbname"
schema文件如下,共配置了三样东西:
datasource db {
provider = "mysql"
url = env("DATABASE_URL")
}
generator client {
provider = "prisma-client-js"
}
model Post {
id Int @id @default(autoincrement())
title String
content String?
published Boolean @default(false)
author User? @relation(fields: [authorId], references: [id])
authorId Int?
}
model User {
id Int @id @default(autoincrement())
email String @unique
name String?
posts Post[]
}
在VS Code中安装Prisma插件,可获得对.prisma文件的格式化显示。
使用migrate命令进行数据库迁移,将schema中的变化实施到数据库中。
$ npx prisma migrate dev --name first_migration
迁移记录会依次保存在prisma/migrations目录下。
数据模型定义中可以包含字段、模型间关系、属性和函数。
model CommentTag{
// Fields
@@map("comment_tag")
}
类名采用大坨峰形式,但数据库表名通常使用蛇式,例如common_tag。可以使用@@map属性来重命名数据库表名。
模型的每个记录必须是唯一可识别的,因此每个Model必须至少定义以下一个属性(关于字段属性的解释见后文):
模型的属性被称为字段,包含字段名、字段类型、类型修饰符(选填)、@属性(选填)。
字段类型分类两类:
(1) String
MySQL的默认类型映射:varchar(191)
MySQL原生类型 | @属性 |
---|---|
VARCHAR | @db.VarChar(X) |
TEXT | @db.Text |
CHAR | @db.Char(X) |
TINYTEXT | @db.TinyText |
MEDIUMTEXT | @db.MediumText |
LONGTEXT | @db.LongText |
(2) Boolean
MySQL的默认类型映射:TINYINT(1)
(3) Int
MySQL的默认类型映射:INT
MySQL原生类型 | @属性 |
---|---|
INT | @db.Int |
INT UNSIGNED | @db.UnsignedInt |
SMALLINT | @db.SmallInt |
SMALLINT UNSIGNED | @db.UnsignedSmallInt |
MEDIUMINT | @db.MediumInt |
MEDIUMUNSIGNED | @db.UnsignedMediumInt |
TINYINT | @db.TinyInt |
TINYINT UNSIGNED | @db.UnsignedTinyInt |
YEAR | @db.Year |
(4) BigInt
MySQL的默认类型映射:INT
MySQL原生类型 | @属性 |
---|---|
BIGINT | @db.BigInt |
SERIAL | @db.UnsignedBigInt @default(autoincrement()) |
(5) Float
MySQL的默认类型映射:DOUBLE
MySQL原生类型 | @属性 |
---|---|
FLOAT | @db.Float |
DOUBLE | @db.Double |
(6) Decimal
MySQL的默认类型映射:DECIMAL(65,30)
MySQL原生类型 | @属性 |
---|---|
DECIMAL,NUMERIC | @db.Decimal(X,Y) |
(7) DateTime
MySQL的默认类型映射:DATETIME(3)
MySQL原生类型 | @属性 |
---|---|
DATETIME(x) | @db.DateTime(x) |
DATE(x) | @db.Date(x) |
TIME(x) | @db.Time(x) |
TIMESTAMP(x) | @db.Timestamp(x) |
YEAR |
(8) enum枚举类型
如下,定义一个有两个选项的枚举类型:
enum Role{
USER
ADMIN
}
model User{
id Int @id @default(autoincrement())
role Role @default(USER)
}
@属性会调整字段或模型的行为,部分属性接受参数。字段使用@添加属性,模型使用@@添加属性。
(1) @id
令字段为主键,可以使用@default()进行注解,该值使用函数自动生成ID,可选函数为:
例如:
model User{
id Int @id @default(autoincrement())
name String
@@map("user")
}
(2) @@id
定义复合主键。例如:
model User{
id Int @default(autoincrement())
firstName String
lastName String
email String @unique
isAdmin Boolean @default(false)
@@id([id, firstName, lastName])
}
(3) @default
创建字段默认值,默认值可以是静态值,也可以是以下函数之一:
(4) @unique
唯一性约束。若一个model上不存在@id或@@id,则必须有一个使用@unique修饰的字段。@unique修饰不能用于关系字段。@unique修饰的字段必须为必填字段(不能使用?修饰)。
(5) @@unique
定义多个唯一性约束。例如:
model User{
firstname Int
lastname Int
id Int
@@unique([firstname, lastname, id])
}
(6) @@index
创建数据库索引。例如:
model Post{
id Int @id @default(autoincrement())
title String
content String?
@@index([title, content])
}
(7) @relation
定义关联关系,对应数据库的外键。@relation有三个参数:
Prisma中有三种不同的关系类型,包括One2One、One2Many、Many2Many。具体可参考(三)定义关系中的内容。
(8) @map
将Schema中的字段名映射为数据库中不同的名称。例如,将firstName字段映射到名为first_name的列:
model User{
id Int @id @default(autoincrement())
firstName String @map("first_name")
}
(9) @@map
将Schema中模型名称映射为数据库中不同的表名。例如:
model User{
id Int @id @default(autoincrement())
name String
@@map("users")
}
(10) @updatedAt
自动存储更新的时间。例如:
model Post{
id String @id
updatedAt DateTime @updatedAt
}
User和Profile间有一对一关系,例如:
model User{
id Int @id @default(autoincrement())
profile Profile?
}
model Profile{
id Int @id @default(autoincrement())
userId Int
user User @relation(fields:[userId], reference:[id])
}
User和Post间有一对多关系,例如:
model User{
id Int @id @default(autoincrement())
posts Post[]
}
model Post{
id Int @id @default(autoincrement())
authorId int?
author User? @relation(fields:[authorId], references:[id])
}
一对多关系中,存在一个不标注@relation的列表侧(上例User的posts),列表可以为空。
多对多关系是通过中间表来实现的,可以显式声明,也可以隐式自动生成。
(1) 显式声明
Category和Post之间有多对多关系,使用显式声明,需要一张中间表记录关系,例如:
model Post{
id Int @id @default(autoincrement())
title String
categories CategoriesOnPosts[]
}
model Category{
id Int @id @default(autoincrement())
name String
posts CategoriesOnPosts[]
}
model CategoriesOnPosts{
postId Int
post Post @relation(fields:[postId], references:[id])
categoryId Int
category Category @relation(fields:[categoryId],references:[id])
assignedAt DateTime @default(now())
assignedBy String
@@id([postId, categoryId])
}
上例中间表CategoriesOnPosts中定义了额外的字段assignedAt和assignedBy,这两个字段记录建立关联的时间和由谁建立关联。这些额外字段可不存在。
(2) 隐式声明
隐式多对多关系在关系两侧定义类型为列表的关系字段。关系表存在于底层数据库中,但它由Prisma管理,且不体现在schema中。隐式多对多关系会简化Prisma Client API的调用过程。仍然以Post和Category为例:
model Post{
id Int @id @default(autoincrement())
categories Category[]
}
model Category{
id Int @id @default(autoincrement())
posts Post[]
}
隐式多对多关系要求两侧模型都有单一字段@id,且不能使用多字段id,也不能使用@unique代替@id。
本节案例都将基于如下schema:
generator client {
provider = "prisma-client-js"
}
datasource db {
provider = "mysql"
url = env("DATABASE_URL")
}
model ExtendedProfile {
id Int @id @default(autoincrement())
biography String
user User @relation(fields: [userId], references: [id])
userId Int @unique
}
model User {
id Int @id @default(autoincrement())
name String?
email String @unique
profileViews Int @default(0)
role Role @default(USER)
posts Post[]
profile ExtendedProfile?
}
model Post {
id Int @id @default(autoincrement())
title String
published Boolean @default(true)
author User @relation(fields: [authorId], references: [id])
authorId Int
comments Json?
views Int @default(0)
likes Int @default(0)
categories Category[]
}
model Category {
id Int @id @default(autoincrement())
name String @unique
posts Post[]
}
enum Role {
USER
ADMIN
}
创建单条记录:create()
import {PrismaClient} from '@prisma/client'
const prisma = new PrismaClient()
const user=await prisma.user.create({
data:{
name: 'hello',
email: '[email protected]'
}
})
创建多条记录:createMany()
const createMany = await prisma.user.createMany({
data:[
{name:'Bob', email:'[email protected]'},
{name:'Tom', email:'[email protected]'},
{name:'Helen', email:'[email protected]'}
]
})
(1) 获取唯一记录:findUnique()
按@id或@unique字段获取唯一记录。
const user1 = await prisma.user.findUnique({
where:{
id: 3
}
})
const user2 = await prisma.user.findUnique({
where:{
email: '[email protected]'
}
})
按@@id或@@unique复合字段获取唯一记录。
若是复合字段,默认字段名遵循fieldname1_fieldname2模式,也可以在定义复合字段时指定复合字段名。
model TimePeriod{
year Int
quater Int
total Decimal
@@id([year,quater])
}
model TimePeriod2{
year Int
quater Int
total Decimal
@@unique([year,quater], name:'timeperiodid')
}
const timePeriod=await prisma.timePeriod.findUnique({
where:{
year_quater:{
year: 2020,
quater: 4
}
}
})
const timePeriod2=await prisma.timePeriod2.findUnique({
where:{
timepreiodid:{
year: 2020,
quater: 4
}
}
})
(2) 获取所有记录:findMany()
const users=await prisma.user.findMany()
(3) 获取与特定条件匹配的第一条记录:findFirst()
findFirst()在幕后调用findMany(),并接受相同的查询选项。
(1) 更新记录:update()
const user=await prisma.user.update({
where:{id:1},
data:{email:'[email protected]'}
})
(2) 更新或创建新记录:upsert()
const user=await prisma.user.upsert({
where:{id:1},
update:{email:'[email protected]'},
create:{email:'[email protected]'}
})
(3) 更新一批记录:updateMany()
const updateUserCount=await prisma.user.updateMany({
where:{name:"Alice"},
data:{name:"ALICE"}
})
(1) 根据id或unique字段删除一条记录:delete()
const user=await prisma.user.delete({
where:{id:1},
//返回被删除用户的name和email
select:{email:true, name:true}
})
(2) 删除符合条件的一组记录:deleteMany()
//删除所有user
const deletedUserCount=await prisma.user.deleteMany({})
const deletedUserCount=await prisma.user.deleteMany({
where:{name:'Bob'}
})
select指定返回的结果中包含哪些字段。
const result1=await prisma.user.findUnique({
where:{id:1},
select:{name:true, profileViews:true}
})
//选择关联模型的字段
const result2=await prisma.user.findMany({
select:{
id:true,
name:true,
posts:{
select:{
id:true,
title:true
}
}
}
})
distinct可与select配合使用,选出某字段不同的记录。
const result=await prisma.user.findMany({
select:{role:true},
distinct:['role']
})
include指定返回的结果中包含哪些关系。
const users=await prisma.user.findMany({
include:{posts:true, profile:true}
})
const result=await prisma.user.findMany({
where:{
name:{
equals: 'Helen'
}
}
})
// 等价于:
const result=await prisma.user.findMany({
where:{
name: 'Helen'
}
})
const result=await prisma.user.findMany({
where:{
name:{
not: 'Helen'
}
}
})
const result=await prisma.user.findMany({
where:{
id:{in:[1,3,5,7]}
}
})
const result=await prisma.user.findMany({
where:{
id:{notIn:[1,3,5,7]}
}
})
lt:小于
lte:小于等于
gt:大于
gte:大于等于
获取所有点赞数(likes)小于9的博客:
const getPosts=await prisma.post.findMany({
where:{
likes:{
lt:9
}
}
})
获取content包含’abc’的博客数量:
//包含
const result=await prisma.post.count({
where:{
content:{contains:'abc'}
}
})
//不包含
const result=await prisma.post.count({
where:{
NOT:{
content:{contains:'abc'}
}
}
})
const result=await prisma.post.findMany({
where:{
title:{startsWith:'hello'}
}
})
const result=await prisma.post.findMany({
where:{
AND:[
{content:{contains:"abc"}},
{published:{equals:false}}
]
}
})
//AND可省略,上例等价于:
const result=await prisma.post.findMany({
where:{
content:{contains:"abc"},
published:{equals:false}
}
})
const result=await prisma.post.findMany({
where:{
published:{equals:false},
OR:[
{title:{contains:'abc'}},
{title:{contains:'def'}}
],
NOT:{title:{contains:'ghi'}}
}
})
一对多关系中,以多方为条件过滤出一方。
some表示只要多方存在至少一条符合条件。
every表示多方要全部符合条件。
none表示多方要全部不符合条件。
const result=await prisma.user.findMany({
where:{
post:{
some:{
content:{contains:'abc'}
},
every:{
published:true
}
}
}
})
//所有未关联post的user
const result2=await prisma.user.findMany({
where:{
post:{
none:{}
}
}
})
//所有未发表过post的user
const result3=await prisma.user.findMany({
where:{
post:{
none:{published:true}
}
}
})
一对多关系中,以一方为条件过滤出多方。
const result=await prisma.post.findMany({
where:{
user:{
is:{name:"Bob"}
}
}
})
const usersWithPosts=await prisma.user.findMany({
orderBy:[
{role:'desc'},
{name:'asc'}
],
include:{
posts:{
orderBy:{title:'desc'},
select:{title:true}
}
}
})
偏移分页使用skip跳过一定数量的结果,并使用take选择有限的范围。
const results=await prisma.post.findMany({
skip:3,
take:4
})
偏移分页优点是灵活,缺点是性能低。例如,要跳过20000条记录,并获取前10条记录,数据库仍需要遍历前20000条记录。因此,偏移分页适用于小结果集的分页。
基于游标的分页使用cursor和take在给定游标之前或之后返回一组记录。
//第一次查询不使用游标
const firstQueryResults=prisma.post.findMany({
take:4,
orderBy:{id:'asc'}
})
//记录当前游标
var myCursor=firstQueryResults[3].id
//第二次查询从游标位置+1处开始
const secondQueryResults=prisma.post.findMany({
take:4,
skip:1,//跳过游标,避免重复
cursor:{id:myCursor},
orderBy:{id:'asc'}
})
//记录当前游标
mycursor=secondQueryResults[3].id
...
基于游标分页,底层SQL并不使用OFFSET,而是查询id大于游标值的所有记录。适用于大记录集的连续滚动分页。局限性是必须按游标排序,且游标必须是唯一的连续列。
聚合函数包括:
const minMaxAge=await prisma.user.aggregate({
_count:{_all:true},
_max:{profileViews:true},
_sum:{profileViews:true}
})
分组可用的聚合函数包括:
const groupUsers=await prisma.user.groupBy({
by:['country'],
_sum:{
profileViews:true
}
})
//返回结果:
[
{ country: 'Germany', _sum: { profileViews: 126 } },
{ country: 'Sweden', _sum: { profileViews: 0 } },
]
groupBy支持使用where和having过滤记录。
//where在分组前过滤所有记录
const groupUsers1=await prisma.user.groupBy({
by:['country'],
where:{email:{contains:'abc.com'}},
_sum:{profileViews:true}
})
//having按聚合值过滤整个组
const groupUsers2=await prisma.user.groupBy({
by:['country'],
_sum:{profileViews:true},
having:{
profileViews:{
_avg:{gt:100}
}
}
})
//user总数
const result1=await prisma.user.count()
//user在关联关系约束下的总数
const result2=await prisma.user.count({
where:{
post:{
some:{
published:true
}
}
}
})