What/Where are the attributes of a function object?

后端 未结 2 1218
不知归路
不知归路 2020-12-15 05:55

By playing around with a function in R, I found out there are more aspects to it than meets the eye.

Consider ths simple function assignment, typed directly in the c

相关标签:
2条回答
  • 2020-12-15 06:21

    I jst figured out an attribute that compiled functions (package compiler) have that is not available with attributes or str. It's the bytecode.

    Example:

    require(compiler)
    
    f <- function(x){ y <- 0; for(i in 1:length(x)) y <- y + x[i]; y }
    
    g <- cmpfun(f)
    

    The result is:

    > print(f, useSource=FALSE)
    function (x) 
    {
        y <- 0
        for (i in 1:length(x)) y <- y + x[i]
        y
    }
    
    > print(g, useSource=FALSE)
    function (x) 
    {
        y <- 0
        for (i in 1:length(x)) y <- y + x[i]
        y
    }
    <bytecode: 0x0000000010eb29e0>
    

    However, this doesn't show with normal commands:

    > identical(f, g)
    [1] TRUE
    > identical(f, g, ignore.bytecode=FALSE)
    [1] FALSE
    > identical(body(f), body(g), ignore.bytecode=FALSE)
    [1] TRUE
    > identical(attributes(f), attributes(g), ignore.bytecode=FALSE)
    [1] TRUE
    

    It seems to be accessible only via .Internal(bodyCode(...)):

    > .Internal(bodyCode(f))
    {
        y <- 0
        for (i in 1:length(x)) y <- y + x[i]
        y
    }
    
    > .Internal(bodyCode(g))
    <bytecode: 0x0000000010eb29e0>
    
    0 讨论(0)
  • 2020-12-15 06:29

    As far as I know, srcref is the only attribute typically attached to S3 functions. (S4 functions are a different matter, and I wouldn't recommend messing with their sometimes numerous attributes).

    The srcref attribute is used for things like enabling printing of comments included in a function's source code, and (for functions that have been sourced in from a file) for setting breakpoints by line number, using utils::findLineNum() and utils::setBreakpoint().

    If you don't want your functions to carry such additional baggage, you can turn off recording of srcref by doing options(keep.source=FALSE). From ?options (which also documents the related keep.source.pkgs option):

    ‘keep.source’: When ‘TRUE’, the source code for functions (newly defined or loaded) is stored internally allowing comments to be kept in the right places. Retrieve the source by printing or using ‘deparse(fn, control = "useSource")’.

    Compare:

    options(keep.source=TRUE)
    f1 <- function(x) {
        ## This function is needlessly commented
        x
    }
    
    options(keep.source=FALSE)
    f2 <- function(x) {
        ## This one is too
        x
    }
    
    length(attributes(f1))
    # [1] 1
    f1
    # function(x) {
    #     ## This function is needlessly commented
    #     x
    # }
    
    length(attributes(f2))
    # [1] 0
    f2
    # function (x) 
    # {
    #     x
    # }
    
    0 讨论(0)
提交回复
热议问题