How to define a variadic function

后端 未结 2 648
甜味超标
甜味超标 2021-02-20 14:17

I\'m looking for something similar to Javascript\'s arguments array:

function parent(){
  child.apply(this.arguments);
}

I\'m awar

相关标签:
2条回答
  • 2021-02-20 14:53

    You want:

    (define (parent . args) 
       args) ; args is a list
    

    Which is infact the 'default' implementation of list.

    (define (list . x) x)
    

    The error message when applying (define (parent . ) ...) seems wrong, also, the code should not have compiled in the first place as it is invalid syntax. Might imply a bug with the version of Chicken Scheme you are using.

    0 讨论(0)
  • 2021-02-20 15:02

    The correct syntax is:

    (define (parent . args-list)
        <do something with args-list>)
    

    Use it like this:

    (parent 1 2 3 4 5)
    

    Inside the procedure, all the arguments will be bound to a list named args-list. In the above snippet, args-list will have '(1 2 3 4 5) as its value. This is an example of how variadic functions work in Scheme.

    For the sake of completeness, the same mechanism can be used for anonymous functions, too (notice that args-list is not surrounded by parenthesis):

    ((lambda args-list <do something with args-list>) 1 2 3 4 5)
    
    0 讨论(0)
提交回复
热议问题