Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

How can I pass an array as parameters to a vararg function?

I have some code that looks like this:

uint8_t activities[8];
uint8_t numActivities = 0;
...
activities[numActivities++] = someValue;
...
activities[numActivities++] = someOtherValue;
...
switch (numActivities)
{
   0 : break;
   1 : LogEvent(1, activities[0]);  break;
   2 : LogEvent(1, activities[0], activities[1]);  break;
   3 : LogEvent(1, activities[0], activities[1], activities[2]);  break;
   // and so on
}

where LogEvent() is a varargs function.

Is there a more elgant way to do this?


[Update] Aplogies to @0x69 et al. I omitted to say that there are many cases where LogEvent() could not take an array as a parameter. Sorry.

like image 206
Mawg says reinstate Monica Avatar asked Feb 05 '13 11:02

Mawg says reinstate Monica


2 Answers

There's no standard way to construct or manipulate va_args arguments, or even pass them to another function (Standard way to manipulate variadic arguments?, C Programming: Forward variable argument list). You'd be better off seeing if you can access the internal routines of LogEvent.

like image 64
ecatmur Avatar answered Sep 28 '22 01:09

ecatmur


pass a pointer to the array of ints and a number of ints instead

#include <stdio.h>

void logevent(int n, int num, int *l) {
    int i;
    for (i=0; i<num; i++) {
        printf("%d %d\n",n,*(l++));
    }
    }

int main() {

    int activities[8];
    activities[0]=2;
    activities[1]=3;
    activities[2]=4;
    int num=3;
    int n=1;
    logevent(n,num, activities);
    printf("=========\n");
    n=2;
    activities[3]=5;
    num=4;
    logevent(n,num, activities);

}
like image 45
Vorsprung Avatar answered Sep 28 '22 02:09

Vorsprung