是否有一种本地方法可以确保变量只能设置一次?
目前,我正在使用这种方法
class SetOnceVariable[T]
{
private var value : T = _
private var initialized = false
def apply(_v : T = _) : T =
{
if (value != null && !initialized) {
value = _v
initialized = true
}
value
}
}
class ClientInfo
{
val userIP : SetOnceVariable[String] = new SetOnceVariable[String]
}
答案 0 :(得分:4)
没有这样的语言结构,但我认为我至少可以清理你的代码。
class SetOnce[A](var toOption: Option[A] = None) {
def set(a: A): Unit = if (toOption.isEmpty) toOption = Some(a)
def get: A = toOption.get
}
用法:
val x = new SetOnce[Int]
x.toOption // None
x.set(1)
x.get // 1
x.set(2)
x.get // 1
我省略了null
因素,因为惯用的Scala代码在Java兼容性之外往往不使用或考虑null
。我们大多假装它不存在。
答案 1 :(得分:1)
使用懒惰的方法:
class SetOnceVariable[T] {
private var v: T = _
private lazy val value: T = v
def apply(_v: T = ???): T = {
v = _v
value
}
}
val info = new ClientInfo
println(info.userIP("IP")) // IP
println(info.userIP("IP2")) // IP
println(info.userIP("IP3")) // IP
要使其成为线程安全的,您可以使用:
def apply(_v: T = ???): T =
synchronized {
v = _v
value
}
答案 2 :(得分:0)
您可以使用val创建常量变量。例如:
val a = 0; // Cannot be changed
var b = 0; // Can be changed
有关详细信息,请参阅此答案:https://stackoverflow.com/a/1792207/4380308
修改强>
可以声明val,然后再进行初始化。
val a;
a = 0;
答案 3 :(得分:0)
您可以尝试以下操作:
class varSingleton[A >: Null <: AnyRef] {
private[this] var _a = null: A
def :=(a: A) { if (_a eq null) _a = a else throw new IllegalStateException }
def apply() = if (_a eq null) throw new IllegalStateException else _a
}
你可以进一步使用它:
var singleVal = new varSingleton[Integer]
singleVal := 12
singleVal() // returns 12
singleVal := 13 //IllegalStateException
答案 4 :(得分:0)
你可以使用简单的getter和setter:
class ClientInfo {
private var _userIP: Option[String] = None
def userIP: String = _userIP.get
def userIP_=(value: String): Unit = {
_userIP = _userIP.orElse(Option(value))
}
}
val clientInfo = new ClientInfo() //> clientInfo : controllers.stackoverflow.ClientInfo controllers.stackoverflow$Clien
//| tInfo@4fccd51b
clientInfo.userIP = "first"
clientInfo.userIP //> res0: String = first
clientInfo.userIP = "second"
clientInfo.userIP //> res1: String = first
我更喜欢使用Option这个值直接来防止空值和NPE。你当然可以在setter中添加你需要的逻辑。