Files
mop3/libstring/string.c
kamkow1 02e77b5c90
All checks were successful
Build documentation / build-and-deploy (push) Successful in 2m36s
CE interactive shell
2026-02-21 22:14:16 +01:00

93 lines
1.7 KiB
C

#include <stdbool.h>
#include <stddef.h>
#include <stdint.h>
#include <string.h>
size_t memset (void* dst, uint8_t b, size_t n) {
uint8_t* dst1 = dst;
size_t i;
for (i = 0; i < n; i++)
dst1[i] = b;
return i;
}
size_t memcpy (void* dst, const void* src, size_t n) {
uint8_t* dst1 = dst;
const uint8_t* src1 = src;
size_t i;
for (i = 0; i < n; i++)
dst1[i] = src1[i];
return i;
}
// SOURCE: https://stackoverflow.com/a/48967408
void strncpy (char* dst, const char* src, size_t n) {
size_t i = 0;
while (i++ != n && (*dst++ = *src++))
;
}
size_t strlen (const char* str) {
const char* s;
for (s = str; *s; ++s)
;
return (s - str);
}
int memcmp (const void* s1, const void* s2, size_t n) {
unsigned char* p = (unsigned char*)s1;
unsigned char* q = (unsigned char*)s2;
while (n--) {
if (*p != *q) {
return (int)*p - (int)*q;
}
p++, q++;
}
return 0;
}
void strtokenize (const char* str, char delim, void* ctx, strtokenize_cb_func_t cb) {
const char* start = str;
const char* end;
while (*start) {
while (*start == delim && *start)
start++;
if (!*start)
break;
end = start;
while (*end != delim && *end)
end++;
if (!cb (ctx, start, (size_t)(end - start)))
break;
start = end;
}
}
/* https://stackoverflow.com/a/34873406 */
int strcmp (const char* s1, const char* s2) {
while (*s1 && (*s1 == *s2)) {
s1++;
s2++;
}
return *(const unsigned char*)s1 - *(const unsigned char*)s2;
}
/* https://stackoverflow.com/a/2490637 */
char* strcat (char* dest, const char* src) {
char* rdest = dest;
while (*dest)
dest++;
while ((*dest++ = *src++))
;
return rdest;
}