为什么这个Scala隐式转换不起作用?

时间:2011-11-08 03:26:10

标签: scala implicit-conversion circumflex-orm

更新:我已经接受了答案,但我仍然非常好奇为什么我的尝试不起作用(了解Scala隐式行为)。任何其他答案将不胜感激。

(希望这个问题在不太了解Circumflex的情况下是可以回答的,但以防万一,here's记录的源代码参考。)

我正在尝试在Circumflex ORM库上添加一些便利函数,但是我在尝试使用Scala隐式转换时遇到了一些障碍。下面,为什么隐式转换不会触发?我怀疑与子类化和/或递归类型参数有一些复杂的交互。

import ru.circumflex.orm._

// I subclass Record and Table to add my own convenience methods etc. (not pasted, irrelevant)
abstract class XRecord[PK, R <: XRecord[PK, R]] extends Record[PK, R] { this: R => }
trait XTable[PK, R <: XRecord[PK, R]] extends Table[PK, R] { this: R => }

// Example entity.
class Org extends XRecord[Long,Org] {
  val id = "id".BIGINT.NOT_NULL.AUTO_INCREMENT
  def PRIMARY_KEY = id
  def relation = Org
}
object Org extends Org with XTable[Long,Org]

object Test extends App {
  // I want this conversion to work for all Records, not just XRecords.
  // Need implicit f to be able to accept XRecord, a subclass of Record.
  implicit def toRichRelationNode[PK, R <: Record[PK,R], RR](xs: RR)(implicit f: RR => RelationNode[PK,R]) =
    new { def GET(f: RelationNode[PK,R] => Predicate) = 0 }

  // This works.
  toRichRelationNode(Org) GET (_.id EQ 1)

  // This doesn't:
  // "No implicit view available from Org.type => ru.circumflex.orm.RelationNode[PK,R]."
  Org GET (_.id EQ 1)
}

1 个答案:

答案 0 :(得分:4)

坦率地说,我从未使用隐式参数,而且我从未遇到过强迫我使用它们的条件(Circumflex本身是在没有隐式参数的情况下编写的,就我而言非常好)。

无论如何,我已经能够重现你的场景并让它发挥作用。然而,为了让一切顺利,需要花费两个时间。这是代码:

// The helper which holds custom methods, it will accept any subclass of R
class NodeHelper[PK, R <: Record[PK, R]](val node: RelationNode[PK, R]) {
  def GET(f: R => Predicate): Option[R] = node.criteria.add(f(node)).unique()
} 

// Now the implicits and usage scenario

object Tester {

  implicit def nodeToHelper[PK, R <: Record[PK, R]](node: RelationNode[PK, R]): NodeHelper[PK, R] = new NodeHelper(node)

  implicit def tableToHelper[PK, R <: Record[PK, R]](table: Table[PK, R]): NodeHelper[PK, R] = new NodeHelper(table.AS("this"))

  // Testing with table
  println(User GET (_.cn EQ "patrick"))
  // Testing with node
  println(User.AS("u") GET (_.cn EQ "patrick"))
}

// And finally, the test model we've mentioned above

class User extends Record[Long, User] {
  def PRIMARY_KEY = id
  val id = "id".BIGINT.NOT_NULL.AUTO_INCREMENT
  val cn = "cn".TEXT.NOT_NULL
  def relation = User
}

object User extends User with Table[Long, User]

希望它有所帮助。