我注意到代码中的重复模式,并认为尝试结构化输入可能是一个好主意。我已经阅读了这一章;-)但我无法理解它。请考虑以下代码:
def link(user: User, group: Group) = {
UserGroupLinks.insert((user.id, group.id))
}
def link(group: Group, role: Role) = {
GroupRoleLinks.insert((group.id, role.id))
}
def link(user: User, role: Role) = {
UserRoleLinks.insert((user.id, role.id))
}
如何将其组合成以下内容:
def link(A <: ...something with an id, B<:... something with and id) = {
(A, B) match {
case (u: User, g: Group) => UserGroupLinks.insert((user.id, group.id))
case (g: Group, r: Role) => GroupRoleLinks.insert((group.id, role.id))
case (u: User, r: Role) => UserRoleLinks.insert((user.id, role.id))
case _ =>
}
}
答案 0 :(得分:2)
对于结构类型,它将是这样的:
type WithId = {def id:Int}
def link(a:WithId, b:WithId) =
(a, b) match {
case (u:User, g:Group) => UserGroupLinks.insert(u.id -> g.id)
case _ =>
}
您可以更进一步,让编译器帮助您选择正确的插入器。为此你需要在你的插入器上引入一个特性:
trait WithInsert[A, B] {
def insert(x: (Int, Int)): Unit
}
然后在插入对象上执行以下操作:
object UserGroupLinks extends WithInsert[User, Group]
您可以在随播对象
上定义默认值object WithInsert {
implicit val ug = UserGroupLinks
implicit val gr = GroupRoleLinks
}
我们仍然可以使用WithId
类型,但在大多数情况下我建议使用特征
type WithId = { def id: Int }
您的链接方法如下所示:
def link[A <: WithId, B <: WithId](a: A, b: B)(implicit inserter: WithInsert[A, B]) =
inserter.insert(a.id -> b.id)
正如您所看到的,链接方法需要WithInsert[A, B]
可用。它会在WithInsert
的伴随对象中找到合适的对象。
这意味着您现在可以像这样调用您的方法:
link(user, group)
link(group, role)
答案 1 :(得分:0)
这是我正在寻找的简单解决方案:
def link[A <: { def id: Long }, B <: { def id: Long }](a: A, b: B) = {
(a, b) match {
case (u: User, g: Group) => UserGroupLinks.insert((u.id, g.id))
case (g: Group, r: Role) => GroupRoleLinks.insert((g.id, r.id))
case (u: User, r: Role) => UserRoleLinks.insert((u.id, r.id))
case _ => ???
}
}
编译器允许的地方:
case class XX(id: Long)
case class YY(id: Long)
case class ZZ(idz: Long)
link(XX(22), YY(33))
但不是:
link(XX(22), ZZ(33))
答案 2 :(得分:0)
尝试
type T = { val id: String }
def link(obj1 : T, obj2: T) = {
// You got
println(" obj1.id = %s obj2.id = %s".format(obj1.id, obj2.id))
}