67 lines
1.2 KiB
C
67 lines
1.2 KiB
C
/*
|
|
xmalloc - a safe malloc
|
|
|
|
Use this function instead of malloc whenever you don't intend to check
|
|
the return value yourself, for instance because you don't have a good
|
|
way to handle a zero return value.
|
|
|
|
Typically, Wine's own memory requests should be handled by this function,
|
|
while the clients should use malloc directly (and Wine should return an
|
|
error to the client if allocation fails).
|
|
|
|
Copyright 1995 by Morten Welinder.
|
|
|
|
*/
|
|
|
|
#include <stdlib.h>
|
|
#include <string.h>
|
|
#include "xmalloc.h"
|
|
#include "debug.h"
|
|
|
|
void *xmalloc( int size )
|
|
{
|
|
void *res;
|
|
|
|
res = malloc (size ? size : 1);
|
|
if (res == NULL)
|
|
{
|
|
MSG("Virtual memory exhausted.\n");
|
|
exit (1);
|
|
}
|
|
memset(res,0,size);
|
|
return res;
|
|
}
|
|
|
|
void *xcalloc( int size )
|
|
{
|
|
void *res;
|
|
|
|
res = xmalloc (size);
|
|
memset(res,0,size);
|
|
return res;
|
|
}
|
|
|
|
|
|
void *xrealloc( void *ptr, int size )
|
|
{
|
|
void *res = realloc (ptr, size);
|
|
if ((res == NULL) && size)
|
|
{
|
|
MSG("Virtual memory exhausted.\n");
|
|
exit (1);
|
|
}
|
|
return res;
|
|
}
|
|
|
|
|
|
char *xstrdup( const char *str )
|
|
{
|
|
char *res = strdup( str );
|
|
if (!res)
|
|
{
|
|
MSG("Virtual memory exhausted.\n");
|
|
exit (1);
|
|
}
|
|
return res;
|
|
}
|