0

为一个字段分配一个值,我怎样才能使其他字段发生变化。

考虑以下ReferenceClass对象:

C<-setRefClass("C", 
      fields=list(a="numeric",b="numeric")
      , methods=list(
      seta = function(x){
      a<<-x
      b<<-x+10
      cat("The change took place!")
      }
      ) # end of the methods list
      ) # end of the class

现在创建类的实例

c<-C$new() 

这个命令

c$seta(10)

将导致 c$a 为 10,c$b 为 20。

所以它确实有效,但是,我想通过命令来实现这个结果

c$a<-10

(即之后我希望 c$b 等于 20,如 seta() 函数逻辑中的类中定义的那样)
我该怎么做?

4

1 回答 1

3

我认为您正在寻找访问器函数,这些函数在?ReferenceClasses. 这应该有效:

C<-setRefClass("C", 
    fields=list(
        a=function(v) {
              if (missing(v)) return(x)
              assign('x',v,.self)                    
              b<<-v+10
              cat ('The change took place!')
            }
       ,b="numeric"
    )
    ,methods=list(
        initialize=function(...)  {
             assign('x',numeric(),.self)
            .self$initFields(...)
        } 
    )
)

c<-C$new()
c$a
# numeric(0)
c$a<-3
# The change took place!
c$b
# 13
c$a
# 3

x它确实有一个新值现在在环境(类对象)中的副作用c,但它对用户是“隐藏的”,因为仅打印c不会x作为字段列出。

于 2012-07-09T19:06:16.813 回答