Tor 0.4.9.0-alpha-dev
router.c
Go to the documentation of this file.
1/* Copyright (c) 2001 Matej Pfajfar.
2 * Copyright (c) 2001-2004, Roger Dingledine.
3 * Copyright (c) 2004-2006, Roger Dingledine, Nick Mathewson.
4 * Copyright (c) 2007-2021, The Tor Project, Inc. */
5/* See LICENSE for licensing information */
6
7#define ROUTER_PRIVATE
8
9#include "core/or/or.h"
10#include "app/config/config.h"
13#include "app/main/main.h"
17#include "core/or/policies.h"
18#include "core/or/protover.h"
38#include "feature/relay/dns.h"
46#include "lib/geoip/geoip.h"
56#include "lib/osinfo/uname.h"
57#include "lib/tls/tortls.h"
59
61
63#include "core/or/port_cfg_st.h"
72
73/**
74 * \file router.c
75 * \brief Miscellaneous relay functionality, including RSA key maintenance,
76 * generating and uploading server descriptors, picking an address to
77 * advertise, and so on.
78 *
79 * This module handles the job of deciding whether we are a Tor relay, and if
80 * so what kind. (Mostly through functions like server_mode() that inspect an
81 * or_options_t, but in some cases based on our own capabilities, such as when
82 * we are deciding whether to be a directory cache in
83 * router_has_bandwidth_to_be_dirserver().)
84 *
85 * Also in this module are the functions to generate our own routerinfo_t and
86 * extrainfo_t, and to encode those to signed strings for upload to the
87 * directory authorities.
88 *
89 * This module also handles key maintenance for RSA and Curve25519-ntor keys,
90 * and for our TLS context. (These functions should eventually move to
91 * routerkeys.c along with the code that handles Ed25519 keys now.)
92 **/
93
94/************************************************************/
95
96/*****
97 * Key management: ORs only.
98 *****/
99
100/** Private keys for this OR. There is also an SSL key managed by tortls.c.
101 */
103static time_t onionkey_set_at=0; /**< When was onionkey last changed? */
104/** Current private onionskin decryption key: used to decode CREATE cells. */
106/** Previous private onionskin decryption key: used to decode CREATE cells
107 * generated by clients that have an older version of our descriptor. */
109/** Current private ntor secret key: used to perform the ntor handshake. */
111/** Previous private ntor secret key: used to perform the ntor handshake
112 * with clients that have an older version of our descriptor. */
114/** Private server "identity key": used to sign directory info and TLS
115 * certificates. Never changes. */
117/** Digest of server_identitykey. */
119/** Private client "identity key": used to sign bridges' and clients'
120 * outbound TLS certificates. Regenerated on startup and on IP address
121 * change. */
123/** Signing key used for v3 directory material; only set for authorities. */
125/** Key certificate to authenticate v3 directory material; only set for
126 * authorities. */
128
129/** For emergency V3 authority key migration: An extra signing key that we use
130 * with our old (obsolete) identity key for a while. */
132/** For emergency V3 authority key migration: An extra certificate to
133 * authenticate legacy_signing_key with our obsolete identity key.*/
135
136/* (Note that v3 authorities also have a separate "authority identity key",
137 * but this key is never actually loaded by the Tor process. Instead, it's
138 * used by tor-gencert to sign new signing keys and make new key
139 * certificates. */
140
141/** Indicate if the IPv6 address should be omitted from the descriptor when
142 * publishing it. This can happen if the IPv4 is reachable but the
143 * auto-discovered IPv6 is not. We still publish the descriptor.
144 *
145 * Only relays should look at this and only for their descriptor.
146 *
147 * XXX: The real harder fix is to never put in the routerinfo_t a non
148 * reachable address and instead use the last resolved address cache to do
149 * reachability test or anything that has to do with what address tor thinks
150 * it has. */
151static bool omit_ipv6_on_publish = false;
152
153/** Return a readonly string with human readable description
154 * of <b>err</b>.
155 */
156const char *
158{
159 switch (err) {
160 case TOR_ROUTERINFO_ERROR_NO_EXT_ADDR:
161 return "No known exit address yet";
162 case TOR_ROUTERINFO_ERROR_CANNOT_PARSE:
163 return "Cannot parse descriptor";
164 case TOR_ROUTERINFO_ERROR_NOT_A_SERVER:
165 return "Not running in server mode";
166 case TOR_ROUTERINFO_ERROR_DIGEST_FAILED:
167 return "Key digest failed";
168 case TOR_ROUTERINFO_ERROR_CANNOT_GENERATE:
169 return "Cannot generate descriptor";
170 case TOR_ROUTERINFO_ERROR_DESC_REBUILDING:
171 return "Descriptor still rebuilding - not ready yet";
172 case TOR_ROUTERINFO_ERROR_INTERNAL_BUG:
173 return "Internal bug, see logs for details";
174 }
175
176 log_warn(LD_BUG, "unknown routerinfo error %d - shouldn't happen", err);
177 tor_assert_unreached();
178
179 return "Unknown error";
180}
181
182/** Return true if we expect given error to be transient.
183 * Return false otherwise.
184 */
185int
187{
188 /**
189 * For simplicity, we consider all errors other than
190 * "not a server" transient - see discussion on
191 * https://bugs.torproject.org/tpo/core/tor/27034.
192 */
193 return err != TOR_ROUTERINFO_ERROR_NOT_A_SERVER;
194}
195
196/** Replace the current onion key with <b>k</b>. Does not affect
197 * lastonionkey; to update lastonionkey correctly, call rotate_onion_key().
198 */
199static void
201{
203 /* k is already our onion key; free it and return */
204 crypto_pk_free(k);
205 return;
206 }
208 crypto_pk_free(onionkey);
209 onionkey = k;
211 mark_my_descriptor_dirty("set onion key");
212}
213
214/** Return the current onion key. Requires that the onion key has been
215 * loaded or generated. */
218{
220 return onionkey;
221}
222
223/** Store a full copy of the current onion key into *<b>key</b>, and a full
224 * copy of the most recent onion key into *<b>last</b>. Store NULL into
225 * a pointer if the corresponding key does not exist.
226 */
227void
229{
230 tor_assert(key);
231 tor_assert(last);
233 if (onionkey)
235 else
236 *key = NULL;
237 if (lastonionkey)
239 else
240 *last = NULL;
242}
243
244/** Expire our old set of onion keys. This is done by setting
245 * last_curve25519_onion_key and lastonionkey to all zero's and NULL
246 * respectively.
247 *
248 * This function does not perform any grace period checks for the old onion
249 * keys.
250 */
251void
253{
254 char *fname = NULL;
255
257
258 /* Free lastonionkey and set it to NULL. */
259 if (lastonionkey) {
260 crypto_pk_free(lastonionkey);
261 lastonionkey = NULL;
262 }
263
264 /* We zero out the keypair. See the fast_mem_is_zero() check made in
265 * construct_ntor_key_map() below. */
267
269
270 fname = get_keydir_fname("secret_onion_key.old");
271 if (file_status(fname) == FN_FILE) {
272 if (tor_unlink(fname) != 0) {
273 log_warn(LD_FS, "Couldn't unlink old onion key file %s: %s",
274 fname, strerror(errno));
275 }
276 }
277 tor_free(fname);
278
279 fname = get_keydir_fname("secret_onion_key_ntor.old");
280 if (file_status(fname) == FN_FILE) {
281 if (tor_unlink(fname) != 0) {
282 log_warn(LD_FS, "Couldn't unlink old ntor onion key file %s: %s",
283 fname, strerror(errno));
284 }
285 }
286 tor_free(fname);
287}
288
289/** Return the current secret onion key for the ntor handshake. Must only
290 * be called from the main thread. */
293{
294 return &curve25519_onion_key;
295}
296
297/** Return a map from KEYID (the key itself) to keypairs for use in the ntor
298 * handshake. Must only be called from the main thread. */
301{
302 di_digest256_map_t *m = NULL;
303
304 const uint8_t *cur_pk = curve25519_onion_key.pubkey.public_key;
305 const uint8_t *last_pk = last_curve25519_onion_key.pubkey.public_key;
306
307 if (!fast_mem_is_zero((const char *)cur_pk, CURVE25519_PUBKEY_LEN)) {
308 dimap_add_entry(&m, cur_pk,
309 tor_memdup(&curve25519_onion_key,
310 sizeof(curve25519_keypair_t)));
311 }
312 if (!fast_mem_is_zero((const char*)last_pk, CURVE25519_PUBKEY_LEN) &&
313 tor_memneq(cur_pk, last_pk, CURVE25519_PUBKEY_LEN)) {
314 dimap_add_entry(&m, last_pk,
315 tor_memdup(&last_curve25519_onion_key,
316 sizeof(curve25519_keypair_t)));
317 }
318
319 return m;
320}
321/** Helper used to deallocate a di_digest256_map_t returned by
322 * construct_ntor_key_map. */
323static void
325{
326 curve25519_keypair_t *k = arg;
327 memwipe(k, 0, sizeof(*k));
328 tor_free(k);
329}
330/** Release all storage from a keymap returned by construct_ntor_key_map. */
331void
333{
334 if (!map)
335 return;
337}
338
339/** Return the time when the onion key was last set. This is either the time
340 * when the process launched, or the time of the most recent key rotation since
341 * the process launched.
342 */
343time_t
345{
346 return onionkey_set_at;
347}
348
349/** Set the current server identity key to <b>k</b>.
350 */
351void
353{
354 crypto_pk_free(server_identitykey);
358 log_err(LD_BUG, "Couldn't compute our own identity key digest.");
359 tor_assert(0);
360 }
361}
362
363#ifdef TOR_UNIT_TESTS
364/** Testing only -- set the server's RSA identity digest to
365 * be <b>digest</b> */
366void
367set_server_identity_key_digest_testing(const uint8_t *digest)
368{
369 memcpy(server_identitykey_digest, digest, DIGEST_LEN);
370}
371#endif /* defined(TOR_UNIT_TESTS) */
372
373/** Make sure that we have set up our identity keys to match or not match as
374 * appropriate, and die with an assertion if we have not. */
375static void
377{
378 if (1)
379 return;
382 /* assert that we have set the client and server keys to be equal */
385 } else {
386 /* assert that we have set the client and server keys to be unequal */
389 }
390}
391
392#ifdef HAVE_MODULE_RELAY
393
394/** Returns the current server identity key; requires that the key has
395 * been set, and that we are running as a Tor server.
396 */
398get_server_identity_key,(void))
399{
404 return server_identitykey;
405}
406
407#endif /* defined(HAVE_MODULE_RELAY) */
408
409/** Return true iff we are a server and the server identity key
410 * has been set. */
411int
413{
414 return (server_mode(get_options()) ||
416 server_identitykey != NULL;
417}
418
419/** Set the current client identity key to <b>k</b>.
420 */
421void
423{
424 crypto_pk_free(client_identitykey);
426}
427
428/** Returns the current client identity key for use on outgoing TLS
429 * connections; requires that the key has been set.
430 */
433{
436 return client_identitykey;
437}
438
439/** Return true iff the client identity key has been set. */
440int
442{
443 return client_identitykey != NULL;
444}
445
446/** Return the key certificate for this v3 (voting) authority, or NULL
447 * if we have no such certificate. */
450{
452}
453
454/** Return the v3 signing key for this v3 (voting) authority, or NULL
455 * if we have no such key. */
458{
460}
461
462/** If we're an authority, and we're using a legacy authority identity key for
463 * emergency migration purposes, return the certificate associated with that
464 * key. */
467{
469}
470
471/** If we're an authority, and we're using a legacy authority identity key for
472 * emergency migration purposes, return that key. */
475{
476 return legacy_signing_key;
477}
478
479/** Replace the previous onion key with the current onion key, and generate
480 * a new previous onion key. Immediately after calling this function,
481 * the OR should:
482 * - schedule all previous cpuworkers to shut down _after_ processing
483 * pending work. (This will cause fresh cpuworkers to be generated.)
484 * - generate and upload a fresh routerinfo.
485 *
486 * Return true on success, else false on error.
487 */
488bool
490{
491 char *fname, *fname_prev;
492 crypto_pk_t *prkey = NULL;
493 or_state_t *state = get_or_state();
494 curve25519_keypair_t new_curve25519_keypair;
495 time_t now;
496 bool result = false;
497 fname = get_keydir_fname("secret_onion_key");
498 fname_prev = get_keydir_fname("secret_onion_key.old");
499 /* There isn't much point replacing an old key with an empty file */
500 if (file_status(fname) == FN_FILE) {
501 if (replace_file(fname, fname_prev))
502 goto error;
503 }
504 if (!(prkey = crypto_pk_new())) {
505 log_err(LD_GENERAL,"Error constructing rotated onion key");
506 goto error;
507 }
508 if (crypto_pk_generate_key(prkey)) {
509 log_err(LD_BUG,"Error generating onion key");
510 goto error;
511 }
512 if (crypto_pk_write_private_key_to_filename(prkey, fname)) {
513 log_err(LD_FS,"Couldn't write generated onion key to \"%s\".", fname);
514 goto error;
515 }
516 tor_free(fname);
517 tor_free(fname_prev);
518 fname = get_keydir_fname("secret_onion_key_ntor");
519 fname_prev = get_keydir_fname("secret_onion_key_ntor.old");
520 if (curve25519_keypair_generate(&new_curve25519_keypair, 1) < 0)
521 goto error;
522 /* There isn't much point replacing an old key with an empty file */
523 if (file_status(fname) == FN_FILE) {
524 if (replace_file(fname, fname_prev))
525 goto error;
526 }
527 if (curve25519_keypair_write_to_file(&new_curve25519_keypair, fname,
528 "onion") < 0) {
529 log_err(LD_FS,"Couldn't write curve25519 onion key to \"%s\".",fname);
530 goto error;
531 }
532 log_info(LD_GENERAL, "Rotating onion key");
534 crypto_pk_free(lastonionkey);
536 onionkey = prkey;
538 sizeof(curve25519_keypair_t));
539 memcpy(&curve25519_onion_key, &new_curve25519_keypair,
540 sizeof(curve25519_keypair_t));
541 now = time(NULL);
544 mark_my_descriptor_dirty("rotated onion key");
545 or_state_mark_dirty(state, get_options()->AvoidDiskWrites ? now+3600 : 0);
546 result = true;
547 goto done;
548 error:
549 log_warn(LD_GENERAL, "Couldn't rotate onion key.");
550 if (prkey)
551 crypto_pk_free(prkey);
552 done:
553 memwipe(&new_curve25519_keypair, 0, sizeof(new_curve25519_keypair));
554 tor_free(fname);
555 tor_free(fname_prev);
556 return result;
557}
558
559/** Log greeting message that points to new relay lifecycle document the
560 * first time this function has been called.
561 */
562static void
564{
565 static int already_logged = 0;
566
567 if (already_logged)
568 return;
569
570 tor_log(LOG_NOTICE, LD_GENERAL, "You are running a new relay. "
571 "Thanks for helping the Tor network! If you wish to know "
572 "what will happen in the upcoming weeks regarding its usage, "
573 "have a look at https://blog.torproject.org/lifecycle-of-a"
574 "-new-relay");
575
576 already_logged = 1;
577}
578
579/** Load a curve25519 keypair from the file <b>fname</b>, writing it into
580 * <b>keys_out</b>. If the file isn't found, or is empty, and <b>generate</b>
581 * is true, create a new keypair and write it into the file. If there are
582 * errors, log them at level <b>severity</b>. Generate files using <b>tag</b>
583 * in their ASCII wrapper. */
584static int
586 const char *fname,
587 int generate,
588 int severity,
589 const char *tag)
590{
591 switch (file_status(fname)) {
592 case FN_DIR:
593 case FN_ERROR:
594 tor_log(severity, LD_FS,"Can't read key from \"%s\"", fname);
595 goto error;
596 /* treat empty key files as if the file doesn't exist, and, if generate
597 * is set, replace the empty file in curve25519_keypair_write_to_file() */
598 case FN_NOENT:
599 case FN_EMPTY:
600 if (generate) {
601 if (!have_lockfile()) {
602 if (try_locking(get_options(), 0)<0) {
603 /* Make sure that --list-fingerprint only creates new keys
604 * if there is no possibility for a deadlock. */
605 tor_log(severity, LD_FS, "Another Tor process has locked \"%s\". "
606 "Not writing any new keys.", fname);
607 /*XXXX The 'other process' might make a key in a second or two;
608 * maybe we should wait for it. */
609 goto error;
610 }
611 }
612 log_info(LD_GENERAL, "No key found in \"%s\"; generating fresh key.",
613 fname);
614 if (curve25519_keypair_generate(keys_out, 1) < 0)
615 goto error;
616 if (curve25519_keypair_write_to_file(keys_out, fname, tag)<0) {
617 tor_log(severity, LD_FS,
618 "Couldn't write generated key to \"%s\".", fname);
619 memwipe(keys_out, 0, sizeof(*keys_out));
620 goto error;
621 }
622 } else {
623 log_info(LD_GENERAL, "No key found in \"%s\"", fname);
624 }
625 return 0;
626 case FN_FILE:
627 {
628 char *tag_in=NULL;
629 if (curve25519_keypair_read_from_file(keys_out, &tag_in, fname) < 0) {
630 tor_log(severity, LD_GENERAL,"Error loading private key.");
631 tor_free(tag_in);
632 goto error;
633 }
634 if (!tag_in || strcmp(tag_in, tag)) {
635 tor_log(severity, LD_GENERAL,"Unexpected tag %s on private key.",
636 escaped(tag_in));
637 tor_free(tag_in);
638 goto error;
639 }
640 tor_free(tag_in);
641 return 0;
642 }
643 default:
644 tor_assert(0);
645 }
646
647 error:
648 return -1;
649}
650
651/** Try to load the vote-signing private key and certificate for being a v3
652 * directory authority, and make sure they match. If <b>legacy</b>, load a
653 * legacy key/cert set for emergency key migration; otherwise load the regular
654 * key/cert set. On success, store them into *<b>key_out</b> and
655 * *<b>cert_out</b> respectively, and return 0. On failure, return -1. */
656static int
657load_authority_keyset(int legacy, crypto_pk_t **key_out,
658 authority_cert_t **cert_out)
659{
660 int r = -1;
661 char *fname = NULL, *cert = NULL;
662 const char *eos = NULL;
663 crypto_pk_t *signing_key = NULL;
664 authority_cert_t *parsed = NULL;
665
666 fname = get_keydir_fname(
667 legacy ? "legacy_signing_key" : "authority_signing_key");
668 signing_key = init_key_from_file(fname, 0, LOG_ERR, NULL);
669 if (!signing_key) {
670 log_warn(LD_DIR, "No version 3 directory key found in %s", fname);
671 goto done;
672 }
673 tor_free(fname);
674 fname = get_keydir_fname(
675 legacy ? "legacy_certificate" : "authority_certificate");
676 cert = read_file_to_str(fname, 0, NULL);
677 if (!cert) {
678 log_warn(LD_DIR, "Signing key found, but no certificate found in %s",
679 fname);
680 goto done;
681 }
682 parsed = authority_cert_parse_from_string(cert, strlen(cert), &eos);
683 if (!parsed) {
684 log_warn(LD_DIR, "Unable to parse certificate in %s", fname);
685 goto done;
686 }
687 if (!crypto_pk_eq_keys(signing_key, parsed->signing_key)) {
688 log_warn(LD_DIR, "Stored signing key does not match signing key in "
689 "certificate");
690 goto done;
691 }
692
693 crypto_pk_free(*key_out);
694 authority_cert_free(*cert_out);
695
696 *key_out = signing_key;
697 *cert_out = parsed;
698 r = 0;
699 signing_key = NULL;
700 parsed = NULL;
701
702 done:
703 tor_free(fname);
704 tor_free(cert);
705 crypto_pk_free(signing_key);
706 authority_cert_free(parsed);
707 return r;
708}
709
710/** Load the v3 (voting) authority signing key and certificate, if they are
711 * present. Return -1 if anything is missing, mismatched, or unloadable;
712 * return 0 on success. */
713static int
715{
718 return -1;
719
720 if (get_options()->V3AuthUseLegacyKey &&
723 return -1;
724
725 return 0;
726}
727
728/** If we're a v3 authority, check whether we have a certificate that's
729 * likely to expire soon. Warn if we do, but not too often. */
730void
732{
733 time_t now, expires;
734 static time_t last_warned = 0;
735 int badness, time_left, warn_interval;
736 if (!authdir_mode_v3(get_options()) || !authority_key_certificate)
737 return;
738
739 now = time(NULL);
741 time_left = (int)( expires - now );
742 if (time_left <= 0) {
743 badness = LOG_ERR;
744 warn_interval = 60*60;
745 } else if (time_left <= 24*60*60) {
746 badness = LOG_WARN;
747 warn_interval = 60*60;
748 } else if (time_left <= 24*60*60*7) {
749 badness = LOG_WARN;
750 warn_interval = 24*60*60;
751 } else if (time_left <= 24*60*60*30) {
752 badness = LOG_WARN;
753 warn_interval = 24*60*60*5;
754 } else {
755 return;
756 }
757
758 if (last_warned + warn_interval > now)
759 return;
760
761 if (time_left <= 0) {
762 tor_log(badness, LD_DIR, "Your v3 authority certificate has expired."
763 " Generate a new one NOW.");
764 } else if (time_left <= 24*60*60) {
765 tor_log(badness, LD_DIR, "Your v3 authority certificate expires in %d "
766 "hours; Generate a new one NOW.", time_left/(60*60));
767 } else {
768 tor_log(badness, LD_DIR, "Your v3 authority certificate expires in %d "
769 "days; Generate a new one soon.", time_left/(24*60*60));
770 }
771 last_warned = now;
772}
773
774/** Get the lifetime of an onion key in days. This value is defined by the
775 * network consensus parameter "onion-key-rotation-days". Always returns a
776 * value between <b>MIN_ONION_KEY_LIFETIME_DAYS</b> and
777 * <b>MAX_ONION_KEY_LIFETIME_DAYS</b>.
778 */
779static int
781{
782 return networkstatus_get_param(NULL,
783 "onion-key-rotation-days",
787}
788
789/** Get the current lifetime of an onion key in seconds. This value is defined
790 * by the network consensus parameter "onion-key-rotation-days", but the value
791 * is converted to seconds.
792 */
793int
795{
796 return get_onion_key_rotation_days_()*24*60*60;
797}
798
799/** Get the grace period of an onion key in seconds. This value is defined by
800 * the network consensus parameter "onion-key-grace-period-days", but the value
801 * is converted to seconds.
802 */
803int
805{
806 int grace_period;
807 grace_period = networkstatus_get_param(NULL,
808 "onion-key-grace-period-days",
812 return grace_period*24*60*60;
813}
814
815/** Set up Tor's TLS contexts, based on our configuration and keys. Return 0
816 * on success, and -1 on failure. */
817int
819{
820 unsigned int flags = 0;
821 const or_options_t *options = get_options();
822 int lifetime = options->SSLKeyLifetime;
823 if (public_server_mode(options))
824 flags |= TOR_TLS_CTX_IS_PUBLIC_SERVER;
825 if (!lifetime) { /* we should guess a good ssl cert lifetime */
826
827 /* choose between 5 and 365 days, and round to the day */
828 unsigned int five_days = 5*24*3600;
829 unsigned int one_year = 365*24*3600;
830 lifetime = crypto_rand_int_range(five_days, one_year);
831 lifetime -= lifetime % (24*3600);
832
833 if (crypto_rand_int(2)) {
834 /* Half the time we expire at midnight, and half the time we expire
835 * one second before midnight. (Some CAs wobble their expiry times a
836 * bit in practice, perhaps to reduce collision attacks; see ticket
837 * 8443 for details about observed certs in the wild.) */
838 lifetime--;
839 }
840 }
841
842 /* It's ok to pass lifetime in as an unsigned int, since
843 * config_parse_interval() checked it. */
844 return tor_tls_context_init(flags,
846 server_mode(options) ?
847 get_server_identity_key() : NULL,
848 (unsigned int)lifetime);
849}
850
851/** Announce URL to bridge status page. */
852STATIC void
854{
855 char fingerprint[FINGERPRINT_LEN + 1];
856
857 if (crypto_pk_get_hashed_fingerprint(get_server_identity_key(),
858 fingerprint) < 0) {
859 // LCOV_EXCL_START
860 log_err(LD_GENERAL, "Unable to compute bridge fingerprint");
861 return;
862 // LCOV_EXCL_STOP
863 }
864
865 log_notice(LD_GENERAL, "You can check the status of your bridge relay at "
866 "https://bridges.torproject.org/status?id=%s",
867 fingerprint);
868}
869
870/** Compute fingerprint (or hashed fingerprint if hashed is 1) and write
871 * it to 'fingerprint' (or 'hashed-fingerprint'). Return 0 on success, or
872 * -1 if Tor should die,
873 */
874STATIC int
875router_write_fingerprint(int hashed, int ed25519_identity)
876{
877 char *keydir = NULL;
878 const char *fname = hashed ? "hashed-fingerprint" :
879 (ed25519_identity ? "fingerprint-ed25519" :
880 "fingerprint");
881 char fingerprint[FINGERPRINT_LEN+1];
882 const or_options_t *options = get_options();
883 char *fingerprint_line = NULL;
884 int result = -1;
885
886 keydir = get_datadir_fname(fname);
887 log_info(LD_GENERAL,"Dumping %s%s to \"%s\"...", hashed ? "hashed " : "",
888 ed25519_identity ? "ed25519 identity" : "fingerprint", keydir);
889
890 if (ed25519_identity) { /* ed25519 identity */
891 digest256_to_base64(fingerprint, (const char *)
892 get_master_identity_key()->pubkey);
893 } else { /* RSA identity */
894 if (!hashed) {
895 if (crypto_pk_get_fingerprint(get_server_identity_key(),
896 fingerprint, 0) < 0) {
897 log_err(LD_GENERAL,"Error computing fingerprint");
898 goto done;
899 }
900 } else {
901 if (crypto_pk_get_hashed_fingerprint(get_server_identity_key(),
902 fingerprint) < 0) {
903 log_err(LD_GENERAL,"Error computing hashed fingerprint");
904 goto done;
905 }
906 }
907 }
908
909 tor_asprintf(&fingerprint_line, "%s %s\n", options->Nickname, fingerprint);
910
911 /* Check whether we need to write the (hashed-)fingerprint file. */
912 if (write_str_to_file_if_not_equal(keydir, fingerprint_line)) {
913 log_err(LD_FS, "Error writing %s%s line to file",
914 hashed ? "hashed " : "",
915 ed25519_identity ? "ed25519 identity" : "fingerprint");
916 goto done;
917 }
918
919 log_notice(LD_GENERAL, "Your Tor %s identity key %sfingerprint is '%s %s'",
920 hashed ? "bridge's hashed" : "server's",
921 ed25519_identity ? "ed25519 " : "",
922 options->Nickname, fingerprint);
923
924 result = 0;
925 done:
926 tor_free(keydir);
927 tor_free(fingerprint_line);
928 return result;
929}
930
931static int
932init_keys_common(void)
933{
934 if (!key_lock)
936
937 return 0;
938}
939
940int
941init_keys_client(void)
942{
943 crypto_pk_t *prkey;
944 if (init_keys_common() < 0)
945 return -1;
946
947 if (!(prkey = crypto_pk_new()))
948 return -1;
949 if (crypto_pk_generate_key(prkey)) {
950 crypto_pk_free(prkey);
951 return -1;
952 }
954 /* Create a TLS context. */
956 log_err(LD_GENERAL,"Error creating TLS context for Tor client.");
957 return -1;
958 }
959 return 0;
960}
961
962/** Initialize all OR private keys, and the TLS context, as necessary.
963 * On OPs, this only initializes the tls context. Return 0 on success,
964 * or -1 if Tor should die.
965 */
966int
968{
969 char *keydir;
970 const char *mydesc;
971 crypto_pk_t *prkey;
972 char digest[DIGEST_LEN];
973 char v3_digest[DIGEST_LEN];
974 const or_options_t *options = get_options();
975 dirinfo_type_t type;
976 time_t now = time(NULL);
977 dir_server_t *ds;
978 int v3_digest_set = 0;
979 authority_cert_t *cert = NULL;
980
981 /* OP's don't need persistent keys; just make up an identity and
982 * initialize the TLS context. */
983 if (!server_mode(options) && !(options->command == CMD_KEY_EXPIRATION)) {
984 return init_keys_client();
985 }
986 if (init_keys_common() < 0)
987 return -1;
988
989 if (create_keys_directory(options) < 0)
990 return -1;
991
992 /* 1a. Read v3 directory authority key/cert information. */
993 memset(v3_digest, 0, sizeof(v3_digest));
994 if (authdir_mode_v3(options)) {
995 if (init_v3_authority_keys()<0) {
996 log_err(LD_GENERAL, "We're configured as a V3 authority, but we "
997 "were unable to load our v3 authority keys and certificate! "
998 "Use tor-gencert to generate them. Dying.");
999 return -1;
1000 }
1001 cert = get_my_v3_authority_cert();
1002 if (cert) {
1004 v3_digest) < 0) {
1005 log_err(LD_BUG, "Couldn't compute my v3 authority identity key "
1006 "digest.");
1007 return -1;
1008 }
1009 v3_digest_set = 1;
1010 }
1011 }
1012
1013 /* 1b. Read identity key. Make it if none is found. */
1014 keydir = get_keydir_fname("secret_id_key");
1015 log_info(LD_GENERAL,"Reading/making identity key \"%s\"...",keydir);
1016 bool created = false;
1017 prkey = init_key_from_file(keydir, 1, LOG_ERR, &created);
1018 tor_free(keydir);
1019 if (!prkey) return -1;
1020 if (created)
1023
1024 /* 1c. If we are configured as a bridge, generate a client key;
1025 * otherwise, set the server identity key as our client identity
1026 * key. */
1027 if (public_server_mode(options)) {
1028 set_client_identity_key(crypto_pk_dup_key(prkey)); /* set above */
1029 } else {
1030 if (!(prkey = crypto_pk_new()))
1031 return -1;
1032 if (crypto_pk_generate_key(prkey)) {
1033 crypto_pk_free(prkey);
1034 return -1;
1035 }
1037 }
1038
1039 /* 1d. Load all ed25519 keys */
1040 const int new_signing_key = load_ed_keys(options,now);
1041 if (new_signing_key < 0)
1042 return -1;
1043
1044 /* 2. Read onion key. Make it if none is found. */
1045 keydir = get_keydir_fname("secret_onion_key");
1046 log_info(LD_GENERAL,"Reading/making onion key \"%s\"...",keydir);
1047 prkey = init_key_from_file(keydir, 1, LOG_ERR, &created);
1048 if (created)
1050 tor_free(keydir);
1051 if (!prkey) return -1;
1052 set_onion_key(prkey);
1053 if (options->command == CMD_RUN_TOR) {
1054 /* only mess with the state file if we're actually running Tor */
1055 or_state_t *state = get_or_state();
1056 if (state->LastRotatedOnionKey > 100 && state->LastRotatedOnionKey < now) {
1057 /* We allow for some parsing slop, but we don't want to risk accepting
1058 * values in the distant future. If we did, we might never rotate the
1059 * onion key. */
1061 } else {
1062 /* We have no LastRotatedOnionKey set; either we just created the key
1063 * or it's a holdover from 0.1.2.4-alpha-dev or earlier. In either case,
1064 * start the clock ticking now so that we will eventually rotate it even
1065 * if we don't stay up for the full lifetime of an onion key. */
1066 state->LastRotatedOnionKey = onionkey_set_at = now;
1067 or_state_mark_dirty(state, options->AvoidDiskWrites ?
1068 time(NULL)+3600 : 0);
1069 }
1070 }
1071
1072 keydir = get_keydir_fname("secret_onion_key.old");
1073 if (!lastonionkey && file_status(keydir) == FN_FILE) {
1074 /* Load keys from non-empty files only.
1075 * Missing old keys won't be replaced with freshly generated keys. */
1076 prkey = init_key_from_file(keydir, 0, LOG_ERR, 0);
1077 if (prkey)
1078 lastonionkey = prkey;
1079 }
1080 tor_free(keydir);
1081
1082 {
1083 /* 2b. Load curve25519 onion keys. */
1084 int r;
1085 keydir = get_keydir_fname("secret_onion_key_ntor");
1087 keydir, 1, LOG_ERR, "onion");
1088 tor_free(keydir);
1089 if (r<0)
1090 return -1;
1091
1092 keydir = get_keydir_fname("secret_onion_key_ntor.old");
1093 if (fast_mem_is_zero((const char *)
1094 last_curve25519_onion_key.pubkey.public_key,
1096 file_status(keydir) == FN_FILE) {
1097 /* Load keys from non-empty files only.
1098 * Missing old keys won't be replaced with freshly generated keys. */
1100 keydir, 0, LOG_ERR, "onion");
1101 }
1102 tor_free(keydir);
1103 }
1104
1105 /* 3. Initialize link key and TLS context. */
1107 log_err(LD_GENERAL,"Error initializing TLS context");
1108 return -1;
1109 }
1110
1111 /* 3b. Get an ed25519 link certificate. Note that we need to do this
1112 * after we set up the TLS context */
1113 if (generate_ed_link_cert(options, now, new_signing_key > 0) < 0) {
1114 log_err(LD_GENERAL,"Couldn't make link cert");
1115 return -1;
1116 }
1117
1118 /* 4. Build our router descriptor. */
1119 /* Must be called after keys are initialized. */
1120 mydesc = router_get_my_descriptor();
1121 if (authdir_mode_v3(options)) {
1122 const char *m = NULL;
1123 routerinfo_t *ri;
1124 /* We need to add our own fingerprint and ed25519 key so it gets
1125 * recognized. */
1126 if (dirserv_add_own_fingerprint(get_server_identity_key(),
1127 get_master_identity_key())) {
1128 log_err(LD_GENERAL,"Error adding own fingerprint to set of relays");
1129 return -1;
1130 }
1131 if (mydesc) {
1132 was_router_added_t added;
1133 ri = router_parse_entry_from_string(mydesc, NULL, 1, 0, NULL, NULL);
1134 if (!ri) {
1135 log_err(LD_GENERAL,"Generated a routerinfo we couldn't parse.");
1136 return -1;
1137 }
1138 added = dirserv_add_descriptor(ri, &m, "self");
1139 if (!WRA_WAS_ADDED(added)) {
1140 if (!WRA_WAS_OUTDATED(added)) {
1141 log_err(LD_GENERAL, "Unable to add own descriptor to directory: %s",
1142 m?m:"<unknown error>");
1143 return -1;
1144 } else {
1145 /* If the descriptor was outdated, that's ok. This can happen
1146 * when some config options are toggled that affect workers, but
1147 * we don't really need new keys yet so the descriptor doesn't
1148 * change and the old one is still fresh. */
1149 log_info(LD_GENERAL, "Couldn't add own descriptor to directory "
1150 "after key init: %s This is usually not a problem.",
1151 m?m:"<unknown error>");
1152 }
1153 }
1154 }
1155 }
1156
1157 /* 5. Dump fingerprint, ed25519 identity and possibly hashed fingerprint
1158 * to files. */
1159 if (router_write_fingerprint(0, 0)) {
1160 log_err(LD_FS, "Error writing fingerprint to file");
1161 return -1;
1162 }
1163 if (!public_server_mode(options) && router_write_fingerprint(1, 0)) {
1164 log_err(LD_FS, "Error writing hashed fingerprint to file");
1165 return -1;
1166 }
1167 if (router_write_fingerprint(0, 1)) {
1168 log_err(LD_FS, "Error writing ed25519 identity to file");
1169 return -1;
1170 }
1171
1172 /* Display URL to bridge status page. */
1173 if (! public_server_mode(options))
1175
1176 if (!authdir_mode(options))
1177 return 0;
1178 /* 6. [authdirserver only] load approved-routers file */
1180 log_err(LD_GENERAL,"Error loading fingerprints");
1181 return -1;
1182 }
1183 /* 6b. [authdirserver only] add own key to approved directories. */
1184 crypto_pk_get_digest(get_server_identity_key(), digest);
1185 type = ((options->V3AuthoritativeDir ?
1187 (options->BridgeAuthoritativeDir ? BRIDGE_DIRINFO : NO_DIRINFO));
1188
1190 if (!ds) {
1191 tor_addr_port_t ipv6_orport;
1192 routerconf_find_ipv6_or_ap(options, &ipv6_orport);
1193 ds = trusted_dir_server_new(options->Nickname, NULL,
1194 routerconf_find_dir_port(options, 0),
1195 routerconf_find_or_port(options,AF_INET),
1196 &ipv6_orport,
1197 digest,
1198 v3_digest,
1199 type, 0.0);
1200 if (!ds) {
1201 log_err(LD_GENERAL,"We want to be a directory authority, but we "
1202 "couldn't add ourselves to the authority list. Failing.");
1203 return -1;
1204 }
1205 dir_server_add(ds);
1206 }
1207 if (ds->type != type) {
1208 log_warn(LD_DIR, "Configured authority type does not match authority "
1209 "type in DirAuthority list. Adjusting. (%d v %d)",
1210 type, ds->type);
1211 ds->type = type;
1212 }
1213 if (v3_digest_set && (ds->type & V3_DIRINFO) &&
1214 tor_memneq(v3_digest, ds->v3_identity_digest, DIGEST_LEN)) {
1215 log_warn(LD_DIR, "V3 identity key does not match identity declared in "
1216 "DirAuthority line. Adjusting.");
1217 memcpy(ds->v3_identity_digest, v3_digest, DIGEST_LEN);
1218 }
1219
1220 if (cert) { /* add my own cert to the list of known certs */
1221 log_info(LD_DIR, "adding my own v3 cert");
1224 TRUSTED_DIRS_CERTS_SRC_SELF, 0,
1225 NULL)<0) {
1226 log_warn(LD_DIR, "Unable to parse my own v3 cert! Failing.");
1227 return -1;
1228 }
1229 }
1230
1231 return 0; /* success */
1232}
1233
1234/** The lower threshold of remaining bandwidth required to advertise (or
1235 * automatically provide) directory services */
1236/* XXX Should this be increased? */
1237#define MIN_BW_TO_ADVERTISE_DIRSERVER 51200
1238
1239/** Return true iff we have enough configured bandwidth to advertise or
1240 * automatically provide directory services from cache directory
1241 * information. */
1242int
1244{
1246 return 0;
1247 }
1248 if (options->RelayBandwidthRate > 0 &&
1250 return 0;
1251 }
1252 return 1;
1253}
1254
1255/** Helper: Return 1 if we have sufficient resources for serving directory
1256 * requests, return 0 otherwise.
1257 * dir_port is either 0 or the configured DirPort number.
1258 * If AccountingMax is set less than our advertised bandwidth, then don't
1259 * serve requests. Likewise, if our advertised bandwidth is less than
1260 * MIN_BW_TO_ADVERTISE_DIRSERVER, don't bother trying to serve requests.
1261 */
1262static int
1263router_should_be_dirserver(const or_options_t *options, int dir_port)
1264{
1265 static int advertising=1; /* start out assuming we will advertise */
1266 int new_choice=1;
1267 const char *reason = NULL;
1268
1269 if (accounting_is_enabled(options) &&
1270 get_options()->AccountingRule != ACCT_IN) {
1271 /* Don't spend bytes for directory traffic if we could end up hibernating,
1272 * but allow DirPort otherwise. Some relay operators set AccountingMax
1273 * because they're confused or to get statistics. Directory traffic has a
1274 * much larger effect on output than input so there is no reason to turn it
1275 * off if using AccountingRule in. */
1276 int interval_length = accounting_get_interval_length();
1277 uint32_t effective_bw = relay_get_effective_bwrate(options);
1278 uint64_t acc_bytes;
1279 if (!interval_length) {
1280 log_warn(LD_BUG, "An accounting interval is not allowed to be zero "
1281 "seconds long. Raising to 1.");
1282 interval_length = 1;
1283 }
1284 log_info(LD_GENERAL, "Calculating whether to advertise %s: effective "
1285 "bwrate: %u, AccountingMax: %"PRIu64", "
1286 "accounting interval length %d",
1287 dir_port ? "dirport" : "begindir",
1288 effective_bw, (options->AccountingMax),
1289 interval_length);
1290
1291 acc_bytes = options->AccountingMax;
1292 if (get_options()->AccountingRule == ACCT_SUM)
1293 acc_bytes /= 2;
1294 if (effective_bw >=
1295 acc_bytes / interval_length) {
1296 new_choice = 0;
1297 reason = "AccountingMax enabled";
1298 }
1299 } else if (! router_has_bandwidth_to_be_dirserver(options)) {
1300 /* if we're advertising a small amount */
1301 new_choice = 0;
1302 reason = "BandwidthRate under 50KB";
1303 }
1304
1305 if (advertising != new_choice) {
1306 if (new_choice == 1) {
1307 if (dir_port > 0)
1308 log_notice(LD_DIR, "Advertising DirPort as %d", dir_port);
1309 else
1310 log_notice(LD_DIR, "Advertising directory service support");
1311 } else {
1312 tor_assert(reason);
1313 log_notice(LD_DIR, "Not advertising Dir%s (Reason: %s)",
1314 dir_port ? "Port" : "ectory Service support", reason);
1315 }
1316 advertising = new_choice;
1317 }
1318
1319 return advertising;
1320}
1321
1322/** Look at a variety of factors, and return 0 if we don't want to
1323 * advertise the fact that we have a DirPort open or begindir support, else
1324 * return 1.
1325 *
1326 * Where dir_port or supports_tunnelled_dir_requests are not relevant, they
1327 * must be 0.
1328 *
1329 * Log a helpful message if we change our mind about whether to publish.
1330 */
1331static int
1333 uint16_t dir_port,
1334 int supports_tunnelled_dir_requests)
1335{
1336 /* Part one: reasons to publish or not publish that aren't
1337 * worth mentioning to the user, either because they're obvious
1338 * or because they're normal behavior. */
1339
1340 /* short circuit the rest of the function */
1341 if (!dir_port && !supports_tunnelled_dir_requests)
1342 return 0;
1343 if (authdir_mode(options)) /* always publish */
1344 return 1;
1345 if (net_is_disabled())
1346 return 0;
1347 if (dir_port && !routerconf_find_dir_port(options, dir_port))
1348 return 0;
1349 if (supports_tunnelled_dir_requests &&
1350 !routerconf_find_or_port(options, AF_INET))
1351 return 0;
1352
1353 /* Part two: consider config options that could make us choose to
1354 * publish or not publish that the user might find surprising. */
1355 return router_should_be_dirserver(options, dir_port);
1356}
1357
1358/** Front-end to decide_to_advertise_dir_impl(): return 0 if we don't want to
1359 * advertise the fact that we have a DirPort open, else return the
1360 * DirPort we want to advertise.
1361 */
1362int
1363router_should_advertise_dirport(const or_options_t *options, uint16_t dir_port)
1364{
1365 /* Only authorities should advertise a DirPort now. */
1366 return authdir_mode(options) ? dir_port : 0;
1367}
1368
1369/** Front-end to decide_to_advertise_dir_impl(): return 0 if we don't want to
1370 * advertise the fact that we support begindir requests, else return 1.
1371 */
1372static int
1374 int supports_tunnelled_dir_requests)
1375{
1376 /* dir_port is not relevant, pass 0 */
1377 return decide_to_advertise_dir_impl(options, 0,
1378 supports_tunnelled_dir_requests);
1379}
1380
1381/** Return true iff the combination of options in <b>options</b> and parameters
1382 * in the consensus mean that we don't want to allow exits from circuits
1383 * we got from addresses not known to be servers. */
1384int
1386{
1387 if (options->RefuseUnknownExits != -1) {
1388 return options->RefuseUnknownExits;
1389 } else {
1390 return networkstatus_get_param(NULL, "refuseunknownexits", 1, 0, 1);
1391 }
1392}
1393
1394/**
1395 * If true, then we will publish our descriptor even if our own IPv4 ORPort
1396 * seems to be unreachable.
1397 **/
1399/**
1400 * If true, then we will publish our descriptor even if our own IPv6 ORPort
1401 * seems to be unreachable.
1402 **/
1404
1405/** Decide if we're a publishable server. We are a publishable server if:
1406 * - We don't have the ClientOnly option set
1407 * and
1408 * - We have the PublishServerDescriptor option set to non-empty
1409 * and
1410 * - We have ORPort set
1411 * and
1412 * - We believe our ORPort and DirPort (if present) are reachable from
1413 * the outside; or
1414 * - We believe our ORPort is reachable from the outside, and we can't
1415 * check our DirPort because the consensus has no exits; or
1416 * - We are an authoritative directory server.
1417 */
1418static int
1420{
1421 const or_options_t *options = get_options();
1422
1423 if (options->ClientOnly)
1424 return 0;
1425 if (options->PublishServerDescriptor_ == NO_DIRINFO)
1426 return 0;
1427 if (!server_mode(options))
1428 return 0;
1429 if (authdir_mode(options))
1430 return 1;
1431 if (!routerconf_find_or_port(options, AF_INET))
1432 return 0;
1433 if (!router_orport_seems_reachable(options, AF_INET)) {
1434 // We have an ipv4 orport, and it doesn't seem reachable.
1436 return 0;
1437 }
1438 }
1439 /* We could be flagged to omit the IPv6 and if so, don't check for
1440 * reachability on the IPv6. This can happen if the address was
1441 * auto-discovered but turns out to be non reachable. */
1442 if (!omit_ipv6_on_publish &&
1443 !router_orport_seems_reachable(options, AF_INET6)) {
1444 // We have an ipv6 orport, and it doesn't seem reachable.
1446 return 0;
1447 }
1448 }
1449 if (router_have_consensus_path() == CONSENSUS_PATH_INTERNAL) {
1450 /* All set: there are no exits in the consensus (maybe this is a tiny
1451 * test network), so we can't check our DirPort reachability. */
1452 return 1;
1453 } else {
1454 return router_dirport_seems_reachable(options);
1455 }
1456}
1457
1458/** Initiate server descriptor upload as reasonable (if server is publishable,
1459 * etc). <b>force</b> is as for router_upload_dir_desc_to_dirservers.
1460 *
1461 * We need to rebuild the descriptor if it's dirty even if we're not
1462 * uploading, because our reachability testing *uses* our descriptor to
1463 * determine what IP address and ports to test.
1464 */
1465void
1467{
1468 int rebuilt;
1469
1470 if (!server_mode(get_options()))
1471 return;
1472
1473 rebuilt = router_rebuild_descriptor(0);
1474 if (rebuilt && decide_if_publishable_server()) {
1477 } else {
1479 }
1480}
1481
1482/** Return the port of the first active listener of type
1483 * <b>listener_type</b>. Returns 0 if no port is found. */
1484/** XXX not a very good interface. it's not reliable when there are
1485 multiple listeners. */
1486uint16_t
1488 sa_family_t family)
1489{
1490 /* Iterate all connections, find one of the right kind and return
1491 the port. Not very sophisticated or fast, but effective. */
1493 SMARTLIST_FOREACH_BEGIN(conns, connection_t *, conn) {
1494 if (conn->type == listener_type && !conn->marked_for_close &&
1495 conn->socket_family == family) {
1496 return conn->port;
1497 }
1498 } SMARTLIST_FOREACH_END(conn);
1499
1500 return 0;
1501}
1502
1503/** Return the port that we should advertise as our ORPort in a given address
1504 * family; this is either the one configured in the ORPort option, or the one
1505 * we actually bound to if ORPort is "auto". Returns 0 if no port is found. */
1506uint16_t
1508 sa_family_t family)
1509{
1511 family);
1512 (void)options;
1513
1514 /* If the port is in 'auto' mode, we have to use
1515 router_get_listener_port_by_type(). */
1516 if (port == CFG_AUTO_PORT)
1518 family);
1519
1520 return port;
1521}
1522
1523/** As routerconf_find_or_port(), but returns the IPv6 address and
1524 * port in ipv6_ap_out, which must not be NULL. Returns a null address and
1525 * zero port, if no ORPort is found. */
1526void
1528 tor_addr_port_t *ipv6_ap_out)
1529{
1530 /* Bug in calling function, we can't return a sensible result, and it
1531 * shouldn't use the NULL pointer once we return. */
1532 tor_assert(ipv6_ap_out);
1533
1534 /* If there is no valid IPv6 ORPort, return a null address and port. */
1535 tor_addr_make_null(&ipv6_ap_out->addr, AF_INET6);
1536 ipv6_ap_out->port = 0;
1537
1540 AF_INET6);
1541 const uint16_t port = routerconf_find_or_port(options,
1542 AF_INET6);
1543
1544 if (!addr || port == 0) {
1545 log_debug(LD_CONFIG, "There is no advertised IPv6 ORPort.");
1546 return;
1547 }
1548
1549 /* If the relay is configured using the default authorities, disallow
1550 * internal IPs. Otherwise, allow them. For IPv4 ORPorts and DirPorts,
1551 * this check is done in resolve_my_address(). See #33681. */
1552 const int default_auth = using_default_dir_authorities(options);
1553 if (tor_addr_is_internal(addr, 0) && default_auth) {
1554 log_warn(LD_CONFIG,
1555 "Unable to use configured IPv6 ORPort \"%s\" in a "
1556 "descriptor. Skipping it. "
1557 "Try specifying a globally reachable address explicitly.",
1558 fmt_addrport(addr, port));
1559 return;
1560 }
1561
1562 tor_addr_copy(&ipv6_ap_out->addr, addr);
1563 ipv6_ap_out->port = port;
1564}
1565
1566/** Returns true if this router has an advertised IPv6 ORPort. */
1567bool
1569{
1570 /* What we want here is to learn if we have configured an IPv6 ORPort.
1571 * Remember, ORPort can listen on [::] and thus consider internal by
1572 * router_get_advertised_ipv6_or_ap() since we do _not_ want to advertise
1573 * such address. */
1574 const tor_addr_t *addr =
1576 const uint16_t port =
1577 routerconf_find_or_port(options, AF_INET6);
1578
1579 return tor_addr_port_is_valid(addr, port, 1);
1580}
1581
1582/** Returns true if this router can extend over IPv6.
1583 *
1584 * This check should only be performed by relay extend code.
1585 *
1586 * Clients should check if relays can initiate and accept IPv6 extends using
1587 * node_supports_initiating_ipv6_extends() and
1588 * node_supports_accepting_ipv6_extends().
1589 *
1590 * As with other extends, relays should assume the client has already
1591 * performed the relevant checks for the next hop. (Otherwise, relays that
1592 * have just added IPv6 ORPorts won't be able to self-test those ORPorts.)
1593 *
1594 * Accepting relays don't need to perform any IPv6-specific checks before
1595 * accepting a connection, because having an IPv6 ORPort implies support for
1596 * the relevant protocol version.
1597 */
1598MOCK_IMPL(bool,
1600{
1601 /* We might add some extra checks here, such as ExtendAllowIPv6Addresses
1602 * from ticket 33818. */
1603 return routerconf_has_ipv6_orport(options);
1604}
1605
1606/** Return the port that we should advertise as our DirPort;
1607 * this is one of three possibilities:
1608 * The one that is passed as <b>dirport</b> if the DirPort option is 0, or
1609 * the one configured in the DirPort option,
1610 * or the one we actually bound to if DirPort is "auto". */
1611uint16_t
1612routerconf_find_dir_port(const or_options_t *options, uint16_t dirport)
1613{
1614 int dirport_configured = portconf_get_primary_dir_port();
1615 (void)options;
1616
1617 if (!dirport_configured)
1618 return dirport;
1619
1620 if (dirport_configured == CFG_AUTO_PORT)
1622 AF_INET);
1623
1624 return dirport_configured;
1625}
1626
1627/*
1628 * OR descriptor generation.
1629 */
1630
1631/** My routerinfo. */
1633/** My extrainfo */
1635/** Why did we most recently decide to regenerate our descriptor? Used to
1636 * tell the authorities why we're sending it to them. */
1637static const char *desc_gen_reason = "uninitialized reason";
1638/** Since when has our descriptor been "clean"? 0 if we need to regenerate it
1639 * now. */
1641/** Why did we mark the descriptor dirty? */
1642STATIC const char *desc_dirty_reason = "Tor just started";
1643/** Boolean: do we need to regenerate the above? */
1644static int desc_needs_upload = 0;
1645
1646/** OR only: If <b>force</b> is true, or we haven't uploaded this
1647 * descriptor successfully yet, try to upload our signed descriptor to
1648 * all the directory servers we know about.
1649 */
1650void
1652{
1653 const routerinfo_t *ri;
1654 extrainfo_t *ei;
1655 char *msg;
1656 size_t desc_len, extra_len = 0, total_len;
1658
1660 if (!ri) {
1661 log_info(LD_GENERAL, "No descriptor; skipping upload");
1662 return;
1663 }
1665 if (auth == NO_DIRINFO)
1666 return;
1667 if (!force && !desc_needs_upload)
1668 return;
1669
1670 log_info(LD_OR, "Uploading relay descriptor to directory authorities%s",
1671 force ? " (forced)" : "");
1672
1674
1675 desc_len = ri->cache_info.signed_descriptor_len;
1676 extra_len = ei ? ei->cache_info.signed_descriptor_len : 0;
1677 total_len = desc_len + extra_len + 1;
1678 msg = tor_malloc(total_len);
1679 memcpy(msg, ri->cache_info.signed_descriptor_body, desc_len);
1680 if (ei) {
1681 memcpy(msg+desc_len, ei->cache_info.signed_descriptor_body, extra_len);
1682 }
1683 msg[desc_len+extra_len] = 0;
1684
1686 (auth & BRIDGE_DIRINFO) ?
1689 auth, msg, desc_len, extra_len);
1690 tor_free(msg);
1691}
1692
1693/** OR only: Check whether my exit policy says to allow connection to
1694 * conn. Return 0 if we accept; non-0 if we reject.
1695 */
1696int
1698{
1700 if (!me) /* make sure routerinfo exists */
1701 return -1;
1702
1703 /* make sure it's resolved to something. this way we can't get a
1704 'maybe' below. */
1705 if (tor_addr_is_null(addr))
1706 return -1;
1707
1708 /* look at router_get_my_routerinfo()->exit_policy for both the v4 and the
1709 * v6 policies. The exit_policy field in router_get_my_routerinfo() is a
1710 * bit unusual, in that it contains IPv6 and IPv6 entries. We don't want to
1711 * look at router_get_my_routerinfo()->ipv6_exit_policy, since that's a port
1712 * summary. */
1713 if ((tor_addr_family(addr) == AF_INET ||
1714 tor_addr_family(addr) == AF_INET6)) {
1715 return compare_tor_addr_to_addr_policy(addr, port,
1717#if 0
1718 } else if (tor_addr_family(addr) == AF_INET6) {
1719 return get_options()->IPv6Exit &&
1723#endif /* 0 */
1724 } else {
1725 return -1;
1726 }
1727}
1728
1729/** Return true iff my exit policy is reject *:*. Return -1 if we don't
1730 * have a descriptor */
1731MOCK_IMPL(int,
1733{
1735 if (!me) /* make sure routerinfo exists */
1736 return -1;
1737
1738 return me->policy_is_reject_star;
1739}
1740
1741/** Return true iff I'm a server and <b>digest</b> is equal to
1742 * my server identity key digest. */
1743int
1744router_digest_is_me(const char *digest)
1745{
1746 return (server_identitykey &&
1748}
1749
1750/** Return my identity digest. */
1751const uint8_t *
1753{
1754 return (const uint8_t *)server_identitykey_digest;
1755}
1756
1757/** Return true iff I'm a server and <b>digest</b> is equal to
1758 * my identity digest. */
1759int
1761{
1763 if (!ei)
1764 return 0;
1765
1766 return tor_memeq(digest,
1767 ei->cache_info.signed_descriptor_digest,
1768 DIGEST_LEN);
1769}
1770
1771/** A wrapper around router_digest_is_me(). */
1772int
1774{
1775 return router_digest_is_me(router->cache_info.identity_digest);
1776}
1777
1778/**
1779 * Return true if we are a server, and if @a addr is an address we are
1780 * currently publishing (or trying to publish) in our descriptor.
1781 * Return false otherwise.
1782 **/
1783bool
1785{
1786 IF_BUG_ONCE(!addr)
1787 return false;
1788
1790 if (!me)
1791 return false;
1792
1793 switch (tor_addr_family(addr)) {
1794 case AF_INET:
1795 return tor_addr_eq(addr, &me->ipv4_addr);
1796 case AF_INET6:
1797 return tor_addr_eq(addr, &me->ipv6_addr);
1798 default:
1799 return false;
1800 }
1801}
1802
1803/** Return a routerinfo for this OR, rebuilding a fresh one if
1804 * necessary. Return NULL on error, or if called on an OP. */
1805MOCK_IMPL(const routerinfo_t *,
1807{
1809}
1810
1811/** Return routerinfo of this OR. Rebuild it from
1812 * scratch if needed. Set <b>*err</b> to 0 on success or to
1813 * appropriate TOR_ROUTERINFO_ERROR_* value on failure.
1814 */
1815MOCK_IMPL(const routerinfo_t *,
1817{
1818 if (!server_mode(get_options())) {
1819 if (err)
1820 *err = TOR_ROUTERINFO_ERROR_NOT_A_SERVER;
1821
1822 return NULL;
1823 }
1824
1825 if (!desc_routerinfo) {
1826 if (err)
1827 *err = TOR_ROUTERINFO_ERROR_DESC_REBUILDING;
1828
1829 return NULL;
1830 }
1831
1832 if (err)
1833 *err = 0;
1834
1835 return desc_routerinfo;
1836}
1837
1838/** OR only: Return a signed server descriptor for this OR, rebuilding a fresh
1839 * one if necessary. Return NULL on error.
1840 */
1841const char *
1843{
1844 const char *body;
1846 if (! me)
1847 return NULL;
1848 tor_assert(me->cache_info.saved_location == SAVED_NOWHERE);
1849 body = signed_descriptor_get_body(&me->cache_info);
1850 /* Make sure this is nul-terminated. */
1851 tor_assert(!body[me->cache_info.signed_descriptor_len]);
1852 log_debug(LD_GENERAL,"my desc is '%s'", body);
1853 return body;
1854}
1855
1856/** Return the extrainfo document for this OR, or NULL if we have none.
1857 * Rebuilt it (and the server descriptor) if necessary. */
1860{
1861 if (!server_mode(get_options()))
1862 return NULL;
1864 return NULL;
1865 return desc_extrainfo;
1866}
1867
1868/** Return a human-readable string describing what triggered us to generate
1869 * our current descriptor, or NULL if we don't know. */
1870const char *
1872{
1873 return desc_gen_reason;
1874}
1875
1876/* Like router_check_descriptor_address_consistency, but specifically for the
1877 * ORPort or DirPort.
1878 * listener_type is either CONN_TYPE_OR_LISTENER or CONN_TYPE_DIR_LISTENER. */
1879static void
1880router_check_descriptor_address_port_consistency(const tor_addr_t *addr,
1881 int listener_type)
1882{
1883 int family, port_cfg;
1884
1885 tor_assert(addr);
1886 tor_assert(listener_type == CONN_TYPE_OR_LISTENER ||
1887 listener_type == CONN_TYPE_DIR_LISTENER);
1888
1889 family = tor_addr_family(addr);
1890 /* The first advertised Port may be the magic constant CFG_AUTO_PORT. */
1891 port_cfg = portconf_get_first_advertised_port(listener_type, family);
1892 if (port_cfg != 0 &&
1893 !port_exists_by_type_addr_port(listener_type, addr, port_cfg, 1)) {
1894 const tor_addr_t *port_addr =
1895 portconf_get_first_advertised_addr(listener_type, family);
1896 /* If we're building a descriptor with no advertised address,
1897 * something is terribly wrong. */
1898 tor_assert(port_addr);
1899
1900 char port_addr_str[TOR_ADDR_BUF_LEN];
1901 char desc_addr_str[TOR_ADDR_BUF_LEN];
1902
1903 tor_addr_to_str(port_addr_str, port_addr, TOR_ADDR_BUF_LEN, 0);
1904 tor_addr_to_str(desc_addr_str, addr, TOR_ADDR_BUF_LEN, 0);
1905
1906 const char *listener_str = (listener_type == CONN_TYPE_OR_LISTENER ?
1907 "OR" : "Dir");
1908 const char *af_str = fmt_af_family(family);
1909 log_warn(LD_CONFIG, "The %s %sPort address %s does not match the "
1910 "descriptor address %s. If you have a static public IPv4 "
1911 "address, use 'Address <%s>' and 'OutboundBindAddress "
1912 "<%s>'. If you are behind a NAT, use two %sPort lines: "
1913 "'%sPort <PublicPort> NoListen' and '%sPort <InternalPort> "
1914 "NoAdvertise'.",
1915 af_str, listener_str, port_addr_str, desc_addr_str, af_str,
1916 af_str, listener_str, listener_str, listener_str);
1917 }
1918}
1919
1920/** Tor relays only have one IPv4 or/and one IPv6 address in the descriptor,
1921 * which is derived from the Address torrc option, or guessed using various
1922 * methods in relay_find_addr_to_publish().
1923 *
1924 * Warn the operator if there is no ORPort associated with the given address
1925 * in addr.
1926 *
1927 * Warn the operator if there is no DirPort on the descriptor address.
1928 *
1929 * This catches a few common config errors:
1930 * - operators who expect ORPorts and DirPorts to be advertised on the
1931 * ports' listen addresses, rather than the torrc Address (or guessed
1932 * addresses in the absence of an Address config). This includes
1933 * operators who attempt to put their ORPort and DirPort on different
1934 * addresses;
1935 * - discrepancies between guessed addresses and configured listen
1936 * addresses (when the Address option isn't set).
1937 *
1938 * If a listener is listening on all IPv4 addresses, it is assumed that it
1939 * is listening on the configured Address, and no messages are logged.
1940 *
1941 * If an operators has specified NoAdvertise ORPorts in a NAT setting,
1942 * no messages are logged, unless they have specified other advertised
1943 * addresses.
1944 *
1945 * The message tells operators to configure an ORPort and DirPort that match
1946 * the Address (using NoListen if needed). */
1947static void
1949{
1950 router_check_descriptor_address_port_consistency(addr,
1952 router_check_descriptor_address_port_consistency(addr,
1954}
1955
1956/** A list of nicknames that we've warned about including in our family,
1957 * for one reason or another. */
1959
1960/**
1961 * Return a new smartlist containing the family members configured in
1962 * <b>options</b>. Warn about invalid or missing entries. Return NULL
1963 * if this relay should not declare a family.
1964 **/
1967{
1968 if (!options->MyFamily)
1969 return NULL;
1970
1971 if (options->BridgeRelay)
1972 return NULL;
1973
1974 if (!warned_family)
1976
1977 smartlist_t *declared_family = smartlist_new();
1978 config_line_t *family;
1979
1980 /* First we try to get the whole family in the form of hexdigests. */
1981 for (family = options->MyFamily; family; family = family->next) {
1982 char *name = family->value;
1983 const node_t *member;
1984 if (options->Nickname && !strcasecmp(name, options->Nickname))
1985 continue; /* Don't list ourself by nickname, that's redundant */
1986 else
1987 member = node_get_by_nickname(name, 0);
1988
1989 if (!member) {
1990 /* This node doesn't seem to exist, so warn about it if it is not
1991 * a hexdigest. */
1992 int is_legal = is_legal_nickname_or_hexdigest(name);
1995 if (is_legal)
1996 log_warn(LD_CONFIG,
1997 "There is a router named %s in my declared family, but "
1998 "I have no descriptor for it. I'll use the nickname "
1999 "as is, but this may confuse clients. Please list it "
2000 "by identity digest instead.", escaped(name));
2001 else
2002 log_warn(LD_CONFIG, "There is a router named %s in my declared "
2003 "family, but that isn't a legal digest or nickname. "
2004 "Skipping it.", escaped(name));
2006 }
2007 if (is_legal) {
2008 smartlist_add_strdup(declared_family, name);
2009 }
2010 } else {
2011 /* List the node by digest. */
2012 char *fp = tor_malloc(HEX_DIGEST_LEN+2);
2013 fp[0] = '$';
2015 member->identity, DIGEST_LEN);
2016 smartlist_add(declared_family, fp);
2017
2018 if (! is_legal_hexdigest(name) &&
2020 /* Warn if this node was not specified by hexdigest. */
2021 log_warn(LD_CONFIG, "There is a router named %s in my declared "
2022 "family, but it wasn't listed by digest. Please consider "
2023 "saying %s instead, if that's what you meant.",
2024 escaped(name), fp);
2026 }
2027 }
2028 }
2029
2030 /* Now declared_family should have the closest we can come to the
2031 * identities that the user wanted.
2032 *
2033 * Unlike older versions of Tor, we _do_ include our own identity: this
2034 * helps microdescriptor compression, and helps in-memory compression
2035 * on clients. */
2036 nodefamily_t *nf = nodefamily_from_members(declared_family,
2038 NF_WARN_MALFORMED,
2039 NULL);
2040 SMARTLIST_FOREACH(declared_family, char *, s, tor_free(s));
2041 smartlist_free(declared_family);
2042 if (!nf) {
2043 return NULL;
2044 }
2045
2046 char *s = nodefamily_format(nf);
2047 nodefamily_free(nf);
2048
2049 smartlist_t *result = smartlist_new();
2050 smartlist_split_string(result, s, NULL,
2051 SPLIT_SKIP_SPACE|SPLIT_IGNORE_BLANK, 0);
2052 tor_free(s);
2053
2054 if (smartlist_len(result) == 1) {
2055 /* This is a one-element list containing only ourself; instead return
2056 * nothing */
2057 const char *singleton = smartlist_get(result, 0);
2058 bool is_me = false;
2059 if (singleton[0] == '$') {
2060 char d[DIGEST_LEN];
2061 int n = base16_decode(d, sizeof(d), singleton+1, strlen(singleton+1));
2062 if (n == DIGEST_LEN &&
2064 is_me = true;
2065 }
2066 }
2067 if (!is_me) {
2068 // LCOV_EXCL_START
2069 log_warn(LD_BUG, "Found a singleton family list with an element "
2070 "that wasn't us! Element was %s", escaped(singleton));
2071 // LCOV_EXCL_STOP
2072 } else {
2073 SMARTLIST_FOREACH(result, char *, cp, tor_free(cp));
2074 smartlist_free(result);
2075 return NULL;
2076 }
2077 }
2078
2079 return result;
2080}
2081
2082/** Allocate a fresh, unsigned routerinfo for this OR, without any of the
2083 * fields that depend on the corresponding extrainfo.
2084 *
2085 * On success, set ri_out to the new routerinfo, and return 0.
2086 * Caller is responsible for freeing the generated routerinfo.
2087 *
2088 * Returns a negative value and sets ri_out to NULL on temporary error.
2089 */
2090MOCK_IMPL(STATIC int,
2092{
2093 routerinfo_t *ri = NULL;
2094 tor_addr_t ipv4_addr;
2095 char platform[256];
2096 int hibernating = we_are_hibernating();
2097 const or_options_t *options = get_options();
2098 int result = TOR_ROUTERINFO_ERROR_INTERNAL_BUG;
2099
2100 if (BUG(!ri_out)) {
2101 result = TOR_ROUTERINFO_ERROR_INTERNAL_BUG;
2102 goto err;
2103 }
2104
2105 /* Find our resolved address both IPv4 and IPv6. In case the address is not
2106 * found, the object is set to an UNSPEC address. */
2107 bool have_v4 = relay_find_addr_to_publish(options, AF_INET,
2108 RELAY_FIND_ADDR_NO_FLAG,
2109 &ipv4_addr);
2110 /* Tor requires a relay to have an IPv4 so bail if we can't find it. */
2111 if (!have_v4) {
2112 log_info(LD_CONFIG, "Don't know my address while generating descriptor. "
2113 "Launching circuit to authority to learn it.");
2114 relay_addr_learn_from_dirauth();
2115 result = TOR_ROUTERINFO_ERROR_NO_EXT_ADDR;
2116 goto err;
2117 }
2118 /* Log a message if the address in the descriptor doesn't match the ORPort
2119 * and DirPort addresses configured by the operator. */
2121
2122 ri = tor_malloc_zero(sizeof(routerinfo_t));
2123 tor_addr_copy(&ri->ipv4_addr, &ipv4_addr);
2124 ri->cache_info.routerlist_index = -1;
2125 ri->nickname = tor_strdup(options->Nickname);
2126
2127 /* IPv4. */
2128 ri->ipv4_orport = routerconf_find_or_port(options, AF_INET);
2129 ri->ipv4_dirport = routerconf_find_dir_port(options, 0);
2130
2131 /* Optionally check for an IPv6. We still publish without one. */
2132 if (relay_find_addr_to_publish(options, AF_INET6, RELAY_FIND_ADDR_NO_FLAG,
2133 &ri->ipv6_addr)) {
2134 ri->ipv6_orport = routerconf_find_or_port(options, AF_INET6);
2136 }
2137
2140 ri->cache_info.published_on = time(NULL);
2141 /* get_onion_key() must invoke from main thread */
2142 router_set_rsa_onion_pkey(get_onion_key(), &ri->onion_pkey,
2143 &ri->onion_pkey_len);
2144
2146 tor_memdup(&get_current_curve25519_keypair()->pubkey,
2147 sizeof(curve25519_public_key_t));
2148
2149 ri->identity_pkey = crypto_pk_dup_key(get_server_identity_key());
2151 ri->cache_info.identity_digest) < 0)) {
2152 result = TOR_ROUTERINFO_ERROR_DIGEST_FAILED;
2153 goto err;
2154 }
2155 ri->cache_info.signing_key_cert =
2156 tor_cert_dup(get_master_signing_key_cert());
2157
2158 get_platform_str(platform, sizeof(platform));
2159 ri->platform = tor_strdup(platform);
2160
2162
2163 /* compute ri->bandwidthrate as the min of various options */
2165
2166 /* and compute ri->bandwidthburst similarly */
2168
2169 /* Report bandwidth, unless we're hibernating or shutting down */
2170 ri->bandwidthcapacity = hibernating ? 0 : bwhist_bandwidth_assess();
2171
2173 /* DNS is screwed up; don't claim to be an exit. */
2175 } else {
2177 &ri->ipv6_addr,
2178 &ri->exit_policy);
2179 }
2181 policy_is_reject_star(ri->exit_policy, AF_INET, 1) &&
2182 policy_is_reject_star(ri->exit_policy, AF_INET6, 1);
2183
2184 if (options->IPv6Exit) {
2185 char *p_tmp = policy_summarize(ri->exit_policy, AF_INET6);
2186 if (p_tmp)
2188 tor_free(p_tmp);
2189 }
2190
2192
2193 if (options->BridgeRelay) {
2195 /* Bridges shouldn't be able to send their descriptors unencrypted,
2196 anyway, since they don't have a DirPort, and always connect to the
2197 bridge authority anonymously. But just in case they somehow think of
2198 sending them on an unencrypted connection, don't allow them to try. */
2199 ri->cache_info.send_unencrypted = 0;
2200 } else {
2202 ri->cache_info.send_unencrypted = 1;
2203 }
2204
2205 goto done;
2206
2207 err:
2208 routerinfo_free(ri);
2209 *ri_out = NULL;
2210 return result;
2211
2212 done:
2213 *ri_out = ri;
2214 return 0;
2215}
2216
2217/** Allocate and return a fresh, unsigned extrainfo for this OR, based on the
2218 * routerinfo ri.
2219 *
2220 * Uses options->Nickname to set the nickname, and options->BridgeRelay to set
2221 * ei->cache_info.send_unencrypted.
2222 *
2223 * If ri is NULL, logs a BUG() warning and returns NULL.
2224 * Caller is responsible for freeing the generated extrainfo.
2225 */
2226static extrainfo_t *
2228{
2229 extrainfo_t *ei = NULL;
2230 const or_options_t *options = get_options();
2231
2232 if (BUG(!ri))
2233 return NULL;
2234
2235 /* Now generate the extrainfo. */
2236 ei = tor_malloc_zero(sizeof(extrainfo_t));
2237 ei->cache_info.is_extrainfo = 1;
2238 strlcpy(ei->nickname, options->Nickname, sizeof(ei->nickname));
2239 ei->cache_info.published_on = ri->cache_info.published_on;
2240 ei->cache_info.signing_key_cert =
2241 tor_cert_dup(get_master_signing_key_cert());
2242
2243 memcpy(ei->cache_info.identity_digest, ri->cache_info.identity_digest,
2244 DIGEST_LEN);
2245
2246 if (options->BridgeRelay) {
2247 /* See note in router_build_fresh_routerinfo(). */
2248 ei->cache_info.send_unencrypted = 0;
2249 } else {
2250 ei->cache_info.send_unencrypted = 1;
2251 }
2252
2253 return ei;
2254}
2255
2256/** Dump the extrainfo descriptor body for ei, sign it, and add the body and
2257 * signature to ei->cache_info. Note that the extrainfo body is determined by
2258 * ei, and some additional config and statistics state: see
2259 * extrainfo_dump_to_string() for details.
2260 *
2261 * Return 0 on success, -1 on temporary error.
2262 * If ei is NULL, logs a BUG() warning and returns -1.
2263 * On error, ei->cache_info is not modified.
2264 */
2265static int
2267{
2268 if (BUG(!ei))
2269 return -1;
2270
2272 ei, get_server_identity_key(),
2273 get_master_signing_keypair()) < 0) {
2274 log_warn(LD_BUG, "Couldn't generate extra-info descriptor.");
2275 return -1;
2276 }
2277
2278 ei->cache_info.signed_descriptor_len =
2279 strlen(ei->cache_info.signed_descriptor_body);
2280
2282 ei->cache_info.signed_descriptor_len,
2283 ei->cache_info.signed_descriptor_digest);
2284 crypto_digest256((char*) ei->digest256,
2285 ei->cache_info.signed_descriptor_body,
2286 ei->cache_info.signed_descriptor_len,
2287 DIGEST_SHA256);
2288
2289 return 0;
2290}
2291
2292/** Allocate and return a fresh, signed extrainfo for this OR, based on the
2293 * routerinfo ri.
2294 *
2295 * If ri is NULL, logs a BUG() warning and returns NULL.
2296 * Caller is responsible for freeing the generated extrainfo.
2297 */
2300{
2301 int result = -1;
2302 extrainfo_t *ei = NULL;
2303
2304 if (BUG(!ri))
2305 return NULL;
2306
2308 /* router_build_fresh_unsigned_extrainfo() should not fail. */
2309 if (BUG(!ei))
2310 goto err;
2311
2313 if (result < 0)
2314 goto err;
2315
2316 goto done;
2317
2318 err:
2319 extrainfo_free(ei);
2320 return NULL;
2321
2322 done:
2323 return ei;
2324}
2325
2326/** Set the fields in ri that depend on ei.
2327 *
2328 * If ei is NULL, logs a BUG() warning and zeroes the relevant fields.
2329 */
2330STATIC void
2332 const extrainfo_t *ei)
2333{
2334 if (BUG(!ei)) {
2335 /* Just to be safe, zero ri->cache_info.extra_info_digest here. */
2336 memset(ri->cache_info.extra_info_digest, 0, DIGEST_LEN);
2337 memset(ri->cache_info.extra_info_digest256, 0, DIGEST256_LEN);
2338 return;
2339 }
2340
2341 /* Now finish the router descriptor. */
2342 memcpy(ri->cache_info.extra_info_digest,
2343 ei->cache_info.signed_descriptor_digest,
2344 DIGEST_LEN);
2345 memcpy(ri->cache_info.extra_info_digest256,
2346 ei->digest256,
2348}
2349
2350/** Dump the descriptor body for ri, sign it, and add the body and signature to
2351 * ri->cache_info. Note that the descriptor body is determined by ri, and some
2352 * additional config and state: see router_dump_router_to_string() for details.
2353 *
2354 * Return 0 on success, and a negative value on temporary error.
2355 * If ri is NULL, logs a BUG() warning and returns a negative value.
2356 * On error, ri->cache_info is not modified.
2357 */
2358STATIC int
2360{
2361 if (BUG(!ri))
2362 return TOR_ROUTERINFO_ERROR_INTERNAL_BUG;
2363
2364 if (! (ri->cache_info.signed_descriptor_body =
2365 router_dump_router_to_string(ri, get_server_identity_key(),
2366 get_onion_key(),
2368 get_master_signing_keypair())) ) {
2369 log_warn(LD_BUG, "Couldn't generate router descriptor.");
2370 return TOR_ROUTERINFO_ERROR_CANNOT_GENERATE;
2371 }
2372
2373 ri->cache_info.signed_descriptor_len =
2374 strlen(ri->cache_info.signed_descriptor_body);
2375
2377 strlen(ri->cache_info.signed_descriptor_body),
2378 ri->cache_info.signed_descriptor_digest);
2379
2380 return 0;
2381}
2382
2383/** Build a fresh routerinfo, signed server descriptor, and signed extrainfo
2384 * document for this OR.
2385 *
2386 * Set r to the generated routerinfo, e to the generated extrainfo document.
2387 * Failure to generate an extra-info document is not an error and is indicated
2388 * by setting e to NULL.
2389 * Return 0 on success, and a negative value on temporary error.
2390 * Caller is responsible for freeing generated documents on success.
2391 */
2392int
2394{
2395 int result = TOR_ROUTERINFO_ERROR_INTERNAL_BUG;
2396 routerinfo_t *ri = NULL;
2397 extrainfo_t *ei = NULL;
2398
2399 if (BUG(!r))
2400 goto err;
2401
2402 if (BUG(!e))
2403 goto err;
2404
2406 if (result < 0) {
2407 goto err;
2408 }
2409 /* If ri is NULL, then result should be negative. So this check should be
2410 * unreachable. */
2411 if (BUG(!ri)) {
2412 result = TOR_ROUTERINFO_ERROR_INTERNAL_BUG;
2413 goto err;
2414 }
2415
2417
2418 /* Failing to create an ei is not an error. */
2419 if (ei) {
2421 }
2422
2424 if (result < 0)
2425 goto err;
2426
2427 if (ei) {
2429 &ri->cache_info, NULL))) {
2430 result = TOR_ROUTERINFO_ERROR_INTERNAL_BUG;
2431 goto err;
2432 }
2433 }
2434
2435 goto done;
2436
2437 err:
2438 routerinfo_free(ri);
2439 extrainfo_free(ei);
2440 *r = NULL;
2441 *e = NULL;
2442 return result;
2443
2444 done:
2445 *r = ri;
2446 *e = ei;
2447 return 0;
2448}
2449
2450/** If <b>force</b> is true, or our descriptor is out-of-date, rebuild a fresh
2451 * routerinfo, signed server descriptor, and extra-info document for this OR.
2452 *
2453 * Return true on success, else false on temporary error.
2454 */
2455bool
2457{
2458 int err = 0;
2459 routerinfo_t *ri;
2460 extrainfo_t *ei;
2461
2462 if (desc_clean_since && !force)
2463 return true;
2464
2465 log_info(LD_OR, "Rebuilding relay descriptor%s", force ? " (forced)" : "");
2466
2467 err = router_build_fresh_descriptor(&ri, &ei);
2468 if (err < 0) {
2469 return false;
2470 }
2471
2472 routerinfo_free(desc_routerinfo);
2473 desc_routerinfo = ri;
2474 extrainfo_free(desc_extrainfo);
2475 desc_extrainfo = ei;
2476
2477 desc_clean_since = time(NULL);
2480 if (BUG(desc_gen_reason == NULL)) {
2481 desc_gen_reason = "descriptor was marked dirty earlier, for no reason.";
2482 }
2483 desc_dirty_reason = NULL;
2485 return true;
2486}
2487
2488/** Called when we have a new set of consensus parameters. */
2489void
2491{
2492 const int32_t DEFAULT_ASSUME_REACHABLE = 0;
2493 const int32_t DEFAULT_ASSUME_REACHABLE_IPV6 = 0;
2494 int ar, ar6;
2496 "assume-reachable",
2497 DEFAULT_ASSUME_REACHABLE, 0, 1);
2498 ar6 = networkstatus_get_param(ns,
2499 "assume-reachable-ipv6",
2500 DEFAULT_ASSUME_REACHABLE_IPV6, 0, 1);
2501
2504}
2505
2506/** Mark our descriptor out of data iff the IPv6 omit status flag is flipped
2507 * it changes from its previous value.
2508 *
2509 * This is used when our IPv6 port is found reachable or not. */
2510void
2511mark_my_descriptor_if_omit_ipv6_changes(const char *reason, bool omit_ipv6)
2512{
2513 bool previous = omit_ipv6_on_publish;
2514 omit_ipv6_on_publish = omit_ipv6;
2515
2516 /* Only mark it dirty if the IPv6 omit flag was flipped. */
2517 if (previous != omit_ipv6) {
2519 }
2520}
2521
2522/** If our router descriptor ever goes this long without being regenerated
2523 * because something changed, we force an immediate regenerate-and-upload. */
2524#define FORCE_REGENERATE_DESCRIPTOR_INTERVAL (18*60*60)
2525
2526/** If our router descriptor seems to be missing or unacceptable according
2527 * to the authorities, regenerate and reupload it _this_ often. */
2528#define FAST_RETRY_DESCRIPTOR_INTERVAL (90*60)
2529
2530/** Mark descriptor out of date if it's been "too long" since we last tried
2531 * to upload one. */
2532void
2534{
2535 networkstatus_t *ns;
2536 const routerstatus_t *rs;
2537 const char *retry_fast_reason = NULL; /* Set if we should retry frequently */
2538 const time_t slow_cutoff = now - FORCE_REGENERATE_DESCRIPTOR_INTERVAL;
2539 const time_t fast_cutoff = now - FAST_RETRY_DESCRIPTOR_INTERVAL;
2540
2541 /* If it's already dirty, don't mark it. */
2542 if (! desc_clean_since)
2543 return;
2544
2545 /* If it's older than FORCE_REGENERATE_DESCRIPTOR_INTERVAL, it's always
2546 * time to rebuild it. */
2547 if (desc_clean_since < slow_cutoff) {
2548 mark_my_descriptor_dirty("time for new descriptor");
2549 return;
2550 }
2551 /* Now we see whether we want to be retrying frequently or no. The
2552 * rule here is that we'll retry frequently if we aren't listed in the
2553 * live consensus we have, or if the publication time of the
2554 * descriptor listed for us in the consensus is very old, or if the
2555 * consensus lists us as "stale" and we haven't regenerated since the
2556 * consensus was published. */
2558 if (ns) {
2560 if (rs == NULL)
2561 retry_fast_reason = "not listed in consensus";
2562 else if (rs->is_staledesc && ns->valid_after > desc_clean_since)
2563 retry_fast_reason = "listed as stale in consensus";
2564 }
2565
2566 if (retry_fast_reason && desc_clean_since < fast_cutoff)
2567 mark_my_descriptor_dirty(retry_fast_reason);
2568}
2569
2570/** Call when the current descriptor is out of date. */
2571void
2572mark_my_descriptor_dirty(const char *reason)
2573{
2574 const or_options_t *options = get_options();
2575 if (BUG(reason == NULL)) {
2576 reason = "marked descriptor dirty for unspecified reason";
2577 }
2578 if (server_mode(options) && options->PublishServerDescriptor_) {
2579 log_info(LD_OR, "Decided to publish new relay descriptor: %s", reason);
2580 }
2581 desc_clean_since = 0;
2582 if (!desc_dirty_reason)
2583 desc_dirty_reason = reason;
2585}
2586
2587/** How frequently will we republish our descriptor because of large (factor
2588 * of 2) shifts in estimated bandwidth? Note: We don't use this constant
2589 * if our previous bandwidth estimate was exactly 0. */
2590#define MAX_BANDWIDTH_CHANGE_FREQ (3*60*60)
2591
2592/** Maximum uptime to republish our descriptor because of large shifts in
2593 * estimated bandwidth. */
2594#define MAX_UPTIME_BANDWIDTH_CHANGE (24*60*60)
2595
2596/** By which factor bandwidth shifts have to change to be considered large. */
2597#define BANDWIDTH_CHANGE_FACTOR 2
2598
2599/** Check whether bandwidth has changed a lot since the last time we announced
2600 * bandwidth while the uptime is smaller than MAX_UPTIME_BANDWIDTH_CHANGE.
2601 * If so, mark our descriptor dirty. */
2602void
2604{
2605 static time_t last_changed = 0;
2606 uint64_t prev, cur;
2607 const int hibernating = we_are_hibernating();
2608
2609 /* If the relay uptime is bigger than MAX_UPTIME_BANDWIDTH_CHANGE,
2610 * the next regularly scheduled descriptor update (18h) will be enough */
2611 if (get_uptime() > MAX_UPTIME_BANDWIDTH_CHANGE && !hibernating)
2612 return;
2613
2614 const routerinfo_t *my_ri = router_get_my_routerinfo();
2615
2616 if (!my_ri)
2617 return;
2618
2619 prev = my_ri->bandwidthcapacity;
2620
2621 /* Consider ourselves to have zero bandwidth if we're hibernating or
2622 * shutting down. */
2623 cur = hibernating ? 0 : bwhist_bandwidth_assess();
2624
2625 if ((prev != cur && (!prev || !cur)) ||
2626 cur > (prev * BANDWIDTH_CHANGE_FACTOR) ||
2627 cur < (prev / BANDWIDTH_CHANGE_FACTOR) ) {
2628 const bool change_recent_enough =
2629 last_changed+MAX_BANDWIDTH_CHANGE_FREQ < now;
2630 const bool testing_network = get_options()->TestingTorNetwork;
2631 if (change_recent_enough || testing_network || !prev) {
2632 log_info(LD_GENERAL,
2633 "Measured bandwidth has changed; rebuilding descriptor.");
2634 mark_my_descriptor_dirty("bandwidth has changed");
2635 last_changed = now;
2636 }
2637 }
2638}
2639
2640// This function can be "noreturn" if relay mode is disabled and
2641// ALL_BUGS_ARE_FATAL is set.
2642DISABLE_GCC_WARNING("-Wmissing-noreturn")
2643
2644/** Note at log level severity that our best guess of address has changed from
2645 * <b>prev</b> to <b>cur</b>. */
2646void
2648 const tor_addr_t *prev,
2649 const tor_addr_t *cur,
2650 const char *source)
2651{
2652 char addrbuf_prev[TOR_ADDR_BUF_LEN];
2653 char addrbuf_cur[TOR_ADDR_BUF_LEN];
2654
2655 if (BUG(!server_mode(get_options())))
2656 return;
2657
2658 if (tor_addr_to_str(addrbuf_prev, prev, sizeof(addrbuf_prev), 1) == NULL)
2659 strlcpy(addrbuf_prev, "???", TOR_ADDR_BUF_LEN);
2660 if (tor_addr_to_str(addrbuf_cur, cur, sizeof(addrbuf_cur), 1) == NULL)
2661 strlcpy(addrbuf_cur, "???", TOR_ADDR_BUF_LEN);
2662
2663 if (!tor_addr_is_null(prev))
2664 log_fn(severity, LD_GENERAL,
2665 "Our IP Address has changed from %s to %s; "
2666 "rebuilding descriptor (source: %s).",
2667 addrbuf_prev, addrbuf_cur, source);
2668 else
2669 log_notice(LD_GENERAL,
2670 "Guessed our IP address as %s (source: %s).",
2671 addrbuf_cur, source);
2672}
2673ENABLE_GCC_WARNING("-Wmissing-noreturn")
2674
2675/** Check whether our own address has changed versus the one we have in our
2676 * current descriptor.
2677 *
2678 * If our address has changed, call ip_address_changed() which takes
2679 * appropriate actions. */
2680void
2682{
2683 const routerinfo_t *my_ri = router_get_my_routerinfo();
2684 resolved_addr_method_t method = RESOLVED_ADDR_NONE;
2685 char *hostname = NULL;
2686 int families[2] = { AF_INET, AF_INET6 };
2687 bool has_changed = false;
2688
2689 (void) now;
2690
2691 /* We can't learn our descriptor address without one. */
2692 if (my_ri == NULL) {
2693 return;
2694 }
2695
2696 for (size_t i = 0; i < ARRAY_LENGTH(families); i++) {
2697 tor_addr_t current;
2698 const tor_addr_t *previous;
2699 int family = families[i];
2700
2701 /* Get the descriptor address from the family we are looking up. */
2702 previous = &my_ri->ipv4_addr;
2703 if (family == AF_INET6) {
2704 previous = &my_ri->ipv6_addr;
2705 }
2706
2707 /* Attempt to discovery the publishable address for the family which will
2708 * actively attempt to discover the address if we are configured with a
2709 * port for the family.
2710 *
2711 * It is OK to ignore the returned value here since in the failure case,
2712 * that is the address was not found, the current value is set to UNSPEC.
2713 * Add this (void) so Coverity is happy. */
2714 (void) relay_find_addr_to_publish(get_options(), family,
2715 RELAY_FIND_ADDR_NO_FLAG, &current);
2716
2717 /* The "current" address might be UNSPEC meaning it was not discovered nor
2718 * found in our current cache. If we had an address before and we have
2719 * none now, we consider this an IP change since it appears the relay lost
2720 * its address. */
2721
2722 if (!tor_addr_eq(previous, &current)) {
2723 char *source;
2724 tor_asprintf(&source, "METHOD=%s%s%s",
2726 hostname ? " HOSTNAME=" : "",
2727 hostname ? hostname : "");
2728 log_addr_has_changed(LOG_NOTICE, previous, &current, source);
2729 tor_free(source);
2730 has_changed = true;
2731 }
2732 tor_free(hostname);
2733 }
2734
2735 if (has_changed) {
2737 }
2738}
2739
2740/** Set <b>platform</b> (max length <b>len</b>) to a NUL-terminated short
2741 * string describing the version of Tor and the operating system we're
2742 * currently running on.
2743 */
2744STATIC void
2745get_platform_str(char *platform, size_t len)
2746{
2747 tor_snprintf(platform, len, "Tor %s on %s",
2749}
2750
2751/* XXX need to audit this thing and count fenceposts. maybe
2752 * refactor so we don't have to keep asking if we're
2753 * near the end of maxlen?
2754 */
2755#define DEBUG_ROUTER_DUMP_ROUTER_TO_STRING
2756
2757/** OR only: Given a routerinfo for this router, and an identity key to sign
2758 * with, encode the routerinfo as a signed server descriptor and return a new
2759 * string encoding the result, or NULL on failure.
2760 *
2761 * In addition to the fields in router, this function calls
2762 * onion_key_lifetime(), get_options(), and we_are_hibernating(), and uses the
2763 * results to populate some fields in the descriptor.
2764 */
2765char *
2767 const crypto_pk_t *ident_key,
2768 const crypto_pk_t *tap_key,
2769 const curve25519_keypair_t *ntor_keypair,
2770 const ed25519_keypair_t *signing_keypair)
2771{
2772 char *address = NULL;
2773 char *onion_pkey = NULL; /* Onion key, PEM-encoded. */
2774 crypto_pk_t *rsa_pubkey = NULL;
2775 char *identity_pkey = NULL; /* Identity key, PEM-encoded. */
2776 char digest[DIGEST256_LEN];
2777 char published[ISO_TIME_LEN+1];
2778 char fingerprint[FINGERPRINT_LEN+1];
2779 char *extra_info_line = NULL;
2780 size_t onion_pkeylen, identity_pkeylen;
2781 char *family_line = NULL;
2782 char *extra_or_address = NULL;
2783 const or_options_t *options = get_options();
2784 smartlist_t *chunks = NULL;
2785 char *output = NULL;
2786 const int emit_ed_sigs = signing_keypair &&
2787 router->cache_info.signing_key_cert;
2788 char *ed_cert_line = NULL;
2789 char *rsa_tap_cc_line = NULL;
2790 char *ntor_cc_line = NULL;
2791 char *proto_line = NULL;
2792
2793 /* Make sure the identity key matches the one in the routerinfo. */
2794 if (!crypto_pk_eq_keys(ident_key, router->identity_pkey)) {
2795 log_warn(LD_BUG,"Tried to sign a router with a private key that didn't "
2796 "match router's public key!");
2797 goto err;
2798 }
2799 if (emit_ed_sigs) {
2800 if (!router->cache_info.signing_key_cert->signing_key_included ||
2801 !ed25519_pubkey_eq(&router->cache_info.signing_key_cert->signed_key,
2802 &signing_keypair->pubkey)) {
2803 log_warn(LD_BUG, "Tried to sign a router descriptor with a mismatched "
2804 "ed25519 key chain %d",
2805 router->cache_info.signing_key_cert->signing_key_included);
2806 goto err;
2807 }
2808 }
2809
2810 /* record our fingerprint, so we can include it in the descriptor */
2811 if (crypto_pk_get_fingerprint(router->identity_pkey, fingerprint, 1)<0) {
2812 log_err(LD_BUG,"Error computing fingerprint");
2813 goto err;
2814 }
2815
2816 if (emit_ed_sigs) {
2817 /* Encode ed25519 signing cert */
2818 char ed_cert_base64[256];
2819 char ed_fp_base64[ED25519_BASE64_LEN+1];
2820 if (base64_encode(ed_cert_base64, sizeof(ed_cert_base64),
2821 (const char*)router->cache_info.signing_key_cert->encoded,
2822 router->cache_info.signing_key_cert->encoded_len,
2823 BASE64_ENCODE_MULTILINE) < 0) {
2824 log_err(LD_BUG,"Couldn't base64-encode signing key certificate!");
2825 goto err;
2826 }
2827 ed25519_public_to_base64(ed_fp_base64,
2828 &router->cache_info.signing_key_cert->signing_key);
2829 tor_asprintf(&ed_cert_line, "identity-ed25519\n"
2830 "-----BEGIN ED25519 CERT-----\n"
2831 "%s"
2832 "-----END ED25519 CERT-----\n"
2833 "master-key-ed25519 %s\n",
2834 ed_cert_base64, ed_fp_base64);
2835 }
2836
2837 /* PEM-encode the onion key */
2838 rsa_pubkey = router_get_rsa_onion_pkey(router->onion_pkey,
2839 router->onion_pkey_len);
2841 &onion_pkey,&onion_pkeylen)<0) {
2842 log_warn(LD_BUG,"write onion_pkey to string failed!");
2843 goto err;
2844 }
2845
2846 /* PEM-encode the identity key */
2848 &identity_pkey,&identity_pkeylen)<0) {
2849 log_warn(LD_BUG,"write identity_pkey to string failed!");
2850 goto err;
2851 }
2852
2853 /* Cross-certify with RSA key */
2854 if (tap_key && router->cache_info.signing_key_cert &&
2855 router->cache_info.signing_key_cert->signing_key_included) {
2856 char buf[256];
2857 int tap_cc_len = 0;
2858 uint8_t *tap_cc =
2860 &router->cache_info.signing_key_cert->signing_key,
2861 router->identity_pkey,
2862 &tap_cc_len);
2863 if (!tap_cc) {
2864 log_warn(LD_BUG,"make_tap_onion_key_crosscert failed!");
2865 goto err;
2866 }
2867
2868 if (base64_encode(buf, sizeof(buf), (const char*)tap_cc, tap_cc_len,
2869 BASE64_ENCODE_MULTILINE) < 0) {
2870 log_warn(LD_BUG,"base64_encode(rsa_crosscert) failed!");
2871 tor_free(tap_cc);
2872 goto err;
2873 }
2874 tor_free(tap_cc);
2875
2876 tor_asprintf(&rsa_tap_cc_line,
2877 "onion-key-crosscert\n"
2878 "-----BEGIN CROSSCERT-----\n"
2879 "%s"
2880 "-----END CROSSCERT-----\n", buf);
2881 }
2882
2883 /* Cross-certify with onion keys */
2884 if (ntor_keypair && router->cache_info.signing_key_cert &&
2885 router->cache_info.signing_key_cert->signing_key_included) {
2886 int sign = 0;
2887 char buf[256];
2888 /* XXXX Base the expiration date on the actual onion key expiration time?*/
2889 tor_cert_t *cert =
2890 make_ntor_onion_key_crosscert(ntor_keypair,
2891 &router->cache_info.signing_key_cert->signing_key,
2892 router->cache_info.published_on,
2893 get_onion_key_lifetime(), &sign);
2894 if (!cert) {
2895 log_warn(LD_BUG,"make_ntor_onion_key_crosscert failed!");
2896 goto err;
2897 }
2898 tor_assert(sign == 0 || sign == 1);
2899
2900 if (base64_encode(buf, sizeof(buf),
2901 (const char*)cert->encoded, cert->encoded_len,
2902 BASE64_ENCODE_MULTILINE)<0) {
2903 log_warn(LD_BUG,"base64_encode(ntor_crosscert) failed!");
2904 tor_cert_free(cert);
2905 goto err;
2906 }
2907 tor_cert_free(cert);
2908
2909 tor_asprintf(&ntor_cc_line,
2910 "ntor-onion-key-crosscert %d\n"
2911 "-----BEGIN ED25519 CERT-----\n"
2912 "%s"
2913 "-----END ED25519 CERT-----\n", sign, buf);
2914 }
2915
2916 /* Encode the publication time. */
2917 format_iso_time(published, router->cache_info.published_on);
2918
2919 if (router->declared_family && smartlist_len(router->declared_family)) {
2920 char *family = smartlist_join_strings(router->declared_family,
2921 " ", 0, NULL);
2922 tor_asprintf(&family_line, "family %s\n", family);
2923 tor_free(family);
2924 } else {
2925 family_line = tor_strdup("");
2926 }
2927
2928 if (!tor_digest_is_zero(router->cache_info.extra_info_digest)) {
2929 char extra_info_digest[HEX_DIGEST_LEN+1];
2930 base16_encode(extra_info_digest, sizeof(extra_info_digest),
2931 router->cache_info.extra_info_digest, DIGEST_LEN);
2932 if (!tor_digest256_is_zero(router->cache_info.extra_info_digest256)) {
2933 char d256_64[BASE64_DIGEST256_LEN+1];
2934 digest256_to_base64(d256_64, router->cache_info.extra_info_digest256);
2935 tor_asprintf(&extra_info_line, "extra-info-digest %s %s\n",
2936 extra_info_digest, d256_64);
2937 } else {
2938 tor_asprintf(&extra_info_line, "extra-info-digest %s\n",
2939 extra_info_digest);
2940 }
2941 }
2942
2943 if (!omit_ipv6_on_publish && router->ipv6_orport &&
2944 tor_addr_family(&router->ipv6_addr) == AF_INET6) {
2945 char addr[TOR_ADDR_BUF_LEN];
2946 const char *a;
2947 a = tor_addr_to_str(addr, &router->ipv6_addr, sizeof(addr), 1);
2948 if (a) {
2949 tor_asprintf(&extra_or_address,
2950 "or-address %s:%d\n", a, router->ipv6_orport);
2951 log_debug(LD_OR, "My or-address line is <%s>", extra_or_address);
2952 }
2953 }
2954
2955 if (router->protocol_list) {
2956 tor_asprintf(&proto_line, "proto %s\n", router->protocol_list);
2957 } else {
2958 proto_line = tor_strdup("");
2959 }
2960
2961 address = tor_addr_to_str_dup(&router->ipv4_addr);
2962 if (!address)
2963 goto err;
2964
2965 chunks = smartlist_new();
2966
2967 /* Generate the easy portion of the router descriptor. */
2969 "router %s %s %d 0 %d\n"
2970 "%s"
2971 "%s"
2972 "platform %s\n"
2973 "%s"
2974 "published %s\n"
2975 "fingerprint %s\n"
2976 "uptime %ld\n"
2977 "bandwidth %d %d %d\n"
2978 "%s%s"
2979 "onion-key\n%s"
2980 "signing-key\n%s"
2981 "%s%s"
2982 "%s%s%s",
2983 router->nickname,
2984 address,
2985 router->ipv4_orport,
2986 router_should_advertise_dirport(options, router->ipv4_dirport),
2987 ed_cert_line ? ed_cert_line : "",
2988 extra_or_address ? extra_or_address : "",
2989 router->platform,
2990 proto_line,
2991 published,
2992 fingerprint,
2993 get_uptime(),
2994 (int) router->bandwidthrate,
2995 (int) router->bandwidthburst,
2996 (int) router->bandwidthcapacity,
2997 extra_info_line ? extra_info_line : "",
2998 (options->DownloadExtraInfo || options->V3AuthoritativeDir) ?
2999 "caches-extra-info\n" : "",
3000 onion_pkey, identity_pkey,
3001 rsa_tap_cc_line ? rsa_tap_cc_line : "",
3002 ntor_cc_line ? ntor_cc_line : "",
3003 family_line,
3004 we_are_hibernating() ? "hibernating 1\n" : "",
3005 "hidden-service-dir\n");
3006
3007 if (options->ContactInfo && strlen(options->ContactInfo)) {
3008 const char *ci = options->ContactInfo;
3009 if (strchr(ci, '\n') || strchr(ci, '\r'))
3010 ci = escaped(ci);
3011 smartlist_add_asprintf(chunks, "contact %s\n", ci);
3012 }
3013
3014 if (options->BridgeRelay) {
3015 char *bd = NULL;
3016
3017 if (options->BridgeDistribution && strlen(options->BridgeDistribution)) {
3018 bd = tor_strdup(options->BridgeDistribution);
3019 } else {
3020 bd = tor_strdup("any");
3021 }
3022
3023 // Make sure our value is lowercased in the descriptor instead of just
3024 // forwarding what the user wrote in their torrc directly.
3025 tor_strlower(bd);
3026
3027 smartlist_add_asprintf(chunks, "bridge-distribution-request %s\n", bd);
3028 tor_free(bd);
3029 }
3030
3031 if (router->onion_curve25519_pkey) {
3032 char kbuf[CURVE25519_BASE64_PADDED_LEN + 1];
3034 smartlist_add_asprintf(chunks, "ntor-onion-key %s\n", kbuf);
3035 } else {
3036 /* Authorities will start rejecting relays without ntor keys in 0.2.9 */
3037 log_err(LD_BUG, "A relay must have an ntor onion key");
3038 goto err;
3039 }
3040
3041 /* Write the exit policy to the end of 's'. */
3042 if (!router->exit_policy || !smartlist_len(router->exit_policy)) {
3043 smartlist_add_strdup(chunks, "reject *:*\n");
3044 } else if (router->exit_policy) {
3045 char *exit_policy = router_dump_exit_policy_to_string(router,1,0);
3046
3047 if (!exit_policy)
3048 goto err;
3049
3050 smartlist_add_asprintf(chunks, "%s\n", exit_policy);
3051 tor_free(exit_policy);
3052 }
3053
3054 if (router->ipv6_exit_policy) {
3055 char *p6 = write_short_policy(router->ipv6_exit_policy);
3056 if (p6 && strcmp(p6, "reject 1-65535")) {
3058 "ipv6-policy %s\n", p6);
3059 }
3060 tor_free(p6);
3061 }
3062
3065 smartlist_add_strdup(chunks, "tunnelled-dir-server\n");
3066 }
3067
3068 /* Overload general information. */
3069 if (options->OverloadStatistics) {
3070 char *overload_general = rep_hist_get_overload_general_line();
3071
3072 if (overload_general) {
3073 smartlist_add(chunks, overload_general);
3074 }
3075 }
3076
3077 /* Sign the descriptor with Ed25519 */
3078 if (emit_ed_sigs) {
3079 smartlist_add_strdup(chunks, "router-sig-ed25519 ");
3080 crypto_digest_smartlist_prefix(digest, DIGEST256_LEN,
3081 ED_DESC_SIGNATURE_PREFIX,
3082 chunks, "", DIGEST_SHA256);
3084 char buf[ED25519_SIG_BASE64_LEN+1];
3085 if (ed25519_sign(&sig, (const uint8_t*)digest, DIGEST256_LEN,
3086 signing_keypair) < 0)
3087 goto err;
3088 ed25519_signature_to_base64(buf, &sig);
3089
3090 smartlist_add_asprintf(chunks, "%s\n", buf);
3091 }
3092
3093 /* Sign the descriptor with RSA */
3094 smartlist_add_strdup(chunks, "router-signature\n");
3095
3096 crypto_digest_smartlist(digest, DIGEST_LEN, chunks, "", DIGEST_SHA1);
3097
3098 {
3099 char *sig;
3100 if (!(sig = router_get_dirobj_signature(digest, DIGEST_LEN, ident_key))) {
3101 log_warn(LD_BUG, "Couldn't sign router descriptor");
3102 goto err;
3103 }
3104 smartlist_add(chunks, sig);
3105 }
3106
3107 /* include a last '\n' */
3108 smartlist_add_strdup(chunks, "\n");
3109
3110 output = smartlist_join_strings(chunks, "", 0, NULL);
3111
3112#ifdef DEBUG_ROUTER_DUMP_ROUTER_TO_STRING
3113 {
3114 char *s_dup;
3115 const char *cp;
3116 routerinfo_t *ri_tmp;
3117 cp = s_dup = tor_strdup(output);
3118 ri_tmp = router_parse_entry_from_string(cp, NULL, 1, 0, NULL, NULL);
3119 if (!ri_tmp) {
3120 log_err(LD_BUG,
3121 "We just generated a router descriptor we can't parse.");
3122 log_err(LD_BUG, "Descriptor was: <<%s>>", output);
3123 goto err;
3124 }
3125 tor_free(s_dup);
3126 routerinfo_free(ri_tmp);
3127 }
3128#endif /* defined(DEBUG_ROUTER_DUMP_ROUTER_TO_STRING) */
3129
3130 goto done;
3131
3132 err:
3133 tor_free(output); /* sets output to NULL */
3134 done:
3135 if (chunks) {
3136 SMARTLIST_FOREACH(chunks, char *, cp, tor_free(cp));
3137 smartlist_free(chunks);
3138 }
3139 crypto_pk_free(rsa_pubkey);
3140 tor_free(address);
3141 tor_free(family_line);
3142 tor_free(onion_pkey);
3143 tor_free(identity_pkey);
3144 tor_free(extra_or_address);
3145 tor_free(ed_cert_line);
3146 tor_free(rsa_tap_cc_line);
3147 tor_free(ntor_cc_line);
3148 tor_free(extra_info_line);
3149 tor_free(proto_line);
3150
3151 return output;
3152}
3153
3154/**
3155 * OR only: Given <b>router</b>, produce a string with its exit policy.
3156 * If <b>include_ipv4</b> is true, include IPv4 entries.
3157 * If <b>include_ipv6</b> is true, include IPv6 entries.
3158 */
3159char *
3161 int include_ipv4,
3162 int include_ipv6)
3163{
3164 if ((!router->exit_policy) || (router->policy_is_reject_star)) {
3165 return tor_strdup("reject *:*");
3166 }
3167
3168 return policy_dump_to_string(router->exit_policy,
3169 include_ipv4,
3170 include_ipv6);
3171}
3172
3173/** Load the contents of <b>filename</b>, find a line starting with
3174 * timestamp tag <b>ts_tag</b>, ensure that its timestamp is not more than 25
3175 * hours in the past or more than 1 hour in the future with respect to
3176 * <b>now</b>, and write the entire file contents into <b>out</b>.
3177 *
3178 * The timestamp expected should be an ISO-formatted UTC time value which is
3179 * parsed using our parse_iso_time() function.
3180 *
3181 * In case more than one tag are found in the file, the very first one is
3182 * used.
3183 *
3184 * Return 1 for success, 0 if the file does not exist or is empty, or -1 if
3185 * the file does not contain a line with the timestamp tag. */
3186STATIC int
3187load_stats_file(const char *filename, const char *ts_tag, time_t now,
3188 char **out)
3189{
3190 int r = -1;
3191 char *fname = get_datadir_fname(filename);
3192 char *contents = NULL, timestr[ISO_TIME_LEN+1];
3193 time_t written;
3194
3195 switch (file_status(fname)) {
3196 case FN_FILE:
3197 contents = read_file_to_str(fname, 0, NULL);
3198 if (contents == NULL) {
3199 log_debug(LD_BUG, "Unable to read content of %s", filename);
3200 goto end;
3201 }
3202 /* Find the timestamp tag to validate that the file is not too old or if
3203 * exists. */
3204 const char *ts_tok = find_str_at_start_of_line(contents, ts_tag);
3205 if (!ts_tok) {
3206 log_warn(LD_BUG, "Token %s not found in file %s", ts_tag, filename);
3207 goto end;
3208 }
3209 /* Do we have enough for parsing a timestamp? */
3210 if (strlen(ts_tok) < strlen(ts_tag) + 1 + sizeof(timestr)) {
3211 log_warn(LD_BUG, "Token %s malformed in file %s", ts_tag, filename);
3212 goto end;
3213 }
3214 /* Parse timestamp in order to validate it is not too old. */
3215 strlcpy(timestr, ts_tok + strlen(ts_tag) + 1, sizeof(timestr));
3216 if (parse_iso_time(timestr, &written) < 0) {
3217 log_warn(LD_BUG, "Token %s has a malformed timestamp in file %s",
3218 ts_tag, filename);
3219 goto end;
3220 }
3221 if (written < now - (25*60*60) || written > now + (1*60*60)) {
3222 /* This can happen normally so don't log. */
3223 goto end;
3224 }
3225 /* Success. Put in the entire content. */
3226 *out = contents;
3227 contents = NULL; /* Must not free it. */
3228 r = 1;
3229 break;
3230 /* treat empty stats files as if the file doesn't exist */
3231 case FN_NOENT:
3232 case FN_EMPTY:
3233 r = 0;
3234 break;
3235 case FN_ERROR:
3236 case FN_DIR:
3237 default:
3238 break;
3239 }
3240
3241 end:
3242 tor_free(fname);
3243 tor_free(contents);
3244 return r;
3245}
3246
3247/** Add header strings to chunks, based on the extrainfo object extrainfo,
3248 * and ed25519 keypair signing_keypair, if emit_ed_sigs is true.
3249 * Helper for extrainfo_dump_to_string().
3250 * Returns 0 on success, negative on failure. */
3251static int
3253 smartlist_t *chunks,
3254 const extrainfo_t *extrainfo,
3255 const ed25519_keypair_t *signing_keypair,
3256 int emit_ed_sigs)
3257{
3258 char identity[HEX_DIGEST_LEN+1];
3259 char published[ISO_TIME_LEN+1];
3260 char *ed_cert_line = NULL;
3261 char *pre = NULL;
3262 int rv = -1;
3263
3264 base16_encode(identity, sizeof(identity),
3265 extrainfo->cache_info.identity_digest, DIGEST_LEN);
3266 format_iso_time(published, extrainfo->cache_info.published_on);
3267 if (emit_ed_sigs) {
3268 if (!extrainfo->cache_info.signing_key_cert->signing_key_included ||
3269 !ed25519_pubkey_eq(&extrainfo->cache_info.signing_key_cert->signed_key,
3270 &signing_keypair->pubkey)) {
3271 log_warn(LD_BUG, "Tried to sign a extrainfo descriptor with a "
3272 "mismatched ed25519 key chain %d",
3273 extrainfo->cache_info.signing_key_cert->signing_key_included);
3274 goto err;
3275 }
3276 char ed_cert_base64[256];
3277 if (base64_encode(ed_cert_base64, sizeof(ed_cert_base64),
3278 (const char*)extrainfo->cache_info.signing_key_cert->encoded,
3279 extrainfo->cache_info.signing_key_cert->encoded_len,
3280 BASE64_ENCODE_MULTILINE) < 0) {
3281 log_err(LD_BUG,"Couldn't base64-encode signing key certificate!");
3282 goto err;
3283 }
3284 tor_asprintf(&ed_cert_line, "identity-ed25519\n"
3285 "-----BEGIN ED25519 CERT-----\n"
3286 "%s"
3287 "-----END ED25519 CERT-----\n", ed_cert_base64);
3288 } else {
3289 ed_cert_line = tor_strdup("");
3290 }
3291
3292 /* This is the first chunk in the file. If the file is too big, other chunks
3293 * are removed. So we must only add one chunk here. */
3294 tor_asprintf(&pre, "extra-info %s %s\n%spublished %s\n",
3295 extrainfo->nickname, identity,
3296 ed_cert_line,
3297 published);
3298 smartlist_add(chunks, pre);
3299
3300 rv = 0;
3301 goto done;
3302
3303 err:
3304 rv = -1;
3305
3306 done:
3307 tor_free(ed_cert_line);
3308 return rv;
3309}
3310
3311/** Add pluggable transport and statistics strings to chunks, skipping
3312 * statistics if write_stats_to_extrainfo is false.
3313 * Helper for extrainfo_dump_to_string().
3314 * Can not fail. */
3315static void
3317 int write_stats_to_extrainfo)
3318{
3319 const or_options_t *options = get_options();
3320 char *contents = NULL;
3321 time_t now = time(NULL);
3322
3323 /* If the file is too big, these chunks are removed, starting with the last
3324 * chunk. So each chunk must be a complete line, and the file must be valid
3325 * after each chunk. */
3326
3327 /* Add information about the pluggable transports we support, even if we
3328 * are not publishing statistics. This information is needed by BridgeDB
3329 * to distribute bridges. */
3330 if (options->ServerTransportPlugin) {
3331 char *pluggable_transports = pt_get_extra_info_descriptor_string();
3332 if (pluggable_transports)
3333 smartlist_add(chunks, pluggable_transports);
3334 }
3335
3336 if (options->ExtraInfoStatistics && write_stats_to_extrainfo) {
3337 log_info(LD_GENERAL, "Adding stats to extra-info descriptor.");
3338 /* Bandwidth usage stats don't have their own option */
3339 {
3340 contents = bwhist_get_bandwidth_lines();
3341 smartlist_add(chunks, contents);
3342 }
3343 /* geoip hashes aren't useful unless we are publishing other stats */
3344 if (geoip_is_loaded(AF_INET))
3345 smartlist_add_asprintf(chunks, "geoip-db-digest %s\n",
3346 geoip_db_digest(AF_INET));
3347 if (geoip_is_loaded(AF_INET6))
3348 smartlist_add_asprintf(chunks, "geoip6-db-digest %s\n",
3349 geoip_db_digest(AF_INET6));
3350 if (options->DirReqStatistics &&
3351 load_stats_file("stats"PATH_SEPARATOR"dirreq-stats",
3352 "dirreq-stats-end", now, &contents) > 0) {
3353 smartlist_add(chunks, contents);
3354 }
3355 if (options->HiddenServiceStatistics &&
3356 load_stats_file("stats"PATH_SEPARATOR"hidserv-stats",
3357 "hidserv-stats-end", now, &contents) > 0) {
3358 smartlist_add(chunks, contents);
3359 }
3360 if (options->HiddenServiceStatistics &&
3361 load_stats_file("stats"PATH_SEPARATOR"hidserv-v3-stats",
3362 "hidserv-v3-stats-end", now, &contents) > 0) {
3363 smartlist_add(chunks, contents);
3364 }
3365 if (options->EntryStatistics &&
3366 load_stats_file("stats"PATH_SEPARATOR"entry-stats",
3367 "entry-stats-end", now, &contents) > 0) {
3368 smartlist_add(chunks, contents);
3369 }
3370 if (options->CellStatistics &&
3371 load_stats_file("stats"PATH_SEPARATOR"buffer-stats",
3372 "cell-stats-end", now, &contents) > 0) {
3373 smartlist_add(chunks, contents);
3374 }
3375 if (options->ExitPortStatistics &&
3376 load_stats_file("stats"PATH_SEPARATOR"exit-stats",
3377 "exit-stats-end", now, &contents) > 0) {
3378 smartlist_add(chunks, contents);
3379 }
3380 if (options->ConnDirectionStatistics &&
3381 load_stats_file("stats"PATH_SEPARATOR"conn-stats",
3382 "conn-bi-direct", now, &contents) > 0) {
3383 smartlist_add(chunks, contents);
3384 }
3385 if (options->PaddingStatistics) {
3387 if (contents)
3388 smartlist_add(chunks, contents);
3389 }
3390 if (options->OverloadStatistics) {
3392 if (contents) {
3393 smartlist_add(chunks, contents);
3394 }
3395 }
3396 /* bridge statistics */
3397 if (should_record_bridge_info(options)) {
3398 const char *bridge_stats = geoip_get_bridge_stats_extrainfo(now);
3399 if (bridge_stats) {
3400 smartlist_add_strdup(chunks, bridge_stats);
3401 }
3402 }
3403 }
3404}
3405
3406/** Add an ed25519 signature of chunks to chunks, using the ed25519 keypair
3407 * signing_keypair.
3408 * Helper for extrainfo_dump_to_string().
3409 * Returns 0 on success, negative on failure. */
3410static int
3412 smartlist_t *chunks,
3413 const ed25519_keypair_t *signing_keypair)
3414{
3415 char sha256_digest[DIGEST256_LEN];
3416 ed25519_signature_t ed_sig;
3417 char buf[ED25519_SIG_BASE64_LEN+1];
3418 int rv = -1;
3419
3420 /* These are two of the three final chunks in the file. If the file is too
3421 * big, other chunks are removed. So we must only add two chunks here. */
3422 smartlist_add_strdup(chunks, "router-sig-ed25519 ");
3423 crypto_digest_smartlist_prefix(sha256_digest, DIGEST256_LEN,
3424 ED_DESC_SIGNATURE_PREFIX,
3425 chunks, "", DIGEST_SHA256);
3426 if (ed25519_sign(&ed_sig, (const uint8_t*)sha256_digest, DIGEST256_LEN,
3427 signing_keypair) < 0)
3428 goto err;
3429 ed25519_signature_to_base64(buf, &ed_sig);
3430
3431 smartlist_add_asprintf(chunks, "%s\n", buf);
3432
3433 rv = 0;
3434 goto done;
3435
3436 err:
3437 rv = -1;
3438
3439 done:
3440 return rv;
3441}
3442
3443/** Add an RSA signature of extrainfo_string to chunks, using the RSA key
3444 * ident_key.
3445 * Helper for extrainfo_dump_to_string().
3446 * Returns 0 on success, negative on failure. */
3447static int
3449 crypto_pk_t *ident_key,
3450 const char *extrainfo_string)
3451{
3452 char sig[DIROBJ_MAX_SIG_LEN+1];
3453 char digest[DIGEST_LEN];
3454 int rv = -1;
3455
3456 memset(sig, 0, sizeof(sig));
3457 if (router_get_extrainfo_hash(extrainfo_string, strlen(extrainfo_string),
3458 digest) < 0 ||
3459 router_append_dirobj_signature(sig, sizeof(sig), digest, DIGEST_LEN,
3460 ident_key) < 0) {
3461 log_warn(LD_BUG, "Could not append signature to extra-info "
3462 "descriptor.");
3463 goto err;
3464 }
3465 smartlist_add_strdup(chunks, sig);
3466
3467 rv = 0;
3468 goto done;
3469
3470 err:
3471 rv = -1;
3472
3473 done:
3474 return rv;
3475}
3476
3477/** Write the contents of <b>extrainfo</b>, to * *<b>s_out</b>, signing them
3478 * with <b>ident_key</b>.
3479 *
3480 * If ExtraInfoStatistics is 1, also write aggregated statistics and related
3481 * configuration data before signing. Most statistics also have an option that
3482 * enables or disables that particular statistic.
3483 *
3484 * Always write pluggable transport lines.
3485 *
3486 * Return 0 on success, negative on failure. */
3487int
3488extrainfo_dump_to_string(char **s_out, extrainfo_t *extrainfo,
3489 crypto_pk_t *ident_key,
3490 const ed25519_keypair_t *signing_keypair)
3491{
3492 int result;
3493 static int write_stats_to_extrainfo = 1;
3494 char *s = NULL, *cp, *s_dup = NULL;
3495 smartlist_t *chunks = smartlist_new();
3496 extrainfo_t *ei_tmp = NULL;
3497 const int emit_ed_sigs = signing_keypair &&
3498 extrainfo->cache_info.signing_key_cert;
3499 int rv = 0;
3500
3501 rv = extrainfo_dump_to_string_header_helper(chunks, extrainfo,
3502 signing_keypair,
3503 emit_ed_sigs);
3504 if (rv < 0)
3505 goto err;
3506
3507 extrainfo_dump_to_string_stats_helper(chunks, write_stats_to_extrainfo);
3508
3509 if (emit_ed_sigs) {
3510 rv = extrainfo_dump_to_string_ed_sig_helper(chunks, signing_keypair);
3511 if (rv < 0)
3512 goto err;
3513 }
3514
3515 /* This is one of the three final chunks in the file. If the file is too big,
3516 * other chunks are removed. So we must only add one chunk here. */
3517 smartlist_add_strdup(chunks, "router-signature\n");
3518 s = smartlist_join_strings(chunks, "", 0, NULL);
3519
3520 while (strlen(s) > MAX_EXTRAINFO_UPLOAD_SIZE - DIROBJ_MAX_SIG_LEN) {
3521 /* So long as there are at least two chunks (one for the initial
3522 * extra-info line and one for the router-signature), we can keep removing
3523 * things. If emit_ed_sigs is true, we also keep 2 additional chunks at the
3524 * end for the ed25519 signature. */
3525 const int required_chunks = emit_ed_sigs ? 4 : 2;
3526 if (smartlist_len(chunks) > required_chunks) {
3527 /* We remove the next-to-last or 4th-last element (remember, len-1 is the
3528 * last element), since we need to keep the router-signature elements. */
3529 int idx = smartlist_len(chunks) - required_chunks;
3530 char *e = smartlist_get(chunks, idx);
3531 smartlist_del_keeporder(chunks, idx);
3532 log_warn(LD_GENERAL, "We just generated an extra-info descriptor "
3533 "with statistics that exceeds the 50 KB "
3534 "upload limit. Removing last added "
3535 "statistics.");
3536 tor_free(e);
3537 tor_free(s);
3538 s = smartlist_join_strings(chunks, "", 0, NULL);
3539 } else {
3540 log_warn(LD_BUG, "We just generated an extra-info descriptors that "
3541 "exceeds the 50 KB upload limit.");
3542 goto err;
3543 }
3544 }
3545
3546 rv = extrainfo_dump_to_string_rsa_sig_helper(chunks, ident_key, s);
3547 if (rv < 0)
3548 goto err;
3549
3550 tor_free(s);
3551 s = smartlist_join_strings(chunks, "", 0, NULL);
3552
3553 cp = s_dup = tor_strdup(s);
3554 ei_tmp = extrainfo_parse_entry_from_string(cp, NULL, 1, NULL, NULL);
3555 if (!ei_tmp) {
3556 if (write_stats_to_extrainfo) {
3557 log_warn(LD_GENERAL, "We just generated an extra-info descriptor "
3558 "with statistics that we can't parse. Not "
3559 "adding statistics to this or any future "
3560 "extra-info descriptors.");
3561 write_stats_to_extrainfo = 0;
3562 result = extrainfo_dump_to_string(s_out, extrainfo, ident_key,
3563 signing_keypair);
3564 goto done;
3565 } else {
3566 log_warn(LD_BUG, "We just generated an extrainfo descriptor we "
3567 "can't parse.");
3568 goto err;
3569 }
3570 }
3571
3572 *s_out = s;
3573 s = NULL; /* prevent free */
3574 result = 0;
3575 goto done;
3576
3577 err:
3578 result = -1;
3579
3580 done:
3581 tor_free(s);
3582 SMARTLIST_FOREACH(chunks, char *, chunk, tor_free(chunk));
3583 smartlist_free(chunks);
3584 tor_free(s_dup);
3585 extrainfo_free(ei_tmp);
3586
3587 return result;
3588}
3589
3590/** Forget that we have issued any router-related warnings, so that we'll
3591 * warn again if we see the same errors. */
3592void
3594{
3595 if (warned_family) {
3596 SMARTLIST_FOREACH(warned_family, char *, cp, tor_free(cp));
3598 }
3599}
3600
3601/** Release all static resources held in router.c */
3602void
3604{
3605 crypto_pk_free(onionkey);
3606 crypto_pk_free(lastonionkey);
3607 crypto_pk_free(server_identitykey);
3608 crypto_pk_free(client_identitykey);
3609
3610 /* Destroying a locked mutex is undefined behaviour. This mutex may be
3611 * locked, because multiple threads can access it. But we need to destroy
3612 * it, otherwise re-initialisation will trigger undefined behaviour.
3613 * See #31735 for details. */
3615 routerinfo_free(desc_routerinfo);
3616 extrainfo_free(desc_extrainfo);
3617 crypto_pk_free(authority_signing_key);
3618 authority_cert_free(authority_key_certificate);
3619 crypto_pk_free(legacy_signing_key);
3620 authority_cert_free(legacy_key_certificate);
3621
3624
3625 if (warned_family) {
3626 SMARTLIST_FOREACH(warned_family, char *, cp, tor_free(cp));
3627 smartlist_free(warned_family);
3628 }
3629}
3630
3631/* From the given RSA key object, convert it to ASN-1 encoded format and set
3632 * the newly allocated object in onion_pkey_out. The length of the key is set
3633 * in onion_pkey_len_out. */
3634void
3635router_set_rsa_onion_pkey(const crypto_pk_t *pk, char **onion_pkey_out,
3636 size_t *onion_pkey_len_out)
3637{
3638 int len;
3639 char buf[1024];
3640
3641 tor_assert(pk);
3642 tor_assert(onion_pkey_out);
3643 tor_assert(onion_pkey_len_out);
3644
3645 len = crypto_pk_asn1_encode(pk, buf, sizeof(buf));
3646 if (BUG(len < 0)) {
3647 goto done;
3648 }
3649
3650 *onion_pkey_out = tor_memdup(buf, len);
3651 *onion_pkey_len_out = len;
3652
3653 done:
3654 return;
3655}
3656
3657/* From an ASN-1 encoded onion pkey, return a newly allocated RSA key object.
3658 * It is the caller's responsibility to free the returned object.
3659 *
3660 * Return NULL if the pkey is NULL, malformed or if the length is 0. */
3662router_get_rsa_onion_pkey(const char *pkey, size_t pkey_len)
3663{
3664 if (!pkey || pkey_len == 0) {
3665 return NULL;
3666 }
3667 return crypto_pk_asn1_decode(pkey, pkey_len);
3668}
void tor_addr_copy(tor_addr_t *dest, const tor_addr_t *src)
Definition: address.c:933
void tor_addr_make_null(tor_addr_t *a, sa_family_t family)
Definition: address.c:235
int tor_addr_is_null(const tor_addr_t *addr)
Definition: address.c:780
char * tor_addr_to_str_dup(const tor_addr_t *addr)
Definition: address.c:1164
const char * fmt_addrport(const tor_addr_t *addr, uint16_t port)
Definition: address.c:1199
const char * fmt_af_family(sa_family_t family)
Definition: address.c:1246
const char * tor_addr_to_str(char *dest, const tor_addr_t *addr, size_t len, int decorate)
Definition: address.c:328
static sa_family_t tor_addr_family(const tor_addr_t *a)
Definition: address.h:187
#define TOR_ADDR_BUF_LEN
Definition: address.h:224
#define tor_addr_eq(a, b)
Definition: address.h:280
int trusted_dirs_load_certs_from_string(const char *contents, int source, int flush, const char *source_dir)
Definition: authcert.c:373
Header file for authcert.c.
authority_cert_t * authority_cert_parse_from_string(const char *s, size_t maxlen, const char **end_of_string)
Header file for authcert_parse.c.
int authdir_mode(const or_options_t *options)
Definition: authmode.c:25
Header file for directory authority mode.
Authority certificate structure.
int base64_encode(char *dest, size_t destlen, const char *src, size_t srclen, int flags)
Definition: binascii.c:215
int base16_decode(char *dest, size_t destlen, const char *src, size_t srclen)
Definition: binascii.c:506
void base16_encode(char *dest, size_t destlen, const char *src, size_t srclen)
Definition: binascii.c:478
int bwhist_bandwidth_assess(void)
Definition: bwhist.c:241
char * bwhist_get_bandwidth_lines(void)
Definition: bwhist.c:332
Header for feature/stats/bwhist.c.
#define ARRAY_LENGTH(x)
tor_mutex_t * tor_mutex_new(void)
Definition: compat_mutex.c:17
void tor_mutex_release(tor_mutex_t *m)
void tor_mutex_acquire(tor_mutex_t *m)
#define tor_mutex_free(m)
Definition: compat_mutex.h:73
int portconf_get_first_advertised_port(int listener_type, int address_family)
Definition: config.c:6820
const char * name
Definition: config.c:2462
int create_keys_directory(const or_options_t *options)
Definition: config.c:1401
const or_options_t * get_options(void)
Definition: config.c:944
int port_exists_by_type_addr_port(int listener_type, const tor_addr_t *addr, int port, int check_wildcard)
Definition: config.c:6847
tor_cmdline_mode_t command
Definition: config.c:2468
const tor_addr_t * portconf_get_first_advertised_addr(int listener_type, int address_family)
Definition: config.c:6832
Header file for config.c.
Header for confline.c.
Header file for connection.c.
#define CONN_TYPE_DIR_LISTENER
Definition: connection.h:53
#define CONN_TYPE_OR_LISTENER
Definition: connection.h:41
int control_event_my_descriptor_changed(void)
Header file for control_events.c.
int curve25519_keypair_write_to_file(const curve25519_keypair_t *keypair, const char *fname, const char *tag)
int curve25519_keypair_read_from_file(curve25519_keypair_t *keypair_out, char **tag_out, const char *fname)
int curve25519_keypair_generate(curve25519_keypair_t *keypair_out, int extra_strong)
void curve25519_public_to_base64(char *output, const curve25519_public_key_t *pkey, bool pad)
#define BASE64_DIGEST256_LEN
Definition: crypto_digest.h:29
#define HEX_DIGEST_LEN
Definition: crypto_digest.h:35
int crypto_digest256(char *digest, const char *m, size_t len, digest_algorithm_t algorithm)
int ed25519_sign(ed25519_signature_t *signature_out, const uint8_t *msg, size_t len, const ed25519_keypair_t *keypair)
int ed25519_pubkey_eq(const ed25519_public_key_t *key1, const ed25519_public_key_t *key2)
Header for crypto_ed25519.c.
void digest256_to_base64(char *d64, const char *digest)
void ed25519_signature_to_base64(char *output, const ed25519_signature_t *sig)
void ed25519_public_to_base64(char *output, const ed25519_public_key_t *pkey)
Header for crypto_format.c.
Headers for crypto_init.c.
Common functions for using (pseudo-)random number generators.
int crypto_rand_int_range(unsigned int min, unsigned int max)
int crypto_rand_int(unsigned int max)
int crypto_pk_get_fingerprint(crypto_pk_t *pk, char *fp_out, int add_space)
Definition: crypto_rsa.c:229
int crypto_pk_eq_keys(const crypto_pk_t *a, const crypto_pk_t *b)
Definition: crypto_rsa.c:71
int crypto_pk_write_public_key_to_string(crypto_pk_t *env, char **dest, size_t *len)
Definition: crypto_rsa.c:466
int crypto_pk_write_private_key_to_filename(crypto_pk_t *env, const char *fname)
Definition: crypto_rsa.c:610
int crypto_pk_get_hashed_fingerprint(crypto_pk_t *pk, char *fp_out)
Definition: crypto_rsa.c:254
int crypto_pk_get_digest(const crypto_pk_t *pk, char *digest_out)
Definition: crypto_rsa.c:356
crypto_pk_t * crypto_pk_new(void)
int crypto_pk_asn1_encode(const crypto_pk_t *pk, char *dest, size_t dest_len)
crypto_pk_t * crypto_pk_asn1_decode(const char *str, size_t len)
crypto_pk_t * crypto_pk_copy_full(crypto_pk_t *orig)
crypto_pk_t * crypto_pk_dup_key(crypto_pk_t *orig)
#define FINGERPRINT_LEN
Definition: crypto_rsa.h:34
void memwipe(void *mem, uint8_t byte, size_t sz)
Definition: crypto_util.c:55
Common functions for cryptographic routines.
void dimap_add_entry(di_digest256_map_t **map, const uint8_t *key, void *val)
Definition: di_ops.c:176
int tor_memeq(const void *a, const void *b, size_t sz)
Definition: di_ops.c:107
#define dimap_free(map, free_fn)
Definition: di_ops.h:63
#define fast_memeq(a, b, c)
Definition: di_ops.h:35
#define tor_memneq(a, b, sz)
Definition: di_ops.h:21
#define DIGEST_LEN
Definition: digest_sizes.h:20
#define DIGEST256_LEN
Definition: digest_sizes.h:23
Client/server directory connection structure.
Trusted/fallback directory server structure.
void directory_post_to_dirservers(uint8_t dir_purpose, uint8_t router_purpose, dirinfo_type_t type, const char *payload, size_t payload_len, size_t extrainfo_len)
Definition: dirclient.c:229
Header file for dirclient.c.
Header file for directory.c.
#define DIR_PURPOSE_UPLOAD_DIR
Definition: directory.h:41
dir_server_t * router_get_trusteddirserver_by_digest(const char *digest)
Definition: dirlist.c:160
void dir_server_add(dir_server_t *ent)
Definition: dirlist.c:564
dir_server_t * trusted_dir_server_new(const char *nickname, const char *address, uint16_t ipv4_dirport, uint16_t ipv4_orport, const tor_addr_port_t *ipv6_addrport, const char *digest, const char *v3_auth_digest, dirinfo_type_t type, double weight)
Definition: dirlist.c:419
Header file for dirlist.c.
int directory_permits_begindir_requests(const or_options_t *options)
Definition: dirserv.c:110
Header file for dirserv.c.
int dns_seems_to_be_broken(void)
Definition: dns.c:2139
int has_dns_init_failed(void)
Definition: dns.c:274
Header file for dns.c.
const char * escaped(const char *s)
Definition: escape.c:126
A relay's extra-info structure.
int tor_unlink(const char *pathname)
Definition: files.c:154
file_status_t file_status(const char *filename)
Definition: files.c:212
int write_str_to_file_if_not_equal(const char *fname, const char *str)
Definition: files.c:744
int replace_file(const char *from, const char *to)
Definition: files.c:117
const char * geoip_db_digest(sa_family_t family)
Definition: geoip.c:473
int geoip_is_loaded(sa_family_t family)
Definition: geoip.c:458
Header file for geoip.c.
Header file for geoip_stats.c.
const char * geoip_get_bridge_stats_extrainfo(time_t)
Definition: geoip_stats.c:1301
int should_record_bridge_info(const or_options_t *options)
Definition: geoip_stats.c:112
int accounting_is_enabled(const or_options_t *options)
Definition: hibernate.c:305
int we_are_hibernating(void)
Definition: hibernate.c:937
int accounting_get_interval_length(void)
Definition: hibernate.c:315
Header file for hibernate.c.
uint16_t sa_family_t
Definition: inaddr_st.h:77
crypto_pk_t * init_key_from_file(const char *fname, int generate, int severity, bool *created_out)
Definition: loadkey.c:40
Header file for loadkey.c.
void tor_log(int severity, log_domain_mask_t domain, const char *format,...)
Definition: log.c:591
#define log_fn(severity, domain, args,...)
Definition: log.h:283
#define LD_OR
Definition: log.h:92
#define LOG_ERR
Definition: log.h:56
#define LD_FS
Definition: log.h:70
#define LD_BUG
Definition: log.h:86
#define LD_GENERAL
Definition: log.h:62
#define LD_DIR
Definition: log.h:88
#define LOG_NOTICE
Definition: log.h:50
#define LD_CONFIG
Definition: log.h:68
#define LOG_WARN
Definition: log.h:53
int try_locking(const or_options_t *options, int err_if_locked)
Definition: main.c:661
int have_lockfile(void)
Definition: main.c:697
Header file for main.c.
void ip_address_changed(int on_client_conn)
Definition: mainloop.c:2318
smartlist_t * get_connection_array(void)
Definition: mainloop.c:443
long get_uptime(void)
Definition: mainloop.c:2557
Header file for mainloop.c.
#define tor_free(p)
Definition: malloc.h:56
int net_is_disabled(void)
Definition: netstatus.c:25
Header for netstatus.c.
const routerstatus_t * networkstatus_vote_find_entry(networkstatus_t *ns, const char *digest)
int32_t networkstatus_get_param(const networkstatus_t *ns, const char *param_name, int32_t default_val, int32_t min_val, int32_t max_val)
networkstatus_t * networkstatus_get_live_consensus(time_t now)
Header file for networkstatus.c.
Networkstatus consensus/vote structure.
int is_legal_nickname_or_hexdigest(const char *s)
Definition: nickname.c:31
int is_legal_hexdigest(const char *s)
Definition: nickname.c:45
Header file for nickname.c.
Node information structure.
char * nodefamily_format(const nodefamily_t *family)
Definition: nodefamily.c:374
nodefamily_t * nodefamily_from_members(const smartlist_t *members, const uint8_t *rsa_id_self, unsigned flags, smartlist_t *unrecognized_out)
Definition: nodefamily.c:159
Header file for nodefamily.c.
const node_t * node_get_by_nickname(const char *nickname, unsigned flags)
Definition: nodelist.c:1085
consensus_path_type_t router_have_consensus_path(void)
Definition: nodelist.c:2469
Header file for nodelist.c.
Master header file for Tor-specific functionality.
@ SAVED_NOWHERE
Definition: or.h:626
#define MAX_ONION_KEY_LIFETIME_DAYS
Definition: or.h:136
#define MAX_EXTRAINFO_UPLOAD_SIZE
Definition: or.h:130
#define CFG_AUTO_PORT
Definition: or.h:891
#define MIN_ONION_KEY_LIFETIME_DAYS
Definition: or.h:133
#define MIN_ONION_KEY_GRACE_PERIOD_DAYS
Definition: or.h:144
#define DEFAULT_ONION_KEY_LIFETIME_DAYS
Definition: or.h:139
dirinfo_type_t
Definition: or.h:787
@ V3_DIRINFO
Definition: or.h:790
@ BRIDGE_DIRINFO
Definition: or.h:792
@ EXTRAINFO_DIRINFO
Definition: or.h:794
@ MICRODESC_DIRINFO
Definition: or.h:796
#define DEFAULT_ONION_KEY_GRACE_PERIOD_DAYS
Definition: or.h:147
The or_state_t structure, which represents Tor's state file.
int policies_parse_exit_policy_from_options(const or_options_t *or_options, const tor_addr_t *ipv4_local_address, const tor_addr_t *ipv6_local_address, smartlist_t **result)
Definition: policies.c:2123
char * policy_dump_to_string(const smartlist_t *policy_list, int include_ipv4, int include_ipv6)
Definition: policies.c:2945
addr_policy_result_t compare_tor_addr_to_addr_policy(const tor_addr_t *addr, uint16_t port, const smartlist_t *policy)
Definition: policies.c:1536
char * write_short_policy(const short_policy_t *policy)
Definition: policies.c:2806
addr_policy_result_t compare_tor_addr_to_short_policy(const tor_addr_t *addr, uint16_t port, const short_policy_t *policy)
Definition: policies.c:2842
int policy_is_reject_star(const smartlist_t *policy, sa_family_t family, int default_reject)
Definition: policies.c:2264
char * policy_summarize(smartlist_t *policy, sa_family_t family)
Definition: policies.c:2593
short_policy_t * parse_short_policy(const char *summary)
Definition: policies.c:2705
void policies_exit_policy_append_reject_star(smartlist_t **dest)
Definition: policies.c:2186
Header file for policies.c.
@ ADDR_POLICY_ACCEPTED
Definition: policies.h:40
Listener port configuration structure.
int tor_asprintf(char **strp, const char *fmt,...)
Definition: printf.c:75
int tor_snprintf(char *str, size_t size, const char *format,...)
Definition: printf.c:27
int dirserv_load_fingerprint_file(void)
was_router_added_t dirserv_add_descriptor(routerinfo_t *ri, const char **msg, const char *source)
int dirserv_add_own_fingerprint(crypto_pk_t *pk, const ed25519_public_key_t *edkey)
Header file for process_descs.c.
const char * protover_get_supported_protocols(void)
C_RUST_COUPLED: src/rust/protover/protover.rs SUPPORTED_PROTOCOLS
Definition: protover.c:437
Headers and type declarations for protover.c.
uint32_t relay_get_effective_bwrate(const or_options_t *options)
Definition: relay_config.c:94
uint32_t relay_get_effective_bwburst(const or_options_t *options)
Definition: relay_config.c:108
Header for feature/relay/relay_config.c.
bool relay_find_addr_to_publish(const or_options_t *options, int family, int flags, tor_addr_t *addr_out)
Header file for relay_find_addr.c.
void reschedule_descriptor_update_check(void)
Header for feature/relay/relay_periodic.c.
char * rep_hist_get_overload_stats_lines(void)
Definition: rephist.c:494
char * rep_hist_get_overload_general_line(void)
Definition: rephist.c:476
char * rep_hist_get_padding_count_lines(void)
Definition: rephist.c:2916
Header file for rephist.c.
const char * resolved_addr_method_to_str(const resolved_addr_method_t method)
Definition: resolve_addr.c:81
Header file for resolve_addr.c.
resolved_addr_method_t
Definition: resolve_addr.h:19
int router_compare_to_my_exit_policy(const tor_addr_t *addr, uint16_t port)
Definition: router.c:1697
STATIC smartlist_t * get_my_declared_family(const or_options_t *options)
Definition: router.c:1966
void ntor_key_map_free_(di_digest256_map_t *map)
Definition: router.c:332
static crypto_pk_t * onionkey
Definition: router.c:105
static tor_mutex_t * key_lock
Definition: router.c:102
void router_reset_warnings(void)
Definition: router.c:3593
void consider_publishable_server(int force)
Definition: router.c:1466
#define FAST_RETRY_DESCRIPTOR_INTERVAL
Definition: router.c:2528
static void router_check_descriptor_address_consistency(const tor_addr_t *addr)
Definition: router.c:1948
int router_has_bandwidth_to_be_dirserver(const or_options_t *options)
Definition: router.c:1243
static int extrainfo_dump_to_string_ed_sig_helper(smartlist_t *chunks, const ed25519_keypair_t *signing_keypair)
Definition: router.c:3411
void v3_authority_check_key_expiry(void)
Definition: router.c:731
void router_new_consensus_params(const networkstatus_t *ns)
Definition: router.c:2490
static const char * desc_gen_reason
Definition: router.c:1637
STATIC extrainfo_t * router_build_fresh_signed_extrainfo(const routerinfo_t *ri)
Definition: router.c:2299
void router_free_all(void)
Definition: router.c:3603
static bool publish_even_when_ipv4_orport_unreachable
Definition: router.c:1398
crypto_pk_t * get_tlsclient_identity_key(void)
Definition: router.c:432
static curve25519_keypair_t last_curve25519_onion_key
Definition: router.c:113
static void assert_identity_keys_ok(void)
Definition: router.c:376
uint16_t routerconf_find_or_port(const or_options_t *options, sa_family_t family)
Definition: router.c:1507
static int extrainfo_dump_to_string_header_helper(smartlist_t *chunks, const extrainfo_t *extrainfo, const ed25519_keypair_t *signing_keypair, int emit_ed_sigs)
Definition: router.c:3252
static int desc_needs_upload
Definition: router.c:1644
const char * router_get_descriptor_gen_reason(void)
Definition: router.c:1871
static int init_curve25519_keypair_from_file(curve25519_keypair_t *keys_out, const char *fname, int generate, int severity, const char *tag)
Definition: router.c:585
static authority_cert_t * authority_key_certificate
Definition: router.c:127
void router_upload_dir_desc_to_dirservers(int force)
Definition: router.c:1651
#define MAX_BANDWIDTH_CHANGE_FREQ
Definition: router.c:2590
STATIC int router_write_fingerprint(int hashed, int ed25519_identity)
Definition: router.c:875
static bool omit_ipv6_on_publish
Definition: router.c:151
STATIC void router_update_routerinfo_from_extrainfo(routerinfo_t *ri, const extrainfo_t *ei)
Definition: router.c:2331
void log_addr_has_changed(int severity, const tor_addr_t *prev, const tor_addr_t *cur, const char *source)
Definition: router.c:2647
int extrainfo_dump_to_string(char **s_out, extrainfo_t *extrainfo, crypto_pk_t *ident_key, const ed25519_keypair_t *signing_keypair)
Definition: router.c:3488
static crypto_pk_t * server_identitykey
Definition: router.c:116
int init_keys(void)
Definition: router.c:967
int get_onion_key_grace_period(void)
Definition: router.c:804
static smartlist_t * warned_family
Definition: router.c:1958
void check_descriptor_ipaddress_changed(time_t now)
Definition: router.c:2681
#define FORCE_REGENERATE_DESCRIPTOR_INTERVAL
Definition: router.c:2524
STATIC int router_dump_and_sign_routerinfo_descriptor_body(routerinfo_t *ri)
Definition: router.c:2359
const uint8_t * router_get_my_id_digest(void)
Definition: router.c:1752
STATIC void router_announce_bridge_status_page(void)
Definition: router.c:853
bool router_addr_is_my_published_addr(const tor_addr_t *addr)
Definition: router.c:1784
static int decide_if_publishable_server(void)
Definition: router.c:1419
crypto_pk_t * get_my_v3_legacy_signing_key(void)
Definition: router.c:474
static curve25519_keypair_t curve25519_onion_key
Definition: router.c:110
int router_initialize_tls_context(void)
Definition: router.c:818
void set_client_identity_key(crypto_pk_t *k)
Definition: router.c:422
crypto_pk_t * get_my_v3_authority_signing_key(void)
Definition: router.c:457
static void extrainfo_dump_to_string_stats_helper(smartlist_t *chunks, int write_stats_to_extrainfo)
Definition: router.c:3316
void routerconf_find_ipv6_or_ap(const or_options_t *options, tor_addr_port_t *ipv6_ap_out)
Definition: router.c:1527
static crypto_pk_t * authority_signing_key
Definition: router.c:124
void dup_onion_keys(crypto_pk_t **key, crypto_pk_t **last)
Definition: router.c:228
int router_should_advertise_dirport(const or_options_t *options, uint16_t dir_port)
Definition: router.c:1363
static routerinfo_t * desc_routerinfo
Definition: router.c:1632
bool routerconf_has_ipv6_orport(const or_options_t *options)
Definition: router.c:1568
static char server_identitykey_digest[DIGEST_LEN]
Definition: router.c:118
void mark_my_descriptor_if_omit_ipv6_changes(const char *reason, bool omit_ipv6)
Definition: router.c:2511
STATIC int router_build_fresh_unsigned_routerinfo(routerinfo_t **ri_out)
Definition: router.c:2091
time_t get_onion_key_set_at(void)
Definition: router.c:344
static void set_onion_key(crypto_pk_t *k)
Definition: router.c:200
extrainfo_t * router_get_my_extrainfo(void)
Definition: router.c:1859
uint16_t router_get_active_listener_port_by_type_af(int listener_type, sa_family_t family)
Definition: router.c:1487
static int init_v3_authority_keys(void)
Definition: router.c:714
static int router_should_be_dirserver(const or_options_t *options, int dir_port)
Definition: router.c:1263
#define MIN_BW_TO_ADVERTISE_DIRSERVER
Definition: router.c:1237
const routerinfo_t * router_get_my_routerinfo_with_err(int *err)
Definition: router.c:1816
bool rotate_onion_key(void)
Definition: router.c:489
crypto_pk_t * get_onion_key(void)
Definition: router.c:217
static int router_should_advertise_begindir(const or_options_t *options, int supports_tunnelled_dir_requests)
Definition: router.c:1373
static crypto_pk_t * lastonionkey
Definition: router.c:108
void expire_old_onion_keys(void)
Definition: router.c:252
static int decide_to_advertise_dir_impl(const or_options_t *options, uint16_t dir_port, int supports_tunnelled_dir_requests)
Definition: router.c:1332
int client_identity_key_is_set(void)
Definition: router.c:441
int server_identity_key_is_set(void)
Definition: router.c:412
STATIC const char * desc_dirty_reason
Definition: router.c:1642
static bool publish_even_when_ipv6_orport_unreachable
Definition: router.c:1403
bool router_rebuild_descriptor(int force)
Definition: router.c:2456
static crypto_pk_t * legacy_signing_key
Definition: router.c:131
static authority_cert_t * legacy_key_certificate
Definition: router.c:134
int router_extrainfo_digest_is_me(const char *digest)
Definition: router.c:1760
void check_descriptor_bandwidth_changed(time_t now)
Definition: router.c:2603
int get_onion_key_lifetime(void)
Definition: router.c:794
#define MAX_UPTIME_BANDWIDTH_CHANGE
Definition: router.c:2594
static extrainfo_t * router_build_fresh_unsigned_extrainfo(const routerinfo_t *ri)
Definition: router.c:2227
int router_digest_is_me(const char *digest)
Definition: router.c:1744
static int router_dump_and_sign_extrainfo_descriptor_body(extrainfo_t *ei)
Definition: router.c:2266
const char * router_get_my_descriptor(void)
Definition: router.c:1842
bool router_can_extend_over_ipv6(const or_options_t *options)
Definition: router.c:1599
int router_build_fresh_descriptor(routerinfo_t **r, extrainfo_t **e)
Definition: router.c:2393
STATIC const struct curve25519_keypair_t * get_current_curve25519_keypair(void)
Definition: router.c:292
void mark_my_descriptor_dirty(const char *reason)
Definition: router.c:2572
static int get_onion_key_rotation_days_(void)
Definition: router.c:780
void mark_my_descriptor_dirty_if_too_old(time_t now)
Definition: router.c:2533
char * router_dump_exit_policy_to_string(const routerinfo_t *router, int include_ipv4, int include_ipv6)
Definition: router.c:3160
STATIC int load_stats_file(const char *filename, const char *ts_tag, time_t now, char **out)
Definition: router.c:3187
static time_t onionkey_set_at
Definition: router.c:103
void set_server_identity_key(crypto_pk_t *k)
Definition: router.c:352
int router_is_me(const routerinfo_t *router)
Definition: router.c:1773
static int extrainfo_dump_to_string_rsa_sig_helper(smartlist_t *chunks, crypto_pk_t *ident_key, const char *extrainfo_string)
Definition: router.c:3448
static void ntor_key_map_free_helper(void *arg)
Definition: router.c:324
static crypto_pk_t * client_identitykey
Definition: router.c:122
static void log_new_relay_greeting(void)
Definition: router.c:563
const routerinfo_t * router_get_my_routerinfo(void)
Definition: router.c:1806
static int load_authority_keyset(int legacy, crypto_pk_t **key_out, authority_cert_t **cert_out)
Definition: router.c:657
authority_cert_t * get_my_v3_authority_cert(void)
Definition: router.c:449
STATIC time_t desc_clean_since
Definition: router.c:1640
uint16_t routerconf_find_dir_port(const or_options_t *options, uint16_t dirport)
Definition: router.c:1612
int routerinfo_err_is_transient(int err)
Definition: router.c:186
#define BANDWIDTH_CHANGE_FACTOR
Definition: router.c:2597
char * router_dump_router_to_string(routerinfo_t *router, const crypto_pk_t *ident_key, const crypto_pk_t *tap_key, const curve25519_keypair_t *ntor_keypair, const ed25519_keypair_t *signing_keypair)
Definition: router.c:2766
const char * routerinfo_err_to_string(int err)
Definition: router.c:157
int router_my_exit_policy_is_reject_star(void)
Definition: router.c:1732
static extrainfo_t * desc_extrainfo
Definition: router.c:1634
STATIC void get_platform_str(char *platform, size_t len)
Definition: router.c:2745
int should_refuse_unknown_exits(const or_options_t *options)
Definition: router.c:1385
authority_cert_t * get_my_v3_legacy_cert(void)
Definition: router.c:466
di_digest256_map_t * construct_ntor_key_map(void)
Definition: router.c:300
Header file for router.c.
Router descriptor structure.
#define ROUTER_PURPOSE_GENERAL
Definition: routerinfo_st.h:98
#define ROUTER_PURPOSE_BRIDGE
int load_ed_keys(const or_options_t *options, time_t now)
Definition: routerkeys.c:55
uint8_t * make_tap_onion_key_crosscert(const crypto_pk_t *onion_key, const ed25519_public_key_t *master_id_key, const crypto_pk_t *rsa_id_key, int *len_out)
Definition: routerkeys.c:712
tor_cert_t * make_ntor_onion_key_crosscert(const curve25519_keypair_t *onion_key, const ed25519_public_key_t *master_id_key, time_t now, time_t lifetime, int *sign_out)
Definition: routerkeys.c:689
int generate_ed_link_cert(const or_options_t *options, time_t now, int force)
Definition: routerkeys.c:365
Header for routerkeys.c.
const char * signed_descriptor_get_body(const signed_descriptor_t *desc)
Definition: routerlist.c:883
int routerinfo_incompatible_with_extrainfo(const crypto_pk_t *identity_pkey, extrainfo_t *ei, signed_descriptor_t *sd, const char **msg)
Definition: routerlist.c:3060
Header file for routerlist.c.
static int WRA_WAS_ADDED(was_router_added_t s)
Definition: routerlist.h:106
static int WRA_WAS_OUTDATED(was_router_added_t s)
Definition: routerlist.h:116
was_router_added_t
Definition: routerlist.h:17
int public_server_mode(const or_options_t *options)
Definition: routermode.c:43
int server_mode(const or_options_t *options)
Definition: routermode.c:34
void set_server_advertised(int s)
Definition: routermode.c:65
Header file for routermode.c.
routerinfo_t * router_parse_entry_from_string(const char *s, const char *end, int cache_copy, int allow_annotations, const char *prepend_annotations, int *can_dl_again_out)
Definition: routerparse.c:394
int router_get_extrainfo_hash(const char *s, size_t s_len, char *digest)
Definition: routerparse.c:190
extrainfo_t * extrainfo_parse_entry_from_string(const char *s, const char *end, int cache_copy, struct digest_ri_map_t *routermap, int *can_dl_again_out)
Definition: routerparse.c:973
int router_get_router_hash(const char *s, size_t s_len, char *digest)
Definition: routerparse.c:180
Header file for routerparse.c.
Routerstatus (consensus entry) structure.
int router_orport_seems_reachable(const or_options_t *options, int family)
Definition: selftest.c:101
int router_dirport_seems_reachable(const or_options_t *options)
Definition: selftest.c:137
Header file for selftest.c.
int router_append_dirobj_signature(char *buf, size_t buf_len, const char *digest, size_t digest_len, crypto_pk_t *private_key)
Definition: signing.c:79
char * router_get_dirobj_signature(const char *digest, size_t digest_len, const crypto_pk_t *private_key)
Definition: signing.c:22
Header file for signing.c.
void smartlist_add_asprintf(struct smartlist_t *sl, const char *pattern,...)
Definition: smartlist.c:36
int smartlist_contains_string(const smartlist_t *sl, const char *element)
Definition: smartlist.c:93
char * smartlist_join_strings(smartlist_t *sl, const char *join, int terminate, size_t *len_out)
Definition: smartlist.c:279
void smartlist_add_strdup(struct smartlist_t *sl, const char *string)
smartlist_t * smartlist_new(void)
void smartlist_add(smartlist_t *sl, void *element)
void smartlist_clear(smartlist_t *sl)
void smartlist_del_keeporder(smartlist_t *sl, int idx)
#define SMARTLIST_FOREACH_BEGIN(sl, type, var)
#define SMARTLIST_FOREACH(sl, type, var, cmd)
int smartlist_split_string(smartlist_t *sl, const char *str, const char *sep, int flags, int max)
void or_state_mark_dirty(or_state_t *state, time_t when)
Definition: statefile.c:784
or_state_t * get_or_state(void)
Definition: statefile.c:220
Header for statefile.c.
crypto_pk_t * signing_key
signed_descriptor_t cache_info
dirinfo_type_t type
Definition: dir_server_st.h:48
char v3_identity_digest[DIGEST_LEN]
Definition: dir_server_st.h:36
uint8_t digest256[DIGEST256_LEN]
Definition: extrainfo_st.h:21
char nickname[MAX_NICKNAME_LEN+1]
Definition: extrainfo_st.h:23
Definition: node_st.h:34
char identity[DIGEST_LEN]
Definition: node_st.h:46
int ExitPortStatistics
dirinfo_type_t PublishServerDescriptor_
struct config_line_t * MyFamily
int RefuseUnknownExits
char * ContactInfo
char * BridgeDistribution
uint64_t BandwidthRate
int ExtraInfoStatistics
uint64_t AccountingMax
int OverloadStatistics
char * Nickname
Definition: or_options_st.h:97
int HiddenServiceStatistics
struct config_line_t * ServerTransportPlugin
int V3AuthoritativeDir
uint64_t RelayBandwidthRate
int ConnDirectionStatistics
tor_cmdline_mode_t command
Definition: or_options_st.h:68
int BridgeAuthoritativeDir
time_t LastRotatedOnionKey
Definition: or_state_st.h:92
char * onion_pkey
Definition: routerinfo_st.h:37
char * platform
Definition: routerinfo_st.h:48
tor_addr_t ipv6_addr
Definition: routerinfo_st.h:30
tor_addr_t ipv4_addr
Definition: routerinfo_st.h:25
smartlist_t * exit_policy
Definition: routerinfo_st.h:59
size_t onion_pkey_len
Definition: routerinfo_st.h:39
smartlist_t * declared_family
Definition: routerinfo_st.h:65
uint32_t bandwidthrate
Definition: routerinfo_st.h:54
crypto_pk_t * identity_pkey
Definition: routerinfo_st.h:41
struct curve25519_public_key_t * onion_curve25519_pkey
Definition: routerinfo_st.h:43
unsigned int policy_is_reject_star
Definition: routerinfo_st.h:77
char * protocol_list
Definition: routerinfo_st.h:50
uint8_t purpose
unsigned int supports_tunnelled_dir_requests
Definition: routerinfo_st.h:86
uint32_t bandwidthcapacity
Definition: routerinfo_st.h:58
uint32_t bandwidthburst
Definition: routerinfo_st.h:56
char * nickname
Definition: routerinfo_st.h:22
struct short_policy_t * ipv6_exit_policy
Definition: routerinfo_st.h:63
unsigned int is_staledesc
char signed_descriptor_digest[DIGEST_LEN]
char extra_info_digest[DIGEST_LEN]
char identity_digest[DIGEST_LEN]
struct tor_cert_st * signing_key_cert
char extra_info_digest256[DIGEST256_LEN]
saved_location_t saved_location
size_t encoded_len
Definition: torcert.h:42
uint8_t * encoded
Definition: torcert.h:40
#define STATIC
Definition: testsupport.h:32
#define MOCK_IMPL(rv, funcname, arglist)
Definition: testsupport.h:133
int parse_iso_time(const char *cp, time_t *t)
Definition: time_fmt.c:423
void format_iso_time(char *buf, time_t t)
Definition: time_fmt.c:326
@ CMD_RUN_TOR
@ CMD_KEY_EXPIRATION
tor_cert_t * tor_cert_dup(const tor_cert_t *cert)
Definition: torcert.c:294
Header for torcert.c.
int tor_tls_context_init(unsigned flags, crypto_pk_t *client_identity, crypto_pk_t *server_identity, unsigned int key_lifetime)
Definition: tortls.c:182
Headers for tortls.c.
Header for version.c.
const char * get_short_version(void)
Definition: version.c:56
char * pt_get_extra_info_descriptor_string(void)
Definition: transports.c:1698
Headers for transports.c.
const char * get_uname(void)
Definition: uname.c:67
Header for uname.c.
#define tor_assert(expr)
Definition: util_bug.h:103
#define IF_BUG_ONCE(cond)
Definition: util_bug.h:254
void tor_strlower(char *s)
Definition: util_string.c:129
int tor_digest256_is_zero(const char *digest)
Definition: util_string.c:105
int fast_mem_is_zero(const char *mem, size_t len)
Definition: util_string.c:76
const char * find_str_at_start_of_line(const char *haystack, const char *needle)
Definition: util_string.c:402
int tor_digest_is_zero(const char *digest)
Definition: util_string.c:98
#define CURVE25519_BASE64_PADDED_LEN
Definition: x25519_sizes.h:37
#define ED25519_BASE64_LEN
Definition: x25519_sizes.h:43
#define ED25519_SIG_BASE64_LEN
Definition: x25519_sizes.h:45
#define CURVE25519_PUBKEY_LEN
Definition: x25519_sizes.h:20