File: gc.c

package info (click to toggle)
esh 0.8-7
  • links: PTS
  • area: main
  • in suites: sarge, woody
  • size: 508 kB
  • ctags: 542
  • sloc: ansic: 3,608; lisp: 166; makefile: 72
file content (104 lines) | stat: -rw-r--r-- 1,849 bytes parent folder | download | duplicates (2)
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
/* 
 * esh, the Unix shell with Lisp-like syntax. 
 * Copyright (C) 1999  Ivan Tkatchev
 * This source code is under the GPL.
 */


#include <stdlib.h>
#include <stdio.h>

#include "gc.h"
#include "format.h"

/*
 * A simplistic garbage collection mechanism. It requires that the C
 * program call gc_free whenever an object should be deleted. As such,
 * this cannot really be called garbage collection, though it does serve
 * a purpose as a central repository of all allocated memory.
 */


int __gc_alloc = 0;


void* gc_alloc(size_t size, char* where) {
  void* ret = malloc(size + sizeof(int));
  
  if (!ret) {
    error("esh: could not allocate memory.");
    exit(EXIT_FAILURE);
  }
  
  ((int*)ret)[0] = 1;

  __gc_alloc++;

  return ret + sizeof(int);
}


inline void gc_inc_ref(void* ptr) {
  int* ref = (int*)(ptr - sizeof(int));

  if ((*ref) <= 0) {
    error("esh: refcount is corrupted in gc_inc_ref.");
    exit(EXIT_FAILURE);
  }

  (*ref)++;
  __gc_alloc++;
}

void gc_add_ref(void* ptr, int add) {
  int* ref = (int*)(ptr - sizeof(int));

  if ((*ref) <= 0) {
    error("esh: refcount is corrupted in gc_add_ref");
    exit(EXIT_FAILURE);
  }

  (*ref) += add;
  __gc_alloc += add;

  if ((*ref) <= 0) {
    error("esh: tried to set an invalid ref count.");
    exit(EXIT_FAILURE);
  }
}


inline int gc_refs(void* ptr) {
  int* ref = (int*)(ptr - sizeof(int));

  if ((*ref) <= 0) {
    error("esh: refcount is corrupted in gc_refs.");
    exit(EXIT_FAILURE);
  }

  return (*ref);
}


inline void gc_free(void* ptr) {
  int* ref = (int*)(ptr - sizeof(int));

  if ((*ref) <= 0) {
    error("esh: refcount is corrupted in gc_free.");
    exit(EXIT_FAILURE);
  }

  (*ref)--;
  __gc_alloc--;

  if (!(*ref)) {
    free(ptr - sizeof(int));
  }
}


void gc_diagnostics(void) {
  printf("\nAllocated chunks: %d\n", __gc_alloc);
}