]>
Commit | Line | Data |
---|---|---|
1 | /* xmalloc.c -- safe versions of malloc and realloc */ | |
2 | ||
3 | /* Copyright (C) 1991-2003, 2022 Free Software Foundation, Inc. | |
4 | ||
5 | This file is part of GNU Readline, a library for reading lines | |
6 | of text with interactive input and history editing. | |
7 | ||
8 | Readline is free software: you can redistribute it and/or modify | |
9 | it under the terms of the GNU General Public License as published by | |
10 | the Free Software Foundation, either version 3 of the License, or | |
11 | (at your option) any later version. | |
12 | ||
13 | Readline is distributed in the hope that it will be useful, | |
14 | but WITHOUT ANY WARRANTY; without even the implied warranty of | |
15 | MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the | |
16 | GNU General Public License for more details. | |
17 | ||
18 | You should have received a copy of the GNU General Public License | |
19 | along with Readline. If not, see <http://www.gnu.org/licenses/>. | |
20 | */ | |
21 | ||
22 | #if defined (HAVE_CONFIG_H) | |
23 | #include <config.h> | |
24 | #endif | |
25 | ||
26 | #include <stdio.h> | |
27 | ||
28 | #if defined (HAVE_STDLIB_H) | |
29 | # include <stdlib.h> | |
30 | #else | |
31 | # include "ansi_stdlib.h" | |
32 | #endif /* HAVE_STDLIB_H */ | |
33 | ||
34 | /* Generic pointer type. */ | |
35 | #ifndef PTR_T | |
36 | # define PTR_T void * | |
37 | #endif /* PTR_T */ | |
38 | ||
39 | /* **************************************************************** */ | |
40 | /* */ | |
41 | /* Memory Allocation and Deallocation. */ | |
42 | /* */ | |
43 | /* **************************************************************** */ | |
44 | ||
45 | static void | |
46 | memory_error_and_abort (char *fname) | |
47 | { | |
48 | fprintf (stderr, "%s: out of virtual memory\n", fname); | |
49 | exit (2); | |
50 | } | |
51 | ||
52 | /* Return a pointer to free()able block of memory large enough | |
53 | to hold BYTES number of bytes. If the memory cannot be allocated, | |
54 | print an error message and abort. */ | |
55 | PTR_T | |
56 | xmalloc (size_t bytes) | |
57 | { | |
58 | PTR_T temp; | |
59 | ||
60 | temp = malloc (bytes); | |
61 | if (temp == 0) | |
62 | memory_error_and_abort ("xmalloc"); | |
63 | return (temp); | |
64 | } | |
65 | ||
66 | PTR_T | |
67 | xrealloc (PTR_T pointer, size_t bytes) | |
68 | { | |
69 | PTR_T temp; | |
70 | ||
71 | temp = pointer ? realloc (pointer, bytes) : malloc (bytes); | |
72 | ||
73 | if (temp == 0) | |
74 | memory_error_and_abort ("xrealloc"); | |
75 | return (temp); | |
76 | } | |
77 | ||
78 | void | |
79 | xfree (PTR_T string) | |
80 | { | |
81 | if (string) | |
82 | free (string); | |
83 | } |