void*
sono un po 'deprecati per la programmazione generica, non ci sono molte situazioni in cui dovresti usarli al giorno d'oggi. Sono pericolosi perché portano a una sicurezza di tipo inesistente. E come hai notato, perdi anche le informazioni sul tipo, il che significa che dovresti trascinare un po 'ingombrante enum
insieme a void*
.
Invece dovresti usare C11 _Generic
che può controllare i tipi in fase di compilazione e aggiungere la sicurezza dei tipi. Esempio:
#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);
}
Ricorda di fornire const
versioni qualificate ( ) di tutti i tipi che desideri supportare.
Se desideri errori di compilazione migliori quando il chiamante passa il tipo sbagliato, puoi aggiungere un'asserzione statica:
#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)
Se provi qualcosa del genere int x; func(x);
otterrai il messaggio del compilatore "x: incorrect type"
.
void*
punta.