我想为内置类型(例如 Double)添加一个方法,以便我可以使用infix
运算符。那可能吗?
namin
问问题
1350 次
2 回答
19
是和不是。是的,你可以让它看起来好像你已经添加了一个方法到double
. 例如:
class MyRichDouble(d: Double) {
def <>(other: Double) = d != other
}
implicit def doubleToSyntax(d: Double) = new MyRichDouble(d)
此代码将以前不可用的<>
运算符添加到任何类型的对象Double
。只要该doubleToSyntax
方法在范围内,以便可以在没有限定的情况下调用它,以下将起作用:
3.1415 <> 2.68 // => true
答案的“否”部分来自于你并没有真正在Double
课堂上添加任何东西。相反,您正在创建从Double
到新类型的转换,该类型确实定义了您想要的方法。这可能是一种比许多动态语言提供的开放类更强大的技术。它也恰好是完全类型安全的。:-)
您应该注意的一些限制:
- 此技术不允许您删除或重新定义现有方法,只需添加新方法
- 隐式转换方法(在这种情况下,
doubleToSyntax
)绝对必须在所需扩展方法可用的范围内
习惯上,隐式转换要么放在单例对象中并导入(例如import Predef._
),要么放在特征中并继承(例如class MyStuff extends PredefTrait
)。
顺便说一句:Scala 中的“中缀运算符”实际上是方法。<>
允许它是中缀的方法没有任何魔法,解析器只是以这种方式接受它。如果您愿意,也可以使用“常规方法”作为中缀运算符。例如,Stream
该类定义了一个take
方法,该方法接受一个Int
参数并返回一个新的Stream
. 这可以通过以下方式使用:
val str: Stream[Int] = ...
val subStream = str take 5
该str take 5
表达式在字面上与 相同str.take(5)
。
于 2008-11-18T07:50:53.413 回答
2
这个特性可以方便地实现一个执行错误估计的类:
object errorEstimation {
class Estimate(val x: Double, val e: Double) {
def + (that: Estimate) =
new Estimate(this.x + that.x, this.e + that.e)
def - (that: Estimate) =
new Estimate(this.x - that.x, this.e + that.e)
def * (that: Estimate) =
new Estimate(this.x * that.x,
this.x.abs*that.e+that.x.abs*this.e+this.e*that.e)
def / (that: Estimate) =
new Estimate(this.x/that.x,
(this.x.abs*that.e+that.x.abs*this.e)/(that.x.abs*(that.x.abs-that.e)))
def +- (e2: Double) =
new Estimate(x,e+e2)
override def toString =
x + " +- " + e
}
implicit def double2estimate(x: Double): Estimate = new Estimate(x,0)
implicit def int2estimate(x: Int): Estimate = new Estimate(x,0)
def main(args: Array[String]) = {
println(((x: Estimate) => x+2*x+3*x*x)(1 +- 0.1))
// 6.0 +- 0.93
println(((x: Estimate) => (((y: Estimate) => y*y + 2)(x+x)))(1 +- 0.1))
// 6.0 +- 0.84
def poly(x: Estimate) = x+2*x+3/(x*x)
println(poly(3.0 +- 0.1))
// 9.33333 +- 0.3242352
println(poly(30271.3 +- 0.0001))
// 90813.9 +- 0.0003
println(((x: Estimate) => poly(x*x))(3 +- 1.0))
// 27.037 +- 20.931
}
}
于 2008-11-18T08:28:35.193 回答