argz-insert.c 2.2 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263
  1. /* Routines for dealing with '\0' separated arg vectors.
  2. Copyright (C) 1995-2019 Free Software Foundation, Inc.
  3. This file is part of the GNU C Library.
  4. Written by Miles Bader <miles@gnu.ai.mit.edu>
  5. The GNU C Library is free software; you can redistribute it and/or
  6. modify it under the terms of the GNU Lesser General Public
  7. License as published by the Free Software Foundation; either
  8. version 2.1 of the License, or (at your option) any later version.
  9. The GNU C Library is distributed in the hope that it will be useful,
  10. but WITHOUT ANY WARRANTY; without even the implied warranty of
  11. MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU
  12. Lesser General Public License for more details.
  13. You should have received a copy of the GNU Lesser General Public
  14. License along with the GNU C Library; if not, see
  15. <http://www.gnu.org/licenses/>. */
  16. #include <argz.h>
  17. #include <string.h>
  18. #include <stdlib.h>
  19. /* Insert ENTRY into ARGZ & ARGZ_LEN before BEFORE, which should be an
  20. existing entry in ARGZ; if BEFORE is NULL, ENTRY is appended to the end.
  21. Since ARGZ's first entry is the same as ARGZ, argz_insert (ARGZ, ARGZ_LEN,
  22. ARGZ, ENTRY) will insert ENTRY at the beginning of ARGZ. If BEFORE is not
  23. in ARGZ, EINVAL is returned, else if memory can't be allocated for the new
  24. ARGZ, ENOMEM is returned, else 0. */
  25. error_t
  26. __argz_insert (char **argz, size_t *argz_len, char *before, const char *entry)
  27. {
  28. if (! before)
  29. return __argz_add (argz, argz_len, entry);
  30. if (before < *argz || before >= *argz + *argz_len)
  31. return EINVAL;
  32. if (before > *argz)
  33. /* Make sure before is actually the beginning of an entry. */
  34. while (before[-1])
  35. before--;
  36. {
  37. size_t after_before = *argz_len - (before - *argz);
  38. size_t entry_len = strlen (entry) + 1;
  39. size_t new_argz_len = *argz_len + entry_len;
  40. char *new_argz = realloc (*argz, new_argz_len);
  41. if (new_argz)
  42. {
  43. before = new_argz + (before - *argz);
  44. memmove (before + entry_len, before, after_before);
  45. memmove (before, entry, entry_len);
  46. *argz = new_argz;
  47. *argz_len = new_argz_len;
  48. return 0;
  49. }
  50. else
  51. return ENOMEM;
  52. }
  53. }
  54. weak_alias (__argz_insert, argz_insert)