mt1022
mt1022

Reputation: 17299

how to modify a list of R6class objects by reference?

See this short example:

library(R6)
library(pryr)

Person <- R6Class("Person", public = list(name = NA, hair = NA, initialize = function(name, 
  hair) {
  if (!missing(name)) self$name <- name
  if (!missing(hair)) self$hair <- hair
}, set_hair = function(val) {
  self$hair <- val
}))
ann <- Person$new("Ann", "black")
address(ann)
#> [1] "0x27e01f0"

ann$name <- "NewName"
address(ann)
#> [1] "0x27e01f0"


ann2 <- Person$new("Ann", "white")

g <- c(ann, ann2)
address(g)
#> [1] "0x32cc2d0"

g[[1]]$hair <- "red"
address(g)
#> [1] "0x34459b8"

I was expecting the operation g[[1]]$hair <- "red" will change g by reference like ann$name <- "NewName". Is there a way to achieve this?

Upvotes: 1

Views: 70

Answers (1)

Marcelo
Marcelo

Reputation: 4282

g is just a vector so it does not have reference semantics. Even so, you get a new object g, it refers to same objects ann and ann2. You cam verify by address(g[[1]])

If you do not want to change g, you have to extract the object from g and then call the assignment method.

address(g)
##[1] "0000000019782340"

# Extract the object and assign
temp <- g[[1]]
temp$hair <- "New red"

address(g)
[1] "0000000019782340"
#Verify the value on g
g[[1]]$hair
##[1] "New red"

address(g)
#[1] "0000000019782340"

Upvotes: 1

Related Questions