Tizen Native API  3.0
Removing array elements

Just the usual includes:

#include <stdio.h>
#include <string.h>

#include <Eina.h>

This the callback we are going to use to decide which strings stay on the array and which will be removed. We use something simple, but this can be as complex as you like:

Eina_Bool keep(void *data, void *gdata EINA_UNUSED)
{
   if (strlen((const char*)data) <= 5)
      return EINA_TRUE;
   return EINA_FALSE;
}

This is the same code we used before to populate the list with the slight difference of not using strdup:

int
main(int argc EINA_UNUSED, char **argv EINA_UNUSED)
{
   const char* strs[] = {
      "one", "two", "three", "four", "five", "six", "seven", "eight", "nine",
      "ten", "eleven", "twelve", "thirteen", "fourtenn", "fifteen", "sixteen",
      "seventeen", "eighteen", "nineteen", "twenty"
   };
   const char* strings[] = {
      "helo", "hera", "starbuck", "kat", "boomer",
      "hotdog", "longshot", "jammer", "crashdown", "hardball",
      "duck", "racetrack", "apolo", "husker", "freaker",
      "skulls", "bulldog", "flat top", "hammerhead", "gonzo"
   };
   Eina_Array *array;
   Eina_Array_Iterator iterator;
   const char *item;
   unsigned int i;

   eina_init();

   array = eina_array_new(10);

   for (i = 0; i < 20; i++)
     eina_array_push(array, strs[i]);

So we have added all our elements to the array, but it turns out that is not the elements we wanted, so let's empty the array and add the correct strings:

   eina_array_clean(array);
   for (i = 0; i < 20; i++)
     eina_array_push(array, strings[i]);

It seems we made a little mistake in one of our strings so we need to replace it, here is how:

   eina_array_data_set(array, 17, "flattop");

Now that there is a populated array we can remove elements from it easily:

   eina_array_remove(array, keep, NULL);

And check that the elements were actually removed:

   EINA_ARRAY_ITER_NEXT(array, i, item, iterator)
     printf("item #%u: %s\n", i, item);

Since this time we didn't use strdup we don't need to free each string:

   eina_array_free(array);

   eina_shutdown();

   return 0;
}

The full source code can be found in the examples folder in the eina_array_02.c file.