提问人:stefabat 提问时间:1/23/2018 最后编辑:Seanny123stefabat 更新时间:3/1/2022 访问量:7546
Julia struct 中的可变字段
mutable fields in Julia struct
问:
我在 stackoverflow 和 Julia 文档中都找不到以下“设计问题”的答案:
假设我想定义以下对象
struct Person
birthplace::String
age::Int
end
由于是不可变的,我很高兴没有人可以改变任何创造的东西,尽管如此,这也意味着当时间流逝时,我也无法改变它们......Person
birthplace
Person
age
另一方面,如果我将类型定义为Person
mutable struct Person
birthplace::String
age::Int
end
我现在可以制作它们,但我没有以前的安全性,任何人都可以访问它并更改它。age
birthplace
到目前为止,我发现的解决方法如下
struct Person
birthplace::String
age::Vector{Int}
end
其中显然是 1 元素。
我发现这个解决方案非常丑陋,而且绝对是次优的,因为我每次都必须使用方括号访问年龄。age
Vector
有没有其他更优雅的方法可以在对象中同时拥有不可变和可变字段?
也许问题在于我错过了在 .如果是这样的话,你能给我解释一下吗?struct
答:
对于这个特定的例子,存储出生日期而不是年龄似乎更好,因为出生日期也是不可变的,并且根据该信息计算年龄很简单,但也许这只是一个玩具示例。
我发现这个解决方案非常丑陋,而且绝对是次优的,因为我必须这样做 每次都用方括号访问年龄。
通常你会定义一个 getter,即你使用的类似的东西,而不是直接访问该字段。有了这个,您可以避免括号中的“丑陋”。age(p::Person) = p.age[1]
在这种情况下,我们只想存储单个值,也可以使用(或者可能是 0 维)的东西,如下所示:Ref
Array
struct Person
birthplace::String
age::Base.RefValue{Int}
end
Person(b::String, age::Int) = Person(b, Ref(age))
age(p::Person) = p.age[]
使用情况:
julia> p = Person("earth", 20)
Person("earth", 20)
julia> age(p)
20
评论
Array{Int,0}
Ref
您已经收到了一些有趣的答案,对于“玩具示例”案例,我喜欢存储出生日期的解决方案。但对于更一般的情况,我可以想到另一种可能有用的方法。定义为自己的可变结构和不可变结构。那是:Age
Person
julia> mutable struct Age ; age::Int ; end
julia> struct Person ; birthplace::String ; age::Age ; end
julia> x = Person("Sydney", Age(10))
Person("Sydney", Age(10))
julia> x.age.age = 11
11
julia> x
Person("Sydney", Age(11))
julia> x.birthplace = "Melbourne"
ERROR: type Person is immutable
julia> x.age = Age(12)
ERROR: type Person is immutable
请注意,我不能更改 的任一字段,但我可以通过直接访问可变结构中的字段来更改年龄。您可以为此定义一个访问器函数,即:Person
age
Age
set_age!(x::Person, newage::Int) = (x.age.age = newage)
julia> set_age!(x, 12)
12
julia> x
Person("Sydney", Age(12))
另一个答案中讨论的解决方案没有错。它本质上是在完成同样的事情,因为数组元素是可变的。但我认为上述解决方案更整洁。Vector
评论
Person
Int
Age
Person("Melbourne", 11)
Age
p.age()
p.age.age
Vector
Ref
struct Age
struct Person
Dict
struct
Float64
Price
Volume
Float64
Price
Volume
abstract type Currency ; end
struct AUD <: Currency ; end
abstract type Exchange ; end
struct NYSE <: Exchange ; end
struct ASX <: Exchange ; end
在 Julia 1.8 中,您可以使用
mutable struct Person
age::Int
const birthplace::String
end
参见 https://docs.julialang.org/en/v1.8-dev/manual/types/#Composite-Types
评论
incrementage
incrementage(p::Person) = Person(p.birthplace, p.age+1);