All checks were successful
Build documentation / build-and-deploy (push) Successful in 2m41s
68 lines
1.3 KiB
C
68 lines
1.3 KiB
C
#include <libk/std.h>
|
|
#include <libk/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;
|
|
}
|
|
|
|
int strncmp (const char* s1, const char* s2, size_t n) {
|
|
while (n && *s1 && (*s1 == *s2)) {
|
|
++s1;
|
|
++s2;
|
|
--n;
|
|
}
|
|
if (n == 0) {
|
|
return 0;
|
|
} else {
|
|
return (*(unsigned char*)s1 - *(unsigned char*)s2);
|
|
}
|
|
}
|
|
|
|
int strcmp (const char* s1, const char* s2) {
|
|
while (*s1 && (*s1 == *s2)) {
|
|
s1++;
|
|
s2++;
|
|
}
|
|
return *(const unsigned char*)s1 - *(const unsigned char*)s2;
|
|
}
|