如何在 r2dbc 中实现 ManyToMany
How to implement ManyToMany in r2dbc
R2DBC 目前不支持组合键。我想知道我们现在如何实现多对多关系?
例如,给定两个实体:
@Table
class Item(
@Id var id: Long?,
var title: String,
var description: String,
)
@Table
class Tag(
@Id
var id: Long?,
var title: String,
var color: String,
)
及其架构:
CREATE TABLE item (
id SERIAL PRIMARY KEY NOT NULL,
title varchar(100) NOT NULL,
description varchar(500) NOT NULL
);
CREATE TABLE tag (
id SERIAL PRIMARY KEY NOT NULL,
title varchar(100) NOT NULL,
color varchar(6) NOT NULL
);
我可以为多对多映射创建一个table:
CREATE TABLE item_tag (
item_id bigint NOT NULL,
tag_id bigint NOT NULL,
PRIMARY KEY(item_id, tag_id)
);
但是kotlin/java中的映射classItemTag
应该怎么定义呢?
@Table
class ItemTag(
// ??????????????????????? @Id ?????????????????????
var itemId: Long,
var tagId: Long,
)
或者省略 @Id
可以吗?那么class就不能有任何Repository
吗?我想那样就好了。这是唯一的含义吗?
可能还有其他方法可以做到这一点。我认为 R2DBC
还不支持 CompositeKey
。因此,这只是解决您问题的一种方法。
数据class
data class ItemTag(val itemId: Long, val tagId: Long)
然后存储库
interface TagRepository {
fun getItemTagByTagId(tagId: Long): Flow<ItemTag>
}
存储库实现
@Repository
class TagRepositoryImpl(private val databaseClient: DatabaseClient) : TagRepository {
override fun getItemTagByTagId(tagId: Long): Flow<ItemTag> {
return databaseClient.sql("SELECT * FROM item_tag WHERE tag_id = :tagId")
.bind("tagId", tagId)
.map(row, _ -> rowToItemTag(row))
.all()
.flow()
}
private fun rowToItemTag(row: Row): ItemTag {
return ItemTag(row.get("item_id", Long::class.java)!!, row.get("tag_id", Long::class.java)!!)
}
}
类似的东西。
R2DBC 目前不支持组合键。我想知道我们现在如何实现多对多关系?
例如,给定两个实体:
@Table
class Item(
@Id var id: Long?,
var title: String,
var description: String,
)
@Table
class Tag(
@Id
var id: Long?,
var title: String,
var color: String,
)
及其架构:
CREATE TABLE item (
id SERIAL PRIMARY KEY NOT NULL,
title varchar(100) NOT NULL,
description varchar(500) NOT NULL
);
CREATE TABLE tag (
id SERIAL PRIMARY KEY NOT NULL,
title varchar(100) NOT NULL,
color varchar(6) NOT NULL
);
我可以为多对多映射创建一个table:
CREATE TABLE item_tag (
item_id bigint NOT NULL,
tag_id bigint NOT NULL,
PRIMARY KEY(item_id, tag_id)
);
但是kotlin/java中的映射classItemTag
应该怎么定义呢?
@Table
class ItemTag(
// ??????????????????????? @Id ?????????????????????
var itemId: Long,
var tagId: Long,
)
或者省略 @Id
可以吗?那么class就不能有任何Repository
吗?我想那样就好了。这是唯一的含义吗?
可能还有其他方法可以做到这一点。我认为 R2DBC
还不支持 CompositeKey
。因此,这只是解决您问题的一种方法。
数据class
data class ItemTag(val itemId: Long, val tagId: Long)
然后存储库
interface TagRepository {
fun getItemTagByTagId(tagId: Long): Flow<ItemTag>
}
存储库实现
@Repository
class TagRepositoryImpl(private val databaseClient: DatabaseClient) : TagRepository {
override fun getItemTagByTagId(tagId: Long): Flow<ItemTag> {
return databaseClient.sql("SELECT * FROM item_tag WHERE tag_id = :tagId")
.bind("tagId", tagId)
.map(row, _ -> rowToItemTag(row))
.all()
.flow()
}
private fun rowToItemTag(row: Row): ItemTag {
return ItemTag(row.get("item_id", Long::class.java)!!, row.get("tag_id", Long::class.java)!!)
}
}
类似的东西。