void*
están en desuso para la programación genérica, no hay muchas situaciones en las que deba usarlas hoy en día. Son peligrosos porque conducen a una seguridad de tipo inexistente. Y como notó, también pierde la información de tipo, lo que significa que tendría que arrastrar algo engorroso enum
junto con el void*
.
En su lugar, debe usar C11, _Generic
que puede verificar los tipos en tiempo de compilación y agregar seguridad de tipo. Ejemplo:
#include <stdio.h>
typedef struct
{
int n;
} s_t; // some struct
void func_str (const char* str)
{
printf("Doing string stuff: %s\n", str);
}
void func_s (const s_t* s)
{
printf("Doing struct stuff: %d\n", s->n);
}
#define func(x) _Generic((x), \
char*: func_str, const char*: func_str, \
s_t*: func_s, const s_t*: func_s)(x) \
int main()
{
char str[] = "I'm a string";
s_t s = { .n = 123 };
func(str);
func(&s);
}
Recuerde proporcionar const
versiones calificadas ( ) de todos los tipos que desea admitir.
Si desea mejores errores de compilación cuando la persona que llama pasa el tipo incorrecto, puede agregar una afirmación estática:
#define type_check(x) _Static_assert(_Generic((x), \
char*: 1, const char*: 1, \
s_t*: 1, const s_t*: 1, \
default: 0), #x": incorrect type.")
#define func(x) do{ type_check(x); _Generic((x), \
char*: func_str, const char*: func_str, \
s_t*: func_s, const s_t*: func_s)(x); }while(0)
Si intenta algo así int x; func(x);
, recibirá el mensaje del compilador "x: incorrect type"
.
void*
apuntan.