2020-08-04 23:28:16 +01:00
|
|
|
#include <errno.h>
|
|
|
|
|
#include <stdarg.h>
|
|
|
|
|
#include <stdio.h>
|
|
|
|
|
#include <stdlib.h>
|
2020-08-05 20:11:51 +01:00
|
|
|
#include <string.h>
|
2020-10-09 19:43:04 +02:00
|
|
|
#include <wchar.h>
|
2020-08-04 23:28:16 +01:00
|
|
|
#include "xmalloc.h"
|
2021-01-15 20:39:45 +00:00
|
|
|
#include "debug.h"
|
2020-08-04 23:28:16 +01:00
|
|
|
|
|
|
|
|
static void *
|
|
|
|
|
check_alloc(void *alloc)
|
|
|
|
|
{
|
|
|
|
|
if (unlikely(alloc == NULL)) {
|
2021-02-09 12:32:33 +00:00
|
|
|
FATAL_ERROR(__func__, ENOMEM);
|
2020-08-04 23:28:16 +01:00
|
|
|
}
|
|
|
|
|
return alloc;
|
|
|
|
|
}
|
|
|
|
|
|
|
|
|
|
void *
|
|
|
|
|
xmalloc(size_t size)
|
|
|
|
|
{
|
|
|
|
|
if (unlikely(size == 0)) {
|
|
|
|
|
size = 1;
|
|
|
|
|
}
|
|
|
|
|
return check_alloc(malloc(size));
|
|
|
|
|
}
|
|
|
|
|
|
|
|
|
|
void *
|
|
|
|
|
xcalloc(size_t nmemb, size_t size)
|
|
|
|
|
{
|
2021-01-16 20:16:00 +00:00
|
|
|
xassert(size != 0);
|
2020-08-25 20:49:24 +01:00
|
|
|
return check_alloc(calloc(likely(nmemb) ? nmemb : 1, size));
|
2020-08-04 23:28:16 +01:00
|
|
|
}
|
|
|
|
|
|
2020-08-07 01:05:04 +01:00
|
|
|
void *
|
|
|
|
|
xrealloc(void *ptr, size_t size)
|
|
|
|
|
{
|
|
|
|
|
void *alloc = realloc(ptr, size);
|
|
|
|
|
return unlikely(size == 0) ? alloc : check_alloc(alloc);
|
|
|
|
|
}
|
|
|
|
|
|
2020-08-04 23:28:16 +01:00
|
|
|
char *
|
|
|
|
|
xstrdup(const char *str)
|
|
|
|
|
{
|
|
|
|
|
return check_alloc(strdup(str));
|
|
|
|
|
}
|
|
|
|
|
|
2020-10-09 19:43:04 +02:00
|
|
|
wchar_t *
|
|
|
|
|
xwcsdup(const wchar_t *str)
|
|
|
|
|
{
|
|
|
|
|
return check_alloc(wcsdup(str));
|
|
|
|
|
}
|
|
|
|
|
|
2020-08-07 01:05:04 +01:00
|
|
|
char *
|
|
|
|
|
xstrndup(const char *str, size_t n)
|
|
|
|
|
{
|
|
|
|
|
return check_alloc(strndup(str, n));
|
|
|
|
|
}
|
|
|
|
|
|
2020-08-04 23:28:16 +01:00
|
|
|
static VPRINTF(2) int
|
|
|
|
|
xvasprintf_(char **strp, const char *format, va_list ap)
|
|
|
|
|
{
|
|
|
|
|
va_list ap2;
|
|
|
|
|
va_copy(ap2, ap);
|
|
|
|
|
int n = vsnprintf(NULL, 0, format, ap2);
|
|
|
|
|
if (unlikely(n < 0)) {
|
2021-02-09 12:32:33 +00:00
|
|
|
FATAL_ERROR("vsnprintf", EILSEQ);
|
2020-08-04 23:28:16 +01:00
|
|
|
}
|
|
|
|
|
va_end(ap2);
|
|
|
|
|
*strp = xmalloc(n + 1);
|
|
|
|
|
return vsnprintf(*strp, n + 1, format, ap);
|
|
|
|
|
}
|
|
|
|
|
|
|
|
|
|
static VPRINTF(1) char *
|
|
|
|
|
xvasprintf(const char *format, va_list ap)
|
|
|
|
|
{
|
|
|
|
|
char *str;
|
|
|
|
|
xvasprintf_(&str, format, ap);
|
|
|
|
|
return str;
|
|
|
|
|
}
|
|
|
|
|
|
|
|
|
|
char *
|
|
|
|
|
xasprintf(const char *format, ...)
|
|
|
|
|
{
|
|
|
|
|
va_list ap;
|
|
|
|
|
va_start(ap, format);
|
|
|
|
|
char *str = xvasprintf(format, ap);
|
|
|
|
|
va_end(ap);
|
|
|
|
|
return str;
|
|
|
|
|
}
|