string.c 960 B

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657
  1. /*
  2. * Taken from:
  3. * linux/lib/string.c
  4. *
  5. * Copyright (C) 1991, 1992 Linus Torvalds
  6. */
  7. #include <linux/types.h>
  8. #include <linux/string.h>
  9. #ifndef __HAVE_ARCH_STRSTR
  10. /**
  11. * strstr - Find the first substring in a %NUL terminated string
  12. * @s1: The string to be searched
  13. * @s2: The string to search for
  14. */
  15. char *strstr(const char *s1, const char *s2)
  16. {
  17. size_t l1, l2;
  18. l2 = strlen(s2);
  19. if (!l2)
  20. return (char *)s1;
  21. l1 = strlen(s1);
  22. while (l1 >= l2) {
  23. l1--;
  24. if (!memcmp(s1, s2, l2))
  25. return (char *)s1;
  26. s1++;
  27. }
  28. return NULL;
  29. }
  30. #endif
  31. #ifndef __HAVE_ARCH_STRNCMP
  32. /**
  33. * strncmp - Compare two length-limited strings
  34. * @cs: One string
  35. * @ct: Another string
  36. * @count: The maximum number of bytes to compare
  37. */
  38. int strncmp(const char *cs, const char *ct, size_t count)
  39. {
  40. unsigned char c1, c2;
  41. while (count) {
  42. c1 = *cs++;
  43. c2 = *ct++;
  44. if (c1 != c2)
  45. return c1 < c2 ? -1 : 1;
  46. if (!c1)
  47. break;
  48. count--;
  49. }
  50. return 0;
  51. }
  52. #endif