]> arthur.barton.de Git - netdata.git/blob - src/registry.c
Merge pull request #1022 from Chocobo1/cppcheck
[netdata.git] / src / registry.c
1 #include "common.h"
2
3 // ----------------------------------------------------------------------------
4 // TODO
5 //
6 // 1. the default tracking cookie expires in 1 year, but the persons are not
7 //    removed from the db - this means the database only grows - ideally the
8 //    database should be cleaned in registry_save() for both on-disk and
9 //    on-memory entries.
10 //
11 //    Cleanup:
12 //    i. Find all the PERSONs that have expired cookie
13 //    ii. For each of their PERSON_URLs:
14 //     - decrement the linked MACHINE links
15 //     - if the linked MACHINE has no other links, remove the linked MACHINE too
16 //     - remove the PERSON_URL
17 //
18 // 2. add protection to prevent abusing the registry by flooding it with
19 //    requests to fill the memory and crash it.
20 //
21 //    Possible protections:
22 //    - limit the number of URLs per person
23 //    - limit the number of URLs per machine
24 //    - limit the number of persons
25 //    - limit the number of machines
26 //    - [DONE] limit the size of URLs
27 //    - [DONE] limit the size of PERSON_URL names
28 //    - limit the number of requests that add data to the registry,
29 //      per client IP per hour
30 //
31 // 3. lower memory requirements
32 //
33 //    - embed avl structures directly into registry objects, instead of DICTIONARY
34 //    - store GUIDs in memory as UUID instead of char *
35 //      (this will also remove the index hash, since UUIDs can be compared directly)
36 //    - do not track persons using the demo machines only
37 //      (i.e. start tracking them only when they access a non-demo machine)
38 //    - [DONE] do not track custom dashboards by default
39
40 #define REGISTRY_URL_FLAGS_DEFAULT 0x00
41 #define REGISTRY_URL_FLAGS_EXPIRED 0x01
42
43 #define DICTIONARY_FLAGS DICTIONARY_FLAG_VALUE_LINK_DONT_CLONE | DICTIONARY_FLAG_NAME_LINK_DONT_CLONE
44
45 // ----------------------------------------------------------------------------
46 // COMMON structures
47
48 struct registry {
49     int enabled;
50
51     char machine_guid[36 + 1];
52
53     // entries counters / statistics
54     unsigned long long persons_count;
55     unsigned long long machines_count;
56     unsigned long long usages_count;
57     unsigned long long urls_count;
58     unsigned long long persons_urls_count;
59     unsigned long long machines_urls_count;
60     unsigned long long log_count;
61
62     // memory counters / statistics
63     unsigned long long persons_memory;
64     unsigned long long machines_memory;
65     unsigned long long urls_memory;
66     unsigned long long persons_urls_memory;
67     unsigned long long machines_urls_memory;
68
69     // configuration
70     unsigned long long save_registry_every_entries;
71     char *registry_domain;
72     char *hostname;
73     char *registry_to_announce;
74     time_t persons_expiration; // seconds to expire idle persons
75     int verify_cookies_redirects;
76
77     size_t max_url_length;
78     size_t max_name_length;
79
80     // file/path names
81     char *pathname;
82     char *db_filename;
83     char *log_filename;
84     char *machine_guid_filename;
85
86     // open files
87     FILE *log_fp;
88
89     // the database
90     DICTIONARY *persons;    // dictionary of PERSON *, with key the PERSON.guid
91     DICTIONARY *machines;   // dictionary of MACHINE *, with key the MACHINE.guid
92     DICTIONARY *urls;       // dictionary of URL *, with key the URL.url
93
94     // concurrency locking
95     // we keep different locks for different things
96     // so that many tasks can be completed in parallel
97     pthread_mutex_t persons_lock;
98     pthread_mutex_t machines_lock;
99     pthread_mutex_t urls_lock;
100     pthread_mutex_t person_urls_lock;
101     pthread_mutex_t machine_urls_lock;
102     pthread_mutex_t log_lock;
103 } registry;
104
105
106 // ----------------------------------------------------------------------------
107 // URL structures
108 // Save memory by de-duplicating URLs
109 // so instead of storing URLs all over the place
110 // we store them here and we keep pointers elsewhere
111
112 struct url {
113     uint32_t links; // the number of links to this URL - when none is left, we free it
114     uint16_t len;   // the length of the URL in bytes
115     char url[1];    // the URL - dynamically allocated to more size
116 };
117 typedef struct url URL;
118
119
120 // ----------------------------------------------------------------------------
121 // MACHINE structures
122
123 // For each MACHINE-URL pair we keep this
124 struct machine_url {
125     URL *url;                   // de-duplicated URL
126 //  DICTIONARY *persons;        // dictionary of PERSON *
127
128     uint8_t flags;
129     uint32_t first_t;           // the first time we saw this
130     uint32_t last_t;            // the last time we saw this
131     uint32_t usages;            // how many times this has been accessed
132 };
133 typedef struct machine_url MACHINE_URL;
134
135 // A machine
136 struct machine {
137     char guid[36 + 1];          // the GUID
138
139     uint32_t links;             // the number of PERSON_URLs linked to this machine
140
141     DICTIONARY *urls;           // MACHINE_URL *
142
143     uint32_t first_t;           // the first time we saw this
144     uint32_t last_t;            // the last time we saw this
145     uint32_t usages;            // how many times this has been accessed
146 };
147 typedef struct machine MACHINE;
148
149
150 // ----------------------------------------------------------------------------
151 // PERSON structures
152
153 // for each PERSON-URL pair we keep this
154 struct person_url {
155     URL *url;                   // de-duplicated URL
156     MACHINE *machine;           // link the MACHINE of this URL
157
158     uint8_t flags;
159     uint32_t first_t;           // the first time we saw this
160     uint32_t last_t;            // the last time we saw this
161     uint32_t usages;            // how many times this has been accessed
162
163     char name[1];               // the name of the URL, as known by the user
164                                 // dynamically allocated to fit properly
165 };
166 typedef struct person_url PERSON_URL;
167
168 // A person
169 struct person {
170     char guid[36 + 1];          // the person GUID
171
172     DICTIONARY *urls;           // dictionary of PERSON_URL *
173
174     uint32_t first_t;           // the first time we saw this
175     uint32_t last_t;            // the last time we saw this
176     uint32_t usages;            // how many times this has been accessed
177 };
178 typedef struct person PERSON;
179
180
181 // ----------------------------------------------------------------------------
182 // REGISTRY concurrency locking
183
184 static inline void registry_persons_lock(void) {
185     pthread_mutex_lock(&registry.persons_lock);
186 }
187
188 static inline void registry_persons_unlock(void) {
189     pthread_mutex_unlock(&registry.persons_lock);
190 }
191
192 static inline void registry_machines_lock(void) {
193     pthread_mutex_lock(&registry.machines_lock);
194 }
195
196 static inline void registry_machines_unlock(void) {
197     pthread_mutex_unlock(&registry.machines_lock);
198 }
199
200 static inline void registry_urls_lock(void) {
201     pthread_mutex_lock(&registry.urls_lock);
202 }
203
204 static inline void registry_urls_unlock(void) {
205     pthread_mutex_unlock(&registry.urls_lock);
206 }
207
208 // ideally, we should not lock the whole registry for
209 // updating a person's urls.
210 // however, to save the memory required for keeping a
211 // mutex (40 bytes) per person, we do...
212 static inline void registry_person_urls_lock(PERSON *p) {
213     (void)p;
214     pthread_mutex_lock(&registry.person_urls_lock);
215 }
216
217 static inline void registry_person_urls_unlock(PERSON *p) {
218     (void)p;
219     pthread_mutex_unlock(&registry.person_urls_lock);
220 }
221
222 // ideally, we should not lock the whole registry for
223 // updating a machine's urls.
224 // however, to save the memory required for keeping a
225 // mutex (40 bytes) per machine, we do...
226 static inline void registry_machine_urls_lock(MACHINE *m) {
227     (void)m;
228     pthread_mutex_lock(&registry.machine_urls_lock);
229 }
230
231 static inline void registry_machine_urls_unlock(MACHINE *m) {
232     (void)m;
233     pthread_mutex_unlock(&registry.machine_urls_lock);
234 }
235
236 static inline void registry_log_lock(void) {
237     pthread_mutex_lock(&registry.log_lock);
238 }
239
240 static inline void registry_log_unlock(void) {
241     pthread_mutex_unlock(&registry.log_lock);
242 }
243
244
245 // ----------------------------------------------------------------------------
246 // common functions
247
248 // parse a GUID and re-generated to be always lower case
249 // this is used as a protection against the variations of GUIDs
250 static inline int registry_regenerate_guid(const char *guid, char *result) {
251     uuid_t uuid;
252     if(unlikely(uuid_parse(guid, uuid) == -1)) {
253         info("Registry: GUID '%s' is not a valid GUID.", guid);
254         return -1;
255     }
256     else {
257         uuid_unparse_lower(uuid, result);
258
259 #ifdef NETDATA_INTERNAL_CHECKS
260         if(strcmp(guid, result))
261             info("Registry: source GUID '%s' and re-generated GUID '%s' differ!", guid, result);
262 #endif /* NETDATA_INTERNAL_CHECKS */
263     }
264
265     return 0;
266 }
267
268 // make sure the names of the machines / URLs do not contain any tabs
269 // (which are used as our separator in the database files)
270 // and are properly trimmed (before and after)
271 static inline char *registry_fix_machine_name(char *name, size_t *len) {
272     char *s = name?name:"";
273
274     // skip leading spaces
275     while(*s && isspace(*s)) s++;
276
277     // make sure all spaces are a SPACE
278     char *t = s;
279     while(*t) {
280         if(unlikely(isspace(*t)))
281             *t = ' ';
282
283         t++;
284     }
285
286     // remove trailing spaces
287     while(--t >= s) {
288         if(*t == ' ')
289             *t = '\0';
290         else
291             break;
292     }
293     t++;
294
295     if(likely(len))
296         *len = (t - s);
297
298     return s;
299 }
300
301 static inline char *registry_fix_url(char *url, size_t *len) {
302     return registry_fix_machine_name(url, len);
303 }
304
305
306 // ----------------------------------------------------------------------------
307 // forward definition of functions
308
309 extern PERSON *registry_request_access(char *person_guid, char *machine_guid, char *url, char *name, time_t when);
310 extern PERSON *registry_request_delete(char *person_guid, char *machine_guid, char *url, char *delete_url, time_t when);
311
312
313 // ----------------------------------------------------------------------------
314 // URL
315
316 static inline URL *registry_url_allocate_nolock(const char *url, size_t urllen) {
317     // protection from too big URLs
318     if(urllen > registry.max_url_length)
319         urllen = registry.max_url_length;
320
321     debug(D_REGISTRY, "Registry: registry_url_allocate_nolock('%s'): allocating %zu bytes", url, sizeof(URL) + urllen);
322     URL *u = mallocz(sizeof(URL) + urllen);
323
324     // a simple strcpy() should do the job
325     // but I prefer to be safe, since the caller specified urllen
326     u->len = (uint16_t)urllen;
327     strncpyz(u->url, url, u->len);
328     u->links = 0;
329
330     registry.urls_memory += sizeof(URL) + urllen;
331
332     debug(D_REGISTRY, "Registry: registry_url_allocate_nolock('%s'): indexing it", url);
333     dictionary_set(registry.urls, u->url, u, sizeof(URL));
334
335     return u;
336 }
337
338 static inline URL *registry_url_get_nolock(const char *url, size_t urllen) {
339     debug(D_REGISTRY, "Registry: registry_url_get_nolock('%s')", url);
340
341     URL *u = dictionary_get(registry.urls, url);
342     if(!u) {
343         u = registry_url_allocate_nolock(url, urllen);
344         registry.urls_count++;
345     }
346
347     return u;
348 }
349
350 static inline URL *registry_url_get(const char *url, size_t urllen) {
351     debug(D_REGISTRY, "Registry: registry_url_get('%s')", url);
352
353     registry_urls_lock();
354
355     URL *u = registry_url_get_nolock(url, urllen);
356
357     registry_urls_unlock();
358
359     return u;
360 }
361
362 static inline void registry_url_link_nolock(URL *u) {
363     u->links++;
364     debug(D_REGISTRY, "Registry: registry_url_link_nolock('%s'): URL has now %u links", u->url, u->links);
365 }
366
367 static inline void registry_url_unlink_nolock(URL *u) {
368     u->links--;
369     if(!u->links) {
370         debug(D_REGISTRY, "Registry: registry_url_unlink_nolock('%s'): No more links for this URL", u->url);
371         dictionary_del(registry.urls, u->url);
372         freez(u);
373     }
374     else
375         debug(D_REGISTRY, "Registry: registry_url_unlink_nolock('%s'): URL has %u links left", u->url, u->links);
376 }
377
378
379 // ----------------------------------------------------------------------------
380 // MACHINE
381
382 static inline MACHINE *registry_machine_find(const char *machine_guid) {
383     debug(D_REGISTRY, "Registry: registry_machine_find('%s')", machine_guid);
384     return dictionary_get(registry.machines, machine_guid);
385 }
386
387 static inline MACHINE_URL *registry_machine_url_allocate(MACHINE *m, URL *u, time_t when) {
388     debug(D_REGISTRY, "registry_machine_link_to_url('%s', '%s'): allocating %zu bytes", m->guid, u->url, sizeof(MACHINE_URL));
389
390     MACHINE_URL *mu = mallocz(sizeof(MACHINE_URL));
391
392     // mu->persons = dictionary_create(DICTIONARY_FLAGS);
393     // dictionary_set(mu->persons, p->guid, p, sizeof(PERSON));
394
395     mu->first_t = mu->last_t = (uint32_t)when;
396     mu->usages = 1;
397     mu->url = u;
398     mu->flags = REGISTRY_URL_FLAGS_DEFAULT;
399
400     registry.machines_urls_memory += sizeof(MACHINE_URL);
401
402     debug(D_REGISTRY, "registry_machine_link_to_url('%s', '%s'): indexing URL in machine", m->guid, u->url);
403     dictionary_set(m->urls, u->url, mu, sizeof(MACHINE_URL));
404     registry_url_link_nolock(u);
405
406     return mu;
407 }
408
409 static inline MACHINE *registry_machine_allocate(const char *machine_guid, time_t when) {
410     debug(D_REGISTRY, "Registry: registry_machine_allocate('%s'): creating new machine, sizeof(MACHINE)=%zu", machine_guid, sizeof(MACHINE));
411
412     MACHINE *m = mallocz(sizeof(MACHINE));
413
414     strncpyz(m->guid, machine_guid, 36);
415
416     debug(D_REGISTRY, "Registry: registry_machine_allocate('%s'): creating dictionary of urls", machine_guid);
417     m->urls = dictionary_create(DICTIONARY_FLAGS);
418
419     m->first_t = m->last_t = (uint32_t)when;
420     m->usages = 0;
421
422     registry.machines_memory += sizeof(MACHINE);
423
424     registry.machines_count++;
425     dictionary_set(registry.machines, m->guid, m, sizeof(MACHINE));
426
427     return m;
428 }
429
430 // 1. validate machine GUID
431 // 2. if it is valid, find it or create it and return it
432 // 3. if it is not valid, return NULL
433 static inline MACHINE *registry_machine_get(const char *machine_guid, time_t when) {
434     MACHINE *m = NULL;
435
436     registry_machines_lock();
437
438     if(likely(machine_guid && *machine_guid)) {
439         // validate it is a GUID
440         char buf[36 + 1];
441         if(unlikely(registry_regenerate_guid(machine_guid, buf) == -1))
442             info("Registry: machine guid '%s' is not a valid guid. Ignoring it.", machine_guid);
443         else {
444             machine_guid = buf;
445             m = registry_machine_find(machine_guid);
446             if(!m) m = registry_machine_allocate(machine_guid, when);
447         }
448     }
449
450     registry_machines_unlock();
451
452     return m;
453 }
454
455
456 // ----------------------------------------------------------------------------
457 // PERSON
458
459 static inline PERSON *registry_person_find(const char *person_guid) {
460     debug(D_REGISTRY, "Registry: registry_person_find('%s')", person_guid);
461     return dictionary_get(registry.persons, person_guid);
462 }
463
464 static inline PERSON_URL *registry_person_url_allocate(PERSON *p, MACHINE *m, URL *u, char *name, size_t namelen, time_t when) {
465     // protection from too big names
466     if(namelen > registry.max_name_length)
467         namelen = registry.max_name_length;
468
469     debug(D_REGISTRY, "registry_person_url_allocate('%s', '%s', '%s'): allocating %zu bytes", p->guid, m->guid, u->url,
470           sizeof(PERSON_URL) + namelen);
471
472     PERSON_URL *pu = mallocz(sizeof(PERSON_URL) + namelen);
473
474     // a simple strcpy() should do the job
475     // but I prefer to be safe, since the caller specified urllen
476     strncpyz(pu->name, name, namelen);
477
478     pu->machine = m;
479     pu->first_t = pu->last_t = when;
480     pu->usages = 1;
481     pu->url = u;
482     pu->flags = REGISTRY_URL_FLAGS_DEFAULT;
483     m->links++;
484
485     registry.persons_urls_memory += sizeof(PERSON_URL) + namelen;
486
487     debug(D_REGISTRY, "registry_person_url_allocate('%s', '%s', '%s'): indexing URL in person", p->guid, m->guid, u->url);
488     dictionary_set(p->urls, u->url, pu, sizeof(PERSON_URL));
489     registry_url_link_nolock(u);
490
491     return pu;
492 }
493
494 static inline PERSON_URL *registry_person_url_reallocate(PERSON *p, MACHINE *m, URL *u, char *name, size_t namelen, time_t when, PERSON_URL *pu) {
495     // this function is needed to change the name of a PERSON_URL
496
497     debug(D_REGISTRY, "registry_person_url_reallocate('%s', '%s', '%s'): allocating %zu bytes", p->guid, m->guid, u->url,
498           sizeof(PERSON_URL) + namelen);
499
500     PERSON_URL *tpu = registry_person_url_allocate(p, m, u, name, namelen, when);
501     tpu->first_t = pu->first_t;
502     tpu->last_t = pu->last_t;
503     tpu->usages = pu->usages;
504
505     // ok, these are a hack - since the registry_person_url_allocate() is
506     // adding these, we have to subtract them
507     tpu->machine->links--;
508     registry.persons_urls_memory -= sizeof(PERSON_URL) + strlen(pu->name);
509     registry_url_unlink_nolock(u);
510
511     freez(pu);
512
513     return tpu;
514 }
515
516 static inline PERSON *registry_person_allocate(const char *person_guid, time_t when) {
517     PERSON *p = NULL;
518
519     debug(D_REGISTRY, "Registry: registry_person_allocate('%s'): allocating new person, sizeof(PERSON)=%zu", (person_guid)?person_guid:"", sizeof(PERSON));
520
521     p = mallocz(sizeof(PERSON));
522
523     if(!person_guid) {
524         for (; ;) {
525             uuid_t uuid;
526             uuid_generate(uuid);
527             uuid_unparse_lower(uuid, p->guid);
528
529             debug(D_REGISTRY, "Registry: Checking if the generated person guid '%s' is unique", p->guid);
530             if (!dictionary_get(registry.persons, p->guid)) {
531                 debug(D_REGISTRY, "Registry: generated person guid '%s' is unique", p->guid);
532                 break;
533             }
534             else
535                 info("Registry: generated person guid '%s' found in the registry. Retrying...", p->guid);
536         }
537     }
538     else
539         strncpyz(p->guid, person_guid, 36);
540
541     debug(D_REGISTRY, "Registry: registry_person_allocate('%s'): creating dictionary of urls", p->guid);
542     p->urls = dictionary_create(DICTIONARY_FLAGS);
543
544     p->first_t = p->last_t = when;
545     p->usages = 0;
546
547     registry.persons_memory += sizeof(PERSON);
548
549     registry.persons_count++;
550     dictionary_set(registry.persons, p->guid, p, sizeof(PERSON));
551
552     return p;
553 }
554
555
556 // 1. validate person GUID
557 // 2. if it is valid, find it
558 // 3. if it is not valid, create a new one
559 // 4. return it
560 static inline PERSON *registry_person_get(const char *person_guid, time_t when) {
561     PERSON *p = NULL;
562
563     registry_persons_lock();
564
565     if(person_guid && *person_guid) {
566         char buf[36 + 1];
567         // validate it is a GUID
568         if(unlikely(registry_regenerate_guid(person_guid, buf) == -1))
569             info("Registry: person guid '%s' is not a valid guid. Ignoring it.", person_guid);
570         else {
571             person_guid = buf;
572             p = registry_person_find(person_guid);
573         }
574     }
575
576     if(!p) p = registry_person_allocate(NULL, when);
577
578     registry_persons_unlock();
579
580     return p;
581 }
582
583 // ----------------------------------------------------------------------------
584 // LINKING OF OBJECTS
585
586 static inline PERSON_URL *registry_person_link_to_url(PERSON *p, MACHINE *m, URL *u, char *name, size_t namelen, time_t when) {
587     debug(D_REGISTRY, "registry_person_link_to_url('%s', '%s', '%s'): searching for URL in person", p->guid, m->guid, u->url);
588
589     registry_person_urls_lock(p);
590
591     PERSON_URL *pu = dictionary_get(p->urls, u->url);
592     if(!pu) {
593         debug(D_REGISTRY, "registry_person_link_to_url('%s', '%s', '%s'): not found", p->guid, m->guid, u->url);
594         pu = registry_person_url_allocate(p, m, u, name, namelen, when);
595         registry.persons_urls_count++;
596     }
597     else {
598         debug(D_REGISTRY, "registry_person_link_to_url('%s', '%s', '%s'): found", p->guid, m->guid, u->url);
599         pu->usages++;
600         if(likely(pu->last_t < (uint32_t)when)) pu->last_t = when;
601
602         if(pu->machine != m) {
603             MACHINE_URL *mu = dictionary_get(pu->machine->urls, u->url);
604             if(mu) {
605                 info("registry_person_link_to_url('%s', '%s', '%s'): URL switched machines (old was '%s') - expiring it from previous machine.",
606                      p->guid, m->guid, u->url, pu->machine->guid);
607                 mu->flags |= REGISTRY_URL_FLAGS_EXPIRED;
608             }
609             else {
610                 info("registry_person_link_to_url('%s', '%s', '%s'): URL switched machines (old was '%s') - but the URL is not linked to the old machine.",
611                      p->guid, m->guid, u->url, pu->machine->guid);
612             }
613
614             pu->machine->links--;
615             pu->machine = m;
616         }
617
618         if(strcmp(pu->name, name)) {
619             // the name of the PERSON_URL has changed !
620             pu = registry_person_url_reallocate(p, m, u, name, namelen, when, pu);
621         }
622     }
623
624     p->usages++;
625     if(likely(p->last_t < (uint32_t)when)) p->last_t = when;
626
627     if(pu->flags & REGISTRY_URL_FLAGS_EXPIRED) {
628         info("registry_person_link_to_url('%s', '%s', '%s'): accessing an expired URL. Re-enabling URL.", p->guid, m->guid, u->url);
629         pu->flags &= ~REGISTRY_URL_FLAGS_EXPIRED;
630     }
631
632     registry_person_urls_unlock(p);
633
634     return pu;
635 }
636
637 static inline MACHINE_URL *registry_machine_link_to_url(PERSON *p, MACHINE *m, URL *u, time_t when) {
638     debug(D_REGISTRY, "registry_machine_link_to_url('%s', '%s', '%s'): searching for URL in machine", p->guid, m->guid, u->url);
639
640     registry_machine_urls_lock(m);
641
642     MACHINE_URL *mu = dictionary_get(m->urls, u->url);
643     if(!mu) {
644         debug(D_REGISTRY, "registry_machine_link_to_url('%s', '%s', '%s'): not found", p->guid, m->guid, u->url);
645         mu = registry_machine_url_allocate(m, u, when);
646         registry.machines_urls_count++;
647     }
648     else {
649         debug(D_REGISTRY, "registry_machine_link_to_url('%s', '%s', '%s'): found", p->guid, m->guid, u->url);
650         mu->usages++;
651         if(likely(mu->last_t < (uint32_t)when)) mu->last_t = when;
652     }
653
654     //debug(D_REGISTRY, "registry_machine_link_to_url('%s', '%s', '%s'): indexing person in machine", p->guid, m->guid, u->url);
655     //dictionary_set(mu->persons, p->guid, p, sizeof(PERSON));
656
657     m->usages++;
658     if(likely(m->last_t < (uint32_t)when)) m->last_t = when;
659
660     if(mu->flags & REGISTRY_URL_FLAGS_EXPIRED) {
661         info("registry_machine_link_to_url('%s', '%s', '%s'): accessing an expired URL.", p->guid, m->guid, u->url);
662         mu->flags &= ~REGISTRY_URL_FLAGS_EXPIRED;
663     }
664
665     registry_machine_urls_unlock(m);
666
667     return mu;
668 }
669
670 // ----------------------------------------------------------------------------
671 // REGISTRY LOG LOAD/SAVE
672
673 static inline int registry_should_save_db(void) {
674     debug(D_REGISTRY, "log entries %llu, max %llu", registry.log_count, registry.save_registry_every_entries);
675     return registry.log_count > registry.save_registry_every_entries;
676 }
677
678 static inline void registry_log(const char action, PERSON *p, MACHINE *m, URL *u, char *name) {
679     if(likely(registry.log_fp)) {
680         // we lock only if the file is open
681         // to allow replaying the log at registry_log_load()
682         registry_log_lock();
683
684         if(unlikely(fprintf(registry.log_fp, "%c\t%08x\t%s\t%s\t%s\t%s\n",
685                 action,
686                 p->last_t,
687                 p->guid,
688                 m->guid,
689                 name,
690                 u->url) < 0))
691             error("Registry: failed to save log. Registry data may be lost in case of abnormal restart.");
692
693         // we increase the counter even on failures
694         // so that the registry will be saved periodically
695         registry.log_count++;
696
697         registry_log_unlock();
698
699         // this must be outside the log_lock(), or a deadlock will happen.
700         // registry_save() checks the same inside the log_lock, so only
701         // one thread will save the db
702         if(unlikely(registry_should_save_db()))
703             registry_save();
704     }
705 }
706
707 static inline int registry_log_open_nolock(void) {
708     if(registry.log_fp)
709         fclose(registry.log_fp);
710
711     registry.log_fp = fopen(registry.log_filename, "a");
712
713     if(registry.log_fp) {
714         if (setvbuf(registry.log_fp, NULL, _IOLBF, 0) != 0)
715             error("Cannot set line buffering on registry log file.");
716         return 0;
717     }
718
719     error("Cannot open registry log file '%s'. Registry data will be lost in case of netdata or server crash.", registry.log_filename);
720     return -1;
721 }
722
723 static inline void registry_log_close_nolock(void) {
724     if(registry.log_fp) {
725         fclose(registry.log_fp);
726         registry.log_fp = NULL;
727     }
728 }
729
730 static inline void registry_log_recreate_nolock(void) {
731     if(registry.log_fp != NULL) {
732         registry_log_close_nolock();
733
734         // open it with truncate
735         registry.log_fp = fopen(registry.log_filename, "w");
736         if(registry.log_fp) fclose(registry.log_fp);
737         else error("Cannot truncate registry log '%s'", registry.log_filename);
738
739         registry.log_fp = NULL;
740
741         registry_log_open_nolock();
742     }
743 }
744
745 int registry_log_load(void) {
746     char *s, buf[4096 + 1];
747     size_t line = -1;
748
749     // closing the log is required here
750     // otherwise we will append to it the values we read
751     registry_log_close_nolock();
752
753     debug(D_REGISTRY, "Registry: loading active db from: %s", registry.log_filename);
754     FILE *fp = fopen(registry.log_filename, "r");
755     if(!fp)
756         error("Registry: cannot open registry file: %s", registry.log_filename);
757     else {
758         line = 0;
759         size_t len = 0;
760         while ((s = fgets_trim_len(buf, 4096, fp, &len))) {
761             line++;
762
763             switch (s[0]) {
764                 case 'A': // accesses
765                 case 'D': // deletes
766
767                     // verify it is valid
768                     if (unlikely(len < 85 || s[1] != '\t' || s[10] != '\t' || s[47] != '\t' || s[84] != '\t')) {
769                         error("Registry: log line %zu is wrong (len = %zu).", line, len);
770                         continue;
771                     }
772                     s[1] = s[10] = s[47] = s[84] = '\0';
773
774                     // get the variables
775                     time_t when = strtoul(&s[2], NULL, 16);
776                     char *person_guid = &s[11];
777                     char *machine_guid = &s[48];
778                     char *name = &s[85];
779
780                     // skip the name to find the url
781                     char *url = name;
782                     while(*url && *url != '\t') url++;
783                     if(!*url) {
784                         error("Registry: log line %zu does not have a url.", line);
785                         continue;
786                     }
787                     *url++ = '\0';
788
789                     // make sure the person exists
790                     // without this, a new person guid will be created
791                     PERSON *p = registry_person_find(person_guid);
792                     if(!p) p = registry_person_allocate(person_guid, when);
793
794                     if(s[0] == 'A')
795                         registry_request_access(p->guid, machine_guid, url, name, when);
796                     else
797                         registry_request_delete(p->guid, machine_guid, url, name, when);
798
799                     registry.log_count++;
800                     break;
801
802                 default:
803                     error("Registry: ignoring line %zu of filename '%s': %s.", line, registry.log_filename, s);
804                     break;
805             }
806         }
807
808         fclose(fp);
809     }
810
811     // open the log again
812     registry_log_open_nolock();
813
814     return line;
815 }
816
817
818 // ----------------------------------------------------------------------------
819 // REGISTRY REQUESTS
820
821 PERSON *registry_request_access(char *person_guid, char *machine_guid, char *url, char *name, time_t when) {
822     debug(D_REGISTRY, "registry_request_access('%s', '%s', '%s'): NEW REQUEST", (person_guid)?person_guid:"", machine_guid, url);
823
824     MACHINE *m = registry_machine_get(machine_guid, when);
825     if(!m) return NULL;
826
827     // make sure the name is valid
828     size_t namelen;
829     name = registry_fix_machine_name(name, &namelen);
830
831     size_t urllen;
832     url = registry_fix_url(url, &urllen);
833
834     URL *u = registry_url_get(url, urllen);
835     PERSON *p = registry_person_get(person_guid, when);
836
837     registry_person_link_to_url(p, m, u, name, namelen, when);
838     registry_machine_link_to_url(p, m, u, when);
839
840     registry_log('A', p, m, u, name);
841
842     registry.usages_count++;
843     return p;
844 }
845
846 // verify the person, the machine and the URL exist in our DB
847 PERSON_URL *registry_verify_request(char *person_guid, char *machine_guid, char *url, PERSON **pp, MACHINE **mm) {
848     char pbuf[36 + 1], mbuf[36 + 1];
849
850     if(!person_guid || !*person_guid || !machine_guid || !*machine_guid || !url || !*url) {
851         info("Registry Request Verification: invalid request! person: '%s', machine '%s', url '%s'", person_guid?person_guid:"UNSET", machine_guid?machine_guid:"UNSET", url?url:"UNSET");
852         return NULL;
853     }
854
855     // normalize the url
856     url = registry_fix_url(url, NULL);
857
858     // make sure the person GUID is valid
859     if(registry_regenerate_guid(person_guid, pbuf) == -1) {
860         info("Registry Request Verification: invalid person GUID, person: '%s', machine '%s', url '%s'", person_guid, machine_guid, url);
861         return NULL;
862     }
863     person_guid = pbuf;
864
865     // make sure the machine GUID is valid
866     if(registry_regenerate_guid(machine_guid, mbuf) == -1) {
867         info("Registry Request Verification: invalid machine GUID, person: '%s', machine '%s', url '%s'", person_guid, machine_guid, url);
868         return NULL;
869     }
870     machine_guid = mbuf;
871
872     // make sure the machine exists
873     MACHINE *m = registry_machine_find(machine_guid);
874     if(!m) {
875         info("Registry Request Verification: machine not found, person: '%s', machine '%s', url '%s'", person_guid, machine_guid, url);
876         return NULL;
877     }
878     if(mm) *mm = m;
879
880     // make sure the person exist
881     PERSON *p = registry_person_find(person_guid);
882     if(!p) {
883         info("Registry Request Verification: person not found, person: '%s', machine '%s', url '%s'", person_guid, machine_guid, url);
884         return NULL;
885     }
886     if(pp) *pp = p;
887
888     PERSON_URL *pu = dictionary_get(p->urls, url);
889     if(!pu) {
890         info("Registry Request Verification: URL not found for person, person: '%s', machine '%s', url '%s'", person_guid, machine_guid, url);
891         return NULL;
892     }
893     return pu;
894 }
895
896 PERSON *registry_request_delete(char *person_guid, char *machine_guid, char *url, char *delete_url, time_t when) {
897     (void)when;
898
899     PERSON *p = NULL;
900     MACHINE *m = NULL;
901     PERSON_URL *pu = registry_verify_request(person_guid, machine_guid, url, &p, &m);
902     if(!pu || !p || !m) return NULL;
903
904     // normalize the url
905     delete_url = registry_fix_url(delete_url, NULL);
906
907     // make sure the user is not deleting the url it uses
908     if(!strcmp(delete_url, pu->url->url)) {
909         info("Registry Delete Request: delete URL is the one currently accessed, person: '%s', machine '%s', url '%s', delete url '%s'", p->guid, m->guid, pu->url->url, delete_url);
910         return NULL;
911     }
912
913     registry_person_urls_lock(p);
914
915     PERSON_URL *dpu = dictionary_get(p->urls, delete_url);
916     if(!dpu) {
917         info("Registry Delete Request: URL not found for person: '%s', machine '%s', url '%s', delete url '%s'", p->guid, m->guid, pu->url->url, delete_url);
918         registry_person_urls_unlock(p);
919         return NULL;
920     }
921
922     registry_log('D', p, m, pu->url, dpu->url->url);
923
924     dictionary_del(p->urls, dpu->url->url);
925     registry_url_unlink_nolock(dpu->url);
926     freez(dpu);
927
928     registry_person_urls_unlock(p);
929     return p;
930 }
931
932
933 // a structure to pass to the dictionary_get_all() callback handler
934 struct machine_request_callback_data {
935     MACHINE *find_this_machine;
936     PERSON_URL *result;
937 };
938
939 // the callback function
940 // this will be run for every PERSON_URL of this PERSON
941 int machine_request_callback(void *entry, void *data) {
942     PERSON_URL *mypu = (PERSON_URL *)entry;
943     struct machine_request_callback_data *myrdata = (struct machine_request_callback_data *)data;
944
945     if(mypu->machine == myrdata->find_this_machine) {
946         myrdata->result = mypu;
947         return -1; // this will also stop the walk through
948     }
949
950     return 0; // continue
951 }
952
953 MACHINE *registry_request_machine(char *person_guid, char *machine_guid, char *url, char *request_machine, time_t when) {
954     (void)when;
955
956     char mbuf[36 + 1];
957
958     PERSON *p = NULL;
959     MACHINE *m = NULL;
960     PERSON_URL *pu = registry_verify_request(person_guid, machine_guid, url, &p, &m);
961     if(!pu || !p || !m) return NULL;
962
963     // make sure the machine GUID is valid
964     if(registry_regenerate_guid(request_machine, mbuf) == -1) {
965         info("Registry Machine URLs request: invalid machine GUID, person: '%s', machine '%s', url '%s', request machine '%s'", p->guid, m->guid, pu->url->url, request_machine);
966         return NULL;
967     }
968     request_machine = mbuf;
969
970     // make sure the machine exists
971     m = registry_machine_find(request_machine);
972     if(!m) {
973         info("Registry Machine URLs request: machine not found, person: '%s', machine '%s', url '%s', request machine '%s'", p->guid, machine_guid, pu->url->url, request_machine);
974         return NULL;
975     }
976
977     // Verify the user has in the past accessed this machine
978     // We will walk through the PERSON_URLs to find the machine
979     // linking to our machine
980
981     // a structure to pass to the dictionary_get_all() callback handler
982     struct machine_request_callback_data rdata = { m, NULL };
983
984     // request a walk through on the dictionary
985     // no need for locking here, the underlying dictionary has its own
986     dictionary_get_all(p->urls, machine_request_callback, &rdata);
987
988     if(rdata.result)
989         return m;
990
991     return NULL;
992 }
993
994
995 // ----------------------------------------------------------------------------
996 // REGISTRY JSON generation
997
998 #define REGISTRY_STATUS_OK "ok"
999 #define REGISTRY_STATUS_FAILED "failed"
1000 #define REGISTRY_STATUS_DISABLED "disabled"
1001
1002 int registry_verify_cookies_redirects(void) {
1003     return registry.verify_cookies_redirects;
1004 }
1005
1006 const char *registry_to_announce(void) {
1007     return registry.registry_to_announce;
1008 }
1009
1010 void registry_set_cookie(struct web_client *w, const char *guid) {
1011     char edate[100];
1012     time_t et = time(NULL) + registry.persons_expiration;
1013     struct tm etmbuf, *etm = gmtime_r(&et, &etmbuf);
1014     strftime(edate, sizeof(edate), "%a, %d %b %Y %H:%M:%S %Z", etm);
1015
1016     snprintfz(w->cookie1, COOKIE_MAX, NETDATA_REGISTRY_COOKIE_NAME "=%s; Expires=%s", guid, edate);
1017
1018     if(registry.registry_domain && registry.registry_domain[0])
1019         snprintfz(w->cookie2, COOKIE_MAX, NETDATA_REGISTRY_COOKIE_NAME "=%s; Domain=%s; Expires=%s", guid, registry.registry_domain, edate);
1020 }
1021
1022 static inline void registry_set_person_cookie(struct web_client *w, PERSON *p) {
1023     registry_set_cookie(w, p->guid);
1024 }
1025
1026 static inline void registry_json_header(struct web_client *w, const char *action, const char *status) {
1027     buffer_flush(w->response.data);
1028     w->response.data->contenttype = CT_APPLICATION_JSON;
1029     buffer_sprintf(w->response.data, "{\n\t\"action\": \"%s\",\n\t\"status\": \"%s\",\n\t\"hostname\": \"%s\",\n\t\"machine_guid\": \"%s\"",
1030                    action, status, registry.hostname, registry.machine_guid);
1031 }
1032
1033 static inline void registry_json_footer(struct web_client *w) {
1034     buffer_strcat(w->response.data, "\n}\n");
1035 }
1036
1037 int registry_request_hello_json(struct web_client *w) {
1038     registry_json_header(w, "hello", REGISTRY_STATUS_OK);
1039
1040     buffer_sprintf(w->response.data, ",\n\t\"registry\": \"%s\"",
1041                    registry.registry_to_announce);
1042
1043     registry_json_footer(w);
1044     return 200;
1045 }
1046
1047 static inline int registry_json_disabled(struct web_client *w, const char *action) {
1048     registry_json_header(w, action, REGISTRY_STATUS_DISABLED);
1049
1050     buffer_sprintf(w->response.data, ",\n\t\"registry\": \"%s\"",
1051                    registry.registry_to_announce);
1052
1053     registry_json_footer(w);
1054     return 200;
1055 }
1056
1057 // structure used be the callbacks below
1058 struct registry_json_walk_person_urls_callback {
1059     PERSON *p;
1060     MACHINE *m;
1061     struct web_client *w;
1062     int count;
1063 };
1064
1065 // callback for rendering PERSON_URLs
1066 static inline int registry_json_person_url_callback(void *entry, void *data) {
1067     PERSON_URL *pu = (PERSON_URL *)entry;
1068     struct registry_json_walk_person_urls_callback *c = (struct registry_json_walk_person_urls_callback *)data;
1069     struct web_client *w = c->w;
1070
1071     if(unlikely(c->count++))
1072         buffer_strcat(w->response.data, ",");
1073
1074     buffer_sprintf(w->response.data, "\n\t\t[ \"%s\", \"%s\", %u000, %u, \"%s\" ]",
1075                    pu->machine->guid, pu->url->url, pu->last_t, pu->usages, pu->name);
1076
1077     return 1;
1078 }
1079
1080 // callback for rendering MACHINE_URLs
1081 static inline int registry_json_machine_url_callback(void *entry, void *data) {
1082     MACHINE_URL *mu = (MACHINE_URL *)entry;
1083     struct registry_json_walk_person_urls_callback *c = (struct registry_json_walk_person_urls_callback *)data;
1084     struct web_client *w = c->w;
1085     MACHINE *m = c->m;
1086
1087     if(unlikely(c->count++))
1088         buffer_strcat(w->response.data, ",");
1089
1090     buffer_sprintf(w->response.data, "\n\t\t[ \"%s\", \"%s\", %u000, %u ]",
1091                    m->guid, mu->url->url, mu->last_t, mu->usages);
1092
1093     return 1;
1094 }
1095
1096
1097 // the main method for registering an access
1098 int registry_request_access_json(struct web_client *w, char *person_guid, char *machine_guid, char *url, char *name, time_t when) {
1099     if(!registry.enabled)
1100         return registry_json_disabled(w, "access");
1101
1102     PERSON *p = registry_request_access(person_guid, machine_guid, url, name, when);
1103     if(!p) {
1104         registry_json_header(w, "access", REGISTRY_STATUS_FAILED);
1105         registry_json_footer(w);
1106         return 412;
1107     }
1108
1109     // set the cookie
1110     registry_set_person_cookie(w, p);
1111
1112     // generate the response
1113     registry_json_header(w, "access", REGISTRY_STATUS_OK);
1114
1115     buffer_sprintf(w->response.data, ",\n\t\"person_guid\": \"%s\",\n\t\"urls\": [", p->guid);
1116     struct registry_json_walk_person_urls_callback c = { p, NULL, w, 0 };
1117     dictionary_get_all(p->urls, registry_json_person_url_callback, &c);
1118     buffer_strcat(w->response.data, "\n\t]\n");
1119
1120     registry_json_footer(w);
1121     return 200;
1122 }
1123
1124 // the main method for deleting a URL from a person
1125 int registry_request_delete_json(struct web_client *w, char *person_guid, char *machine_guid, char *url, char *delete_url, time_t when) {
1126     if(!registry.enabled)
1127         return registry_json_disabled(w, "delete");
1128
1129     PERSON *p = registry_request_delete(person_guid, machine_guid, url, delete_url, when);
1130     if(!p) {
1131         registry_json_header(w, "delete", REGISTRY_STATUS_FAILED);
1132         registry_json_footer(w);
1133         return 412;
1134     }
1135
1136     // generate the response
1137     registry_json_header(w, "delete", REGISTRY_STATUS_OK);
1138     registry_json_footer(w);
1139     return 200;
1140 }
1141
1142 // the main method for searching the URLs of a netdata
1143 int registry_request_search_json(struct web_client *w, char *person_guid, char *machine_guid, char *url, char *request_machine, time_t when) {
1144     if(!registry.enabled)
1145         return registry_json_disabled(w, "search");
1146
1147     MACHINE *m = registry_request_machine(person_guid, machine_guid, url, request_machine, when);
1148     if(!m) {
1149         registry_json_header(w, "search", REGISTRY_STATUS_FAILED);
1150         registry_json_footer(w);
1151         return 404;
1152     }
1153
1154     registry_json_header(w, "search", REGISTRY_STATUS_OK);
1155
1156     buffer_strcat(w->response.data, ",\n\t\"urls\": [");
1157     struct registry_json_walk_person_urls_callback c = { NULL, m, w, 0 };
1158     dictionary_get_all(m->urls, registry_json_machine_url_callback, &c);
1159     buffer_strcat(w->response.data, "\n\t]\n");
1160
1161     registry_json_footer(w);
1162     return 200;
1163 }
1164
1165 // structure used be the callbacks below
1166 struct registry_person_url_callback_verify_machine_exists_data {
1167     MACHINE *m;
1168     int count;
1169 };
1170
1171 int registry_person_url_callback_verify_machine_exists(void *entry, void *data) {
1172     struct registry_person_url_callback_verify_machine_exists_data *d = (struct registry_person_url_callback_verify_machine_exists_data *)data;
1173     PERSON_URL *pu = (PERSON_URL *)entry;
1174     MACHINE *m = d->m;
1175
1176     if(pu->machine == m)
1177         d->count++;
1178
1179     return 0;
1180 }
1181
1182 // the main method for switching user identity
1183 int registry_request_switch_json(struct web_client *w, char *person_guid, char *machine_guid, char *url, char *new_person_guid, time_t when) {
1184     (void)url;
1185     (void)when;
1186
1187     if(!registry.enabled)
1188         return registry_json_disabled(w, "switch");
1189
1190     PERSON *op = registry_person_find(person_guid);
1191     if(!op) {
1192         registry_json_header(w, "switch", REGISTRY_STATUS_FAILED);
1193         registry_json_footer(w);
1194         return 430;
1195     }
1196
1197     PERSON *np = registry_person_find(new_person_guid);
1198     if(!np) {
1199         registry_json_header(w, "switch", REGISTRY_STATUS_FAILED);
1200         registry_json_footer(w);
1201         return 431;
1202     }
1203
1204     MACHINE *m = registry_machine_find(machine_guid);
1205     if(!m) {
1206         registry_json_header(w, "switch", REGISTRY_STATUS_FAILED);
1207         registry_json_footer(w);
1208         return 432;
1209     }
1210
1211     struct registry_person_url_callback_verify_machine_exists_data data = { m, 0 };
1212
1213     // verify the old person has access to this machine
1214     dictionary_get_all(op->urls, registry_person_url_callback_verify_machine_exists, &data);
1215     if(!data.count) {
1216         registry_json_header(w, "switch", REGISTRY_STATUS_FAILED);
1217         registry_json_footer(w);
1218         return 433;
1219     }
1220
1221     // verify the new person has access to this machine
1222     data.count = 0;
1223     dictionary_get_all(np->urls, registry_person_url_callback_verify_machine_exists, &data);
1224     if(!data.count) {
1225         registry_json_header(w, "switch", REGISTRY_STATUS_FAILED);
1226         registry_json_footer(w);
1227         return 434;
1228     }
1229
1230     // set the cookie of the new person
1231     // the user just switched identity
1232     registry_set_person_cookie(w, np);
1233
1234     // generate the response
1235     registry_json_header(w, "switch", REGISTRY_STATUS_OK);
1236     buffer_sprintf(w->response.data, ",\n\t\"person_guid\": \"%s\"", np->guid);
1237     registry_json_footer(w);
1238     return 200;
1239 }
1240
1241
1242 // ----------------------------------------------------------------------------
1243 // REGISTRY THIS MACHINE UNIQUE ID
1244
1245 static inline int is_machine_guid_blacklisted(const char *guid) {
1246     // these are machine GUIDs that have been included in distribution packages.
1247     // we blacklist them here, so that the next version of netdata will generate
1248     // new ones.
1249
1250     if(!strcmp(guid, "8a795b0c-2311-11e6-8563-000c295076a6")
1251     || !strcmp(guid, "4aed1458-1c3e-11e6-a53f-000c290fc8f5")
1252     ) {
1253         error("Blacklisted machine GUID '%s' found.", guid);
1254         return 1;
1255     }
1256
1257     return 0;
1258 }
1259
1260 char *registry_get_this_machine_guid(void) {
1261     if(likely(registry.machine_guid[0]))
1262         return registry.machine_guid;
1263
1264     // read it from disk
1265     int fd = open(registry.machine_guid_filename, O_RDONLY);
1266     if(fd != -1) {
1267         char buf[36 + 1];
1268         if(read(fd, buf, 36) != 36)
1269             error("Failed to read machine GUID from '%s'", registry.machine_guid_filename);
1270         else {
1271             buf[36] = '\0';
1272             if(registry_regenerate_guid(buf, registry.machine_guid) == -1) {
1273                 error("Failed to validate machine GUID '%s' from '%s'. Ignoring it - this might mean this netdata will appear as duplicate in the registry.",
1274                       buf, registry.machine_guid_filename);
1275
1276                 registry.machine_guid[0] = '\0';
1277             }
1278             else if(is_machine_guid_blacklisted(registry.machine_guid))
1279                 registry.machine_guid[0] = '\0';
1280         }
1281         close(fd);
1282     }
1283
1284     // generate a new one?
1285     if(!registry.machine_guid[0]) {
1286         uuid_t uuid;
1287
1288         uuid_generate_time(uuid);
1289         uuid_unparse_lower(uuid, registry.machine_guid);
1290         registry.machine_guid[36] = '\0';
1291
1292         // save it
1293         fd = open(registry.machine_guid_filename, O_WRONLY|O_CREAT|O_TRUNC, 444);
1294         if(fd == -1)
1295             fatal("Cannot create unique machine id file '%s'. Please fix this.", registry.machine_guid_filename);
1296
1297         if(write(fd, registry.machine_guid, 36) != 36)
1298             fatal("Cannot write the unique machine id file '%s'. Please fix this.", registry.machine_guid_filename);
1299
1300         close(fd);
1301     }
1302
1303     setenv("NETDATA_REGISTRY_UNIQUE_ID", registry.machine_guid, 1);
1304
1305     return registry.machine_guid;
1306 }
1307
1308
1309 // ----------------------------------------------------------------------------
1310 // REGISTRY LOAD/SAVE
1311
1312 int registry_machine_save_url(void *entry, void *file) {
1313     MACHINE_URL *mu = entry;
1314     FILE *fp = file;
1315
1316     debug(D_REGISTRY, "Registry: registry_machine_save_url('%s')", mu->url->url);
1317
1318     int ret = fprintf(fp, "V\t%08x\t%08x\t%08x\t%02x\t%s\n",
1319             mu->first_t,
1320             mu->last_t,
1321             mu->usages,
1322             mu->flags,
1323             mu->url->url
1324     );
1325
1326     // error handling is done at registry_save()
1327
1328     return ret;
1329 }
1330
1331 int registry_machine_save(void *entry, void *file) {
1332     MACHINE *m = entry;
1333     FILE *fp = file;
1334
1335     debug(D_REGISTRY, "Registry: registry_machine_save('%s')", m->guid);
1336
1337     int ret = fprintf(fp, "M\t%08x\t%08x\t%08x\t%s\n",
1338             m->first_t,
1339             m->last_t,
1340             m->usages,
1341             m->guid
1342     );
1343
1344     if(ret >= 0) {
1345         int ret2 = dictionary_get_all(m->urls, registry_machine_save_url, fp);
1346         if(ret2 < 0) return ret2;
1347         ret += ret2;
1348     }
1349
1350     // error handling is done at registry_save()
1351
1352     return ret;
1353 }
1354
1355 static inline int registry_person_save_url(void *entry, void *file) {
1356     PERSON_URL *pu = entry;
1357     FILE *fp = file;
1358
1359     debug(D_REGISTRY, "Registry: registry_person_save_url('%s')", pu->url->url);
1360
1361     int ret = fprintf(fp, "U\t%08x\t%08x\t%08x\t%02x\t%s\t%s\t%s\n",
1362             pu->first_t,
1363             pu->last_t,
1364             pu->usages,
1365             pu->flags,
1366             pu->machine->guid,
1367             pu->name,
1368             pu->url->url
1369     );
1370
1371     // error handling is done at registry_save()
1372
1373     return ret;
1374 }
1375
1376 static inline int registry_person_save(void *entry, void *file) {
1377     PERSON *p = entry;
1378     FILE *fp = file;
1379
1380     debug(D_REGISTRY, "Registry: registry_person_save('%s')", p->guid);
1381
1382     int ret = fprintf(fp, "P\t%08x\t%08x\t%08x\t%s\n",
1383             p->first_t,
1384             p->last_t,
1385             p->usages,
1386             p->guid
1387     );
1388
1389     if(ret >= 0) {
1390         int ret2 = dictionary_get_all(p->urls, registry_person_save_url, fp);
1391         if (ret2 < 0) return ret2;
1392         ret += ret2;
1393     }
1394
1395     // error handling is done at registry_save()
1396
1397     return ret;
1398 }
1399
1400 int registry_save(void) {
1401     if(!registry.enabled) return -1;
1402
1403     // make sure the log is not updated
1404     registry_log_lock();
1405
1406     if(unlikely(!registry_should_save_db())) {
1407         registry_log_unlock();
1408         return -2;
1409     }
1410
1411     error_log_limit_unlimited();
1412
1413     char tmp_filename[FILENAME_MAX + 1];
1414     char old_filename[FILENAME_MAX + 1];
1415
1416     snprintfz(old_filename, FILENAME_MAX, "%s.old", registry.db_filename);
1417     snprintfz(tmp_filename, FILENAME_MAX, "%s.tmp", registry.db_filename);
1418
1419     debug(D_REGISTRY, "Registry: Creating file '%s'", tmp_filename);
1420     FILE *fp = fopen(tmp_filename, "w");
1421     if(!fp) {
1422         error("Registry: Cannot create file: %s", tmp_filename);
1423         registry_log_unlock();
1424         error_log_limit_reset();
1425         return -1;
1426     }
1427
1428     // dictionary_get_all() has its own locking, so this is safe to do
1429
1430     debug(D_REGISTRY, "Saving all machines");
1431     int bytes1 = dictionary_get_all(registry.machines, registry_machine_save, fp);
1432     if(bytes1 < 0) {
1433         error("Registry: Cannot save registry machines - return value %d", bytes1);
1434         fclose(fp);
1435         registry_log_unlock();
1436         error_log_limit_reset();
1437         return bytes1;
1438     }
1439     debug(D_REGISTRY, "Registry: saving machines took %d bytes", bytes1);
1440
1441     debug(D_REGISTRY, "Saving all persons");
1442     int bytes2 = dictionary_get_all(registry.persons, registry_person_save, fp);
1443     if(bytes2 < 0) {
1444         error("Registry: Cannot save registry persons - return value %d", bytes2);
1445         fclose(fp);
1446         registry_log_unlock();
1447         error_log_limit_reset();
1448         return bytes2;
1449     }
1450     debug(D_REGISTRY, "Registry: saving persons took %d bytes", bytes2);
1451
1452     // save the totals
1453     fprintf(fp, "T\t%016llx\t%016llx\t%016llx\t%016llx\t%016llx\t%016llx\n",
1454             registry.persons_count,
1455             registry.machines_count,
1456             registry.usages_count + 1, // this is required - it is lost on db rotation
1457             registry.urls_count,
1458             registry.persons_urls_count,
1459             registry.machines_urls_count
1460     );
1461
1462     fclose(fp);
1463
1464     errno = 0;
1465
1466     // remove the .old db
1467     debug(D_REGISTRY, "Registry: Removing old db '%s'", old_filename);
1468     if(unlink(old_filename) == -1 && errno != ENOENT)
1469         error("Registry: cannot remove old registry file '%s'", old_filename);
1470
1471     // rename the db to .old
1472     debug(D_REGISTRY, "Registry: Link current db '%s' to .old: '%s'", registry.db_filename, old_filename);
1473     if(link(registry.db_filename, old_filename) == -1 && errno != ENOENT)
1474         error("Registry: cannot move file '%s' to '%s'. Saving registry DB failed!", tmp_filename, registry.db_filename);
1475
1476     else {
1477         // remove the database (it is saved in .old)
1478         debug(D_REGISTRY, "Registry: removing db '%s'", registry.db_filename);
1479         if (unlink(registry.db_filename) == -1 && errno != ENOENT)
1480             error("Registry: cannot remove old registry file '%s'", registry.db_filename);
1481
1482         // move the .tmp to make it active
1483         debug(D_REGISTRY, "Registry: linking tmp db '%s' to active db '%s'", tmp_filename, registry.db_filename);
1484         if (link(tmp_filename, registry.db_filename) == -1) {
1485             error("Registry: cannot move file '%s' to '%s'. Saving registry DB failed!", tmp_filename,
1486                   registry.db_filename);
1487
1488             // move the .old back
1489             debug(D_REGISTRY, "Registry: linking old db '%s' to active db '%s'", old_filename, registry.db_filename);
1490             if(link(old_filename, registry.db_filename) == -1)
1491                 error("Registry: cannot move file '%s' to '%s'. Recovering the old registry DB failed!", old_filename, registry.db_filename);
1492         }
1493         else {
1494             debug(D_REGISTRY, "Registry: removing tmp db '%s'", tmp_filename);
1495             if(unlink(tmp_filename) == -1)
1496                 error("Registry: cannot remove tmp registry file '%s'", tmp_filename);
1497
1498             // it has been moved successfully
1499             // discard the current registry log
1500             registry_log_recreate_nolock();
1501             registry.log_count = 0;
1502         }
1503     }
1504
1505     // continue operations
1506     registry_log_unlock();
1507     error_log_limit_reset();
1508
1509     return -1;
1510 }
1511
1512 static inline size_t registry_load(void) {
1513     char *s, buf[4096 + 1];
1514     PERSON *p = NULL;
1515     MACHINE *m = NULL;
1516     URL *u = NULL;
1517     size_t line = 0;
1518
1519     debug(D_REGISTRY, "Registry: loading active db from: '%s'", registry.db_filename);
1520     FILE *fp = fopen(registry.db_filename, "r");
1521     if(!fp) {
1522         error("Registry: cannot open registry file: '%s'", registry.db_filename);
1523         return 0;
1524     }
1525
1526     size_t len = 0;
1527     buf[4096] = '\0';
1528     while((s = fgets_trim_len(buf, 4096, fp, &len))) {
1529         line++;
1530
1531         debug(D_REGISTRY, "Registry: read line %zu to length %zu: %s", line, len, s);
1532         switch(*s) {
1533             case 'T': // totals
1534                 if(unlikely(len != 103 || s[1] != '\t' || s[18] != '\t' || s[35] != '\t' || s[52] != '\t' || s[69] != '\t' || s[86] != '\t' || s[103] != '\0')) {
1535                     error("Registry totals line %zu is wrong (len = %zu).", line, len);
1536                     continue;
1537                 }
1538                 registry.persons_count = strtoull(&s[2], NULL, 16);
1539                 registry.machines_count = strtoull(&s[19], NULL, 16);
1540                 registry.usages_count = strtoull(&s[36], NULL, 16);
1541                 registry.urls_count = strtoull(&s[53], NULL, 16);
1542                 registry.persons_urls_count = strtoull(&s[70], NULL, 16);
1543                 registry.machines_urls_count = strtoull(&s[87], NULL, 16);
1544                 break;
1545
1546             case 'P': // person
1547                 m = NULL;
1548                 // verify it is valid
1549                 if(unlikely(len != 65 || s[1] != '\t' || s[10] != '\t' || s[19] != '\t' || s[28] != '\t' || s[65] != '\0')) {
1550                     error("Registry person line %zu is wrong (len = %zu).", line, len);
1551                     continue;
1552                 }
1553
1554                 s[1] = s[10] = s[19] = s[28] = '\0';
1555                 p = registry_person_allocate(&s[29], strtoul(&s[2], NULL, 16));
1556                 p->last_t = strtoul(&s[11], NULL, 16);
1557                 p->usages = strtoul(&s[20], NULL, 16);
1558                 debug(D_REGISTRY, "Registry loaded person '%s', first: %u, last: %u, usages: %u", p->guid, p->first_t, p->last_t, p->usages);
1559                 break;
1560
1561             case 'M': // machine
1562                 p = NULL;
1563                 // verify it is valid
1564                 if(unlikely(len != 65 || s[1] != '\t' || s[10] != '\t' || s[19] != '\t' || s[28] != '\t' || s[65] != '\0')) {
1565                     error("Registry person line %zu is wrong (len = %zu).", line, len);
1566                     continue;
1567                 }
1568
1569                 s[1] = s[10] = s[19] = s[28] = '\0';
1570                 m = registry_machine_allocate(&s[29], strtoul(&s[2], NULL, 16));
1571                 m->last_t = strtoul(&s[11], NULL, 16);
1572                 m->usages = strtoul(&s[20], NULL, 16);
1573                 debug(D_REGISTRY, "Registry loaded machine '%s', first: %u, last: %u, usages: %u", m->guid, m->first_t, m->last_t, m->usages);
1574                 break;
1575
1576             case 'U': // person URL
1577                 if(unlikely(!p)) {
1578                     error("Registry: ignoring line %zu, no person loaded: %s", line, s);
1579                     continue;
1580                 }
1581
1582                 // verify it is valid
1583                 if(len < 69 || s[1] != '\t' || s[10] != '\t' || s[19] != '\t' || s[28] != '\t' || s[31] != '\t' || s[68] != '\t') {
1584                     error("Registry person URL line %zu is wrong (len = %zu).", line, len);
1585                     continue;
1586                 }
1587
1588                 s[1] = s[10] = s[19] = s[28] = s[31] = s[68] = '\0';
1589
1590                 // skip the name to find the url
1591                 char *url = &s[69];
1592                 while(*url && *url != '\t') url++;
1593                 if(!*url) {
1594                     error("Registry person URL line %zu does not have a url.", line);
1595                     continue;
1596                 }
1597                 *url++ = '\0';
1598
1599                 // u = registry_url_allocate_nolock(url, strlen(url));
1600                 u = registry_url_get_nolock(url, strlen(url));
1601
1602                 time_t first_t = strtoul(&s[2], NULL, 16);
1603
1604                 m = registry_machine_find(&s[32]);
1605                 if(!m) m = registry_machine_allocate(&s[32], first_t);
1606
1607                 PERSON_URL *pu = registry_person_url_allocate(p, m, u, &s[69], strlen(&s[69]), first_t);
1608                 pu->last_t = strtoul(&s[11], NULL, 16);
1609                 pu->usages = strtoul(&s[20], NULL, 16);
1610                 pu->flags = strtoul(&s[29], NULL, 16);
1611                 debug(D_REGISTRY, "Registry loaded person URL '%s' with name '%s' of machine '%s', first: %u, last: %u, usages: %u, flags: %02x", u->url, pu->name, m->guid, pu->first_t, pu->last_t, pu->usages, pu->flags);
1612                 break;
1613
1614             case 'V': // machine URL
1615                 if(unlikely(!m)) {
1616                     error("Registry: ignoring line %zu, no machine loaded: %s", line, s);
1617                     continue;
1618                 }
1619
1620                 // verify it is valid
1621                 if(len < 32 || s[1] != '\t' || s[10] != '\t' || s[19] != '\t' || s[28] != '\t' || s[31] != '\t') {
1622                     error("Registry person URL line %zu is wrong (len = %zu).", line, len);
1623                     continue;
1624                 }
1625
1626                 s[1] = s[10] = s[19] = s[28] = s[31] = '\0';
1627                 // u = registry_url_allocate_nolock(&s[32], strlen(&s[32]));
1628                 u = registry_url_get_nolock(&s[32], strlen(&s[32]));
1629
1630                 MACHINE_URL *mu = registry_machine_url_allocate(m, u, strtoul(&s[2], NULL, 16));
1631                 mu->last_t = strtoul(&s[11], NULL, 16);
1632                 mu->usages = strtoul(&s[20], NULL, 16);
1633                 mu->flags = strtoul(&s[29], NULL, 16);
1634                 debug(D_REGISTRY, "Registry loaded machine URL '%s', machine '%s', first: %u, last: %u, usages: %u, flags: %02x", u->url, m->guid, mu->first_t, mu->last_t, mu->usages, mu->flags);
1635                 break;
1636
1637             default:
1638                 error("Registry: ignoring line %zu of filename '%s': %s.", line, registry.db_filename, s);
1639                 break;
1640         }
1641     }
1642     fclose(fp);
1643
1644     return line;
1645 }
1646
1647 // ----------------------------------------------------------------------------
1648 // REGISTRY
1649
1650 int registry_init(void) {
1651     char filename[FILENAME_MAX + 1];
1652
1653     // registry enabled?
1654     registry.enabled = config_get_boolean("registry", "enabled", 0);
1655
1656     // pathnames
1657     registry.pathname = config_get("registry", "registry db directory", VARLIB_DIR "/registry");
1658     if(mkdir(registry.pathname, 0770) == -1 && errno != EEXIST)
1659         fatal("Cannot create directory '%s'.", registry.pathname);
1660
1661     // filenames
1662     snprintfz(filename, FILENAME_MAX, "%s/netdata.public.unique.id", registry.pathname);
1663     registry.machine_guid_filename = config_get("registry", "netdata unique id file", filename);
1664     registry_get_this_machine_guid();
1665
1666     snprintfz(filename, FILENAME_MAX, "%s/registry.db", registry.pathname);
1667     registry.db_filename = config_get("registry", "registry db file", filename);
1668
1669     snprintfz(filename, FILENAME_MAX, "%s/registry-log.db", registry.pathname);
1670     registry.log_filename = config_get("registry", "registry log file", filename);
1671
1672     // configuration options
1673     registry.save_registry_every_entries = config_get_number("registry", "registry save db every new entries", 1000000);
1674     registry.persons_expiration = config_get_number("registry", "registry expire idle persons days", 365) * 86400;
1675     registry.registry_domain = config_get("registry", "registry domain", "");
1676     registry.registry_to_announce = config_get("registry", "registry to announce", "https://registry.my-netdata.io");
1677     registry.hostname = config_get("registry", "registry hostname", config_get("global", "hostname", localhost.hostname));
1678     registry.verify_cookies_redirects = config_get_boolean("registry", "verify browser cookies support", 1);
1679
1680     setenv("NETDATA_REGISTRY_HOSTNAME", registry.hostname, 1);
1681     setenv("NETDATA_REGISTRY_URL", registry.registry_to_announce, 1);
1682
1683     registry.max_url_length = config_get_number("registry", "max URL length", 1024);
1684     if(registry.max_url_length < 10) {
1685         registry.max_url_length = 10;
1686         config_set_number("registry", "max URL length", registry.max_url_length);
1687     }
1688
1689     registry.max_name_length = config_get_number("registry", "max URL name length", 50);
1690     if(registry.max_name_length < 10) {
1691         registry.max_name_length = 10;
1692         config_set_number("registry", "max URL name length", registry.max_name_length);
1693     }
1694
1695     // initialize entries counters
1696     registry.persons_count = 0;
1697     registry.machines_count = 0;
1698     registry.usages_count = 0;
1699     registry.urls_count = 0;
1700     registry.persons_urls_count = 0;
1701     registry.machines_urls_count = 0;
1702
1703     // initialize memory counters
1704     registry.persons_memory = 0;
1705     registry.machines_memory = 0;
1706     registry.urls_memory = 0;
1707     registry.persons_urls_memory = 0;
1708     registry.machines_urls_memory = 0;
1709
1710     // initialize locks
1711     pthread_mutex_init(&registry.persons_lock, NULL);
1712     pthread_mutex_init(&registry.machines_lock, NULL);
1713     pthread_mutex_init(&registry.urls_lock, NULL);
1714     pthread_mutex_init(&registry.person_urls_lock, NULL);
1715     pthread_mutex_init(&registry.machine_urls_lock, NULL);
1716
1717     // create dictionaries
1718     registry.persons = dictionary_create(DICTIONARY_FLAGS);
1719     registry.machines = dictionary_create(DICTIONARY_FLAGS);
1720     registry.urls = dictionary_create(DICTIONARY_FLAGS);
1721
1722     // load the registry database
1723     if(registry.enabled) {
1724         registry_log_open_nolock();
1725         registry_load();
1726         registry_log_load();
1727
1728         if(unlikely(registry_should_save_db()))
1729             registry_save();
1730     }
1731
1732     return 0;
1733 }
1734
1735 void registry_free(void) {
1736     if(!registry.enabled) return;
1737
1738     // we need to destroy the dictionaries ourselves
1739     // since the dictionaries use memory we allocated
1740
1741     while(registry.persons->values_index.root) {
1742         PERSON *p = ((NAME_VALUE *)registry.persons->values_index.root)->value;
1743
1744         // fprintf(stderr, "\nPERSON: '%s', first: %u, last: %u, usages: %u\n", p->guid, p->first_t, p->last_t, p->usages);
1745
1746         while(p->urls->values_index.root) {
1747             PERSON_URL *pu = ((NAME_VALUE *)p->urls->values_index.root)->value;
1748
1749             // fprintf(stderr, "\tURL: '%s', first: %u, last: %u, usages: %u, flags: 0x%02x\n", pu->url->url, pu->first_t, pu->last_t, pu->usages, pu->flags);
1750
1751             debug(D_REGISTRY, "Registry: deleting url '%s' from person '%s'", pu->url->url, p->guid);
1752             dictionary_del(p->urls, pu->url->url);
1753
1754             debug(D_REGISTRY, "Registry: unlinking url '%s' from person", pu->url->url);
1755             registry_url_unlink_nolock(pu->url);
1756
1757             debug(D_REGISTRY, "Registry: freeing person url");
1758             freez(pu);
1759         }
1760
1761         debug(D_REGISTRY, "Registry: deleting person '%s' from persons registry", p->guid);
1762         dictionary_del(registry.persons, p->guid);
1763
1764         debug(D_REGISTRY, "Registry: destroying URL dictionary of person '%s'", p->guid);
1765         dictionary_destroy(p->urls);
1766
1767         debug(D_REGISTRY, "Registry: freeing person '%s'", p->guid);
1768         freez(p);
1769     }
1770
1771     while(registry.machines->values_index.root) {
1772         MACHINE *m = ((NAME_VALUE *)registry.machines->values_index.root)->value;
1773
1774         // fprintf(stderr, "\nMACHINE: '%s', first: %u, last: %u, usages: %u\n", m->guid, m->first_t, m->last_t, m->usages);
1775
1776         while(m->urls->values_index.root) {
1777             MACHINE_URL *mu = ((NAME_VALUE *)m->urls->values_index.root)->value;
1778
1779             // fprintf(stderr, "\tURL: '%s', first: %u, last: %u, usages: %u, flags: 0x%02x\n", mu->url->url, mu->first_t, mu->last_t, mu->usages, mu->flags);
1780
1781             //debug(D_REGISTRY, "Registry: destroying persons dictionary from url '%s'", mu->url->url);
1782             //dictionary_destroy(mu->persons);
1783
1784             debug(D_REGISTRY, "Registry: deleting url '%s' from person '%s'", mu->url->url, m->guid);
1785             dictionary_del(m->urls, mu->url->url);
1786
1787             debug(D_REGISTRY, "Registry: unlinking url '%s' from machine", mu->url->url);
1788             registry_url_unlink_nolock(mu->url);
1789
1790             debug(D_REGISTRY, "Registry: freeing machine url");
1791             freez(mu);
1792         }
1793
1794         debug(D_REGISTRY, "Registry: deleting machine '%s' from machines registry", m->guid);
1795         dictionary_del(registry.machines, m->guid);
1796
1797         debug(D_REGISTRY, "Registry: destroying URL dictionary of machine '%s'", m->guid);
1798         dictionary_destroy(m->urls);
1799
1800         debug(D_REGISTRY, "Registry: freeing machine '%s'", m->guid);
1801         freez(m);
1802     }
1803
1804     // and free the memory of remaining dictionary structures
1805
1806     debug(D_REGISTRY, "Registry: destroying persons dictionary");
1807     dictionary_destroy(registry.persons);
1808
1809     debug(D_REGISTRY, "Registry: destroying machines dictionary");
1810     dictionary_destroy(registry.machines);
1811
1812     debug(D_REGISTRY, "Registry: destroying urls dictionary");
1813     dictionary_destroy(registry.urls);
1814 }
1815
1816 // ----------------------------------------------------------------------------
1817 // STATISTICS
1818
1819 void registry_statistics(void) {
1820     if(!registry.enabled) return;
1821
1822     static RRDSET *sts = NULL, *stc = NULL, *stm = NULL;
1823
1824     if(!sts) sts = rrdset_find("netdata.registry_sessions");
1825     if(!sts) {
1826         sts = rrdset_create("netdata", "registry_sessions", NULL, "registry", NULL, "NetData Registry Sessions", "session", 131000, rrd_update_every, RRDSET_TYPE_LINE);
1827
1828         rrddim_add(sts, "sessions",  NULL,  1, 1, RRDDIM_ABSOLUTE);
1829     }
1830     else rrdset_next(sts);
1831
1832     rrddim_set(sts, "sessions", registry.usages_count);
1833     rrdset_done(sts);
1834
1835     // ------------------------------------------------------------------------
1836
1837     if(!stc) stc = rrdset_find("netdata.registry_entries");
1838     if(!stc) {
1839         stc = rrdset_create("netdata", "registry_entries", NULL, "registry", NULL, "NetData Registry Entries", "entries", 131100, rrd_update_every, RRDSET_TYPE_LINE);
1840
1841         rrddim_add(stc, "persons",        NULL,  1, 1, RRDDIM_ABSOLUTE);
1842         rrddim_add(stc, "machines",       NULL,  1, 1, RRDDIM_ABSOLUTE);
1843         rrddim_add(stc, "urls",           NULL,  1, 1, RRDDIM_ABSOLUTE);
1844         rrddim_add(stc, "persons_urls",   NULL,  1, 1, RRDDIM_ABSOLUTE);
1845         rrddim_add(stc, "machines_urls",  NULL,  1, 1, RRDDIM_ABSOLUTE);
1846     }
1847     else rrdset_next(stc);
1848
1849     rrddim_set(stc, "persons",       registry.persons_count);
1850     rrddim_set(stc, "machines",      registry.machines_count);
1851     rrddim_set(stc, "urls",          registry.urls_count);
1852     rrddim_set(stc, "persons_urls",  registry.persons_urls_count);
1853     rrddim_set(stc, "machines_urls", registry.machines_urls_count);
1854     rrdset_done(stc);
1855
1856     // ------------------------------------------------------------------------
1857
1858     if(!stm) stm = rrdset_find("netdata.registry_mem");
1859     if(!stm) {
1860         stm = rrdset_create("netdata", "registry_mem", NULL, "registry", NULL, "NetData Registry Memory", "KB", 131300, rrd_update_every, RRDSET_TYPE_STACKED);
1861
1862         rrddim_add(stm, "persons",        NULL,  1, 1024, RRDDIM_ABSOLUTE);
1863         rrddim_add(stm, "machines",       NULL,  1, 1024, RRDDIM_ABSOLUTE);
1864         rrddim_add(stm, "urls",           NULL,  1, 1024, RRDDIM_ABSOLUTE);
1865         rrddim_add(stm, "persons_urls",   NULL,  1, 1024, RRDDIM_ABSOLUTE);
1866         rrddim_add(stm, "machines_urls",  NULL,  1, 1024, RRDDIM_ABSOLUTE);
1867     }
1868     else rrdset_next(stm);
1869
1870     rrddim_set(stm, "persons",       registry.persons_memory + registry.persons_count * sizeof(NAME_VALUE) + sizeof(DICTIONARY));
1871     rrddim_set(stm, "machines",      registry.machines_memory + registry.machines_count * sizeof(NAME_VALUE) + sizeof(DICTIONARY));
1872     rrddim_set(stm, "urls",          registry.urls_memory + registry.urls_count * sizeof(NAME_VALUE) + sizeof(DICTIONARY));
1873     rrddim_set(stm, "persons_urls",  registry.persons_urls_memory + registry.persons_count * sizeof(DICTIONARY) + registry.persons_urls_count * sizeof(NAME_VALUE));
1874     rrddim_set(stm, "machines_urls", registry.machines_urls_memory + registry.machines_count * sizeof(DICTIONARY) + registry.machines_urls_count * sizeof(NAME_VALUE));
1875     rrdset_done(stm);
1876 }