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
|
// SPDX-License-Identifier: GPL-3.0-or-later
#include "appconfig_internals.h"
// ----------------------------------------------------------------------------
// config sections index
int appconfig_section_compare(void *a, void *b) {
if(((struct config_section *)a)->name < ((struct config_section *)b)->name) return -1;
else if(((struct config_section *)a)->name > ((struct config_section *)b)->name) return 1;
else return string_cmp(((struct config_section *)a)->name, ((struct config_section *)b)->name);
}
struct config_section *appconfig_section_find(struct config *root, const char *name) {
struct config_section sect_tmp = {
.name = string_strdupz(name),
};
struct config_section *rc = (struct config_section *)avl_search_lock(&root->index, (avl_t *) §_tmp);
string_freez(sect_tmp.name);
return rc;
}
// ----------------------------------------------------------------------------
// config section methods
void appconfig_section_free(struct config_section *sect) {
avl_destroy_lock(§->values_index);
string_freez(sect->name);
freez(sect);
}
void appconfig_section_remove_and_delete(struct config *root, struct config_section *sect, bool have_root_lock, bool have_sect_lock) {
struct config_section *sect_found = appconfig_section_del(root, sect);
if(sect_found != sect) {
nd_log(NDLS_DAEMON, NDLP_ERR,
"INTERNAL ERROR: Cannot remove section '%s', it was not inserted before.",
string2str(sect->name));
return;
}
appconfig_option_remove_and_delete_all(sect, have_sect_lock);
if(!have_root_lock)
APPCONFIG_LOCK(root);
DOUBLE_LINKED_LIST_REMOVE_ITEM_UNSAFE(root->sections, sect, prev, next);
if(!have_root_lock)
APPCONFIG_UNLOCK(root);
// if the caller has the section lock, we will unlock it, to cleanup
if(have_sect_lock)
SECTION_UNLOCK(sect);
appconfig_section_free(sect);
}
struct config_section *appconfig_section_create(struct config *root, const char *section) {
struct config_section *sect = callocz(1, sizeof(struct config_section));
sect->name = string_strdupz(section);
spinlock_init(§->spinlock);
avl_init_lock(§->values_index, appconfig_option_compare);
struct config_section *sect_found = appconfig_section_add(root, sect);
if(sect_found != sect) {
nd_log(NDLS_DAEMON, NDLP_ERR,
"CONFIG: section '%s', already exists, using existing.",
string2str(sect->name));
appconfig_section_free(sect);
return sect_found;
}
APPCONFIG_LOCK(root);
DOUBLE_LINKED_LIST_APPEND_ITEM_UNSAFE(root->sections, sect, prev, next);
APPCONFIG_UNLOCK(root);
return sect;
}
|