I have a third-party C library I am using to write an R extension. I am required to create a few structs defined in the library (and initialize them) I need to maintain them as part of an S4 object (think of these structs as defining to state of a computation, to destroy them would be to destroy all remaining computation and the results of all that has been already computed).
I am thinking of creating a S4 object to hold pointers these structs as void* pointers but it is not at all clear how to do so, what would be the type of the slot?
S4 object with a pointer to a C struct
475 views Asked by pbhowmick At
1
As pointed out by @hrbrmstr, you can use the
externalptrtype to keep such objects "alive", which is touched on in this section of Writing R Extensions, although I don't see any reason why you will need to store anything asvoid*. If you don't have any issue with using a little C++, the Rcpp classXPtrcan eliminate a fair amount of the boilerplate involved with managingEXTPTRSXPs. As an example, assume the following simplified example represents your third party library's API:When working with pointers created via
newit is generally sufficient to useRcpp::XPtr<SomeClass>, because the default finalizer simply callsdeleteon the held object. However, since you are dealing with a C API, we have to supply the (default) template parameterRcpp::PreserveStorage, and more importantly, the appropriate finalizer (free_CStructin this example) so that theXPtrdoes not calldeleteon memory allocated viamalloc, etc., when the corresponding R object is garbage collected.Continuing with the example, assume you write the following functions to interact with your
CStruct:At this point, you have done enough to start handling
CStructsfrom R:ptr <- MakeCStruct()will initialize aCStructand store it as anexternalptrin RUpdateCStruct(ptr, x)will modify the data stored in theCStruct,SummarizeCStruct(ptr)will print a summary, etc.rm(ptr); gc()will remove theptrobject and force the garbage collector to run, thus callingfree_CStruct(ptr)and destroying the object on the C side of things as wellYou mentioned the use of S4 classes, which is one option for containing all of these functions in a single place. Here's one possibility:
Then, we can work with the
CStructs like this:Of course, another option is to use Rcpp Modules, which more or less take care of the class definition boilerplate on the R side (using reference classes rather than S4 classes, however).