假设我有一个R6类,它的元素之一是指向某些C ++对象的外部指针。
所以我有这样的东西:
myClass <- R6::R6Class(
"myClass",
public = list(
xp = NULL,
initialize = function(x) {
self$xp = cpp_fun_that_returns_a_pointer(x)
}
)
)
如果我使用myclass$clone()
,它将仍然指向相同的myclass$xp
。如果我执行myclass$clone(deep = TRUE)
,也会发生这种情况,因为它不知道如何在C ++端进行克隆。
在这种情况下,我可以使用自定义的deep_clone
方法...
但是由于在我的用例中,不进行深层克隆来克隆类总是错误的,我想知道是否可以直接更改clone
的行为。 / p>
我尝试只创建一个clone()
方法,R6不允许这样做。
Error in R6::R6Class("tensor", cloneable = FALSE, private = list(xp = NULL), :
Cannot add a member with reserved name 'clone'.
答案 0 :(得分:1)
如果使用clone()
,则可以定义自定义cloneable = FALSE
方法。我不确定您对XPtr
所做的一切,因此,我将演示一个更简单的示例:
# Set up the R6 class, making sure to set cloneable to FALSE
myClass <- R6::R6Class(
"myClass",
public = list(
xp = NULL,
initialize = function(x = 1:3) {
self$xp = x
}
),
cloneable = FALSE
)
# Set the clone method
myClass$set("public", "clone", function() {
print("This is a custom clone method!") # Test print statement
myClass$new(self$xp)
})
# Make a new myClass object
a <- myClass$new(x = 4:6)
# Examine it
a
#> <myClass>
#> Public:
#> clone: function ()
#> initialize: function (x = 1:3)
#> xp: 4 5 6
# Clone it
b <- a$clone()
#> [1] "This is a custom clone method!"
# We see the test print statement was printed!
# Let's check out b:
b
#> <myClass>
#> Public:
#> clone: function ()
#> initialize: function (x = 1:3)
#> xp: 4 5 6
由reprex package(v0.2.1)于2019-02-05创建