ft_list_foreach
Subject
Assignment name : ft_list_foreach
Expected files : ft_list_foreach.c, ft_list.h
Allowed functions:
--------------------------------------------------------------------------------
Write a function that takes a list and a function pointer, and applies this
function to each element of the list.
It must be declared as follows:
void ft_list_foreach(t_list *begin_list, void (*f)(void *));
The function pointed to by f will be used as follows:
(*f)(list_ptr->data);
You must use the following structure, and turn it in as a file called
ft_list.h:
typedef struct s_list
{
struct s_list *next;
void *data;
} t_list;
Commented solution
ft_list_foreach
ft_list_foreach.c
// You must use the following structure, and turn it in as a file called ft_list.h:
typedef struct s_list
{
struct s_list *next;
void *data;
} t_list;
#include "stddef.h"
void ft_list_foreach(t_list *begin_list, void (*f)(void *))
{
while (begin_list != NULL)
{
if (begin_list->data != NULL)
(*f)(begin_list->data);
begin_list = begin_list->next;
}
}
Last updated
Was this helpful?