C言語汎用チェーンテーブル


C++やJavaとは異なり、C言語では汎用性はサポートされていません.すべてのデータ型をサポートするチェーンテーブルをC言語で作成するにはどうすればいいですか?C言語では、voidポインタと関数ポインタを使用して汎用機能をサポートすることができます.voidポインタが最も強力なのは、さまざまなデータ型をサポートしていることです.もちろん、すべてのデータ型のポインタサイズは同じなので、ポインタノードを作成することができます.関数ポインタは、voidポインタに格納されている内容を処理する必要があります.
以下はC言語で実現される汎用チェーンテーブルです.
// C program for generic linked list
#include
#include

/* A linked list node */
struct Node
{
    // Any data type can be stored in this node
    void *data;

    struct Node *next;
};

/* Function to add a node at the beginning of Linked List.
This function expects a pointer to the data to be added
and size of the data type */
void push(struct Node** head_ref, void *new_data, size_t data_size)
{
    // Allocate memory for node
    struct Node* new_node = (struct Node*)malloc(sizeof(struct Node));

    new_node->data = malloc(data_size);
    new_node->next = (*head_ref);

    // Copy contents of new_data to newly allocated memory.
    // Assumption: char takes 1 byte.
    int i;
    for (i=0; ichar *)(new_node->data + i) = *(char *)(new_data + i);

    // Change head pointer as new node is added at the beginning
    (*head_ref) = new_node;
}

/* Function to print nodes in a given linked list. fpitr is used
to access the function to be used for printing current node data.
Note that different data types need different specifier in printf() */
void printList(struct Node *node, void (*fptr)(void *))
{
    while (node != NULL)
    {
        (*fptr)(node->data);
        node = node->next;
    }
}

// Function to print an integer
void printInt(void *n)
{
printf(" %d", *(int *)n);
}

// Function to print a float
void printFloat(void *f)
{
printf(" %f", *(float *)f);
}

/* Driver program to test above function */
int main()
{
    struct Node *start = NULL;

    // Create and print an int linked list
    unsigned int_size = sizeof(int);
    int arr[] = {10, 20, 30, 40, 50}, i;
    for (i=4; i>=0; i--)
    push(&start, &arr[i], int_size);
    printf("Created integer linked list is 
"
); printList(start, printInt); // Create and print a float linked list unsigned float_size = sizeof(float); start = NULL; float arr2[] = {10.1, 20.2, 30.3, 40.4, 50.5}; for (i=4; i>=0; i--) push(&start, &arr2[i], float_size); printf("

Created float linked list is
"
); printList(start, printFloat); return 0; }

点我跑跑コード
Output:
Created integer linked list is
 10 20 30 40 50

Created float linked list is
 10.100000 20.200001 30.299999 40.400002 50.500000

Himanshu Guptaがこの文章に貢献してくれたことに感謝します.何か補足や質問があれば、指摘を歓迎します.
テキストリンクアドレス