I'm trying to debug a program I'm writing that's using the libvirt library in C.
In part of the program I'm being returned the following struct:
struct virTypedParameter {
char field[VIR_TYPED_PARAM_FIELD_LENGTH];
int type;
union {
int i;
unsigned int ui;
long long int l;
unsigned long long int ul;
double d;
char b;
char *s;
} value;
}
So I have a key, value, and value type. I want to be able to print these by passing them to a function.
Is there an easier way to do this other than throwing the type into a switch statement and redirecting to the proper printf statement? I've done so and it's causing a ton of warnings to pop up on compile:
void printVirTypedParameter(virTypedParameter* param) {
printf("Param type: %d\n", param->type);
switch(param->type) {
case 1: //int
printf("%s : %d\n", param->field, param->value);
break;
case 2: //int unsigned
printf("%s : %u\n", param->field, param->value);
break;
case 3: //long long int
printf("%s : %ld\n", param->field, param->value);
break;
case 4: //long long unsinged
printf("%s : %llu\n", param->field, param->value);
break;
case 5: //double
printf("%s : %f", param->field, param->value);
break;
case 6: //boolean (character)
printf("%s : %c", param->field, param->value);
break;
case 7: //string
printf("%s : %s", param->field, param->value);
break;
case 8: //param last
printf("END_PARAMS");
}
The switch is the way to do it. But you should be using the member of the union that is appropriate for the type that you read, i.e. you should use
param->value.i
if you know that the type isint
. This should avoid any warnings.So for instance: