config.c
上传用户:awang829
上传日期:2019-07-14
资源大小:2356k
文件大小:184k
源码类别:

网络

开发平台:

Unix_Linux

  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-2009, The Tor Project, Inc. */
  5. /* See LICENSE for licensing information */
  6. /**
  7.  * file config.c
  8.  * brief Code to parse and interpret configuration files.
  9.  **/
  10. #define CONFIG_PRIVATE
  11. #include "or.h"
  12. #ifdef MS_WINDOWS
  13. #include <shlobj.h>
  14. #endif
  15. /** Enumeration of types which option values can take */
  16. typedef enum config_type_t {
  17.   CONFIG_TYPE_STRING = 0,   /**< An arbitrary string. */
  18.   CONFIG_TYPE_FILENAME,     /**< A filename: some prefixes get expanded. */
  19.   CONFIG_TYPE_UINT,         /**< A non-negative integer less than MAX_INT */
  20.   CONFIG_TYPE_INTERVAL,     /**< A number of seconds, with optional units*/
  21.   CONFIG_TYPE_MEMUNIT,      /**< A number of bytes, with optional units*/
  22.   CONFIG_TYPE_DOUBLE,       /**< A floating-point value */
  23.   CONFIG_TYPE_BOOL,         /**< A boolean value, expressed as 0 or 1. */
  24.   CONFIG_TYPE_ISOTIME,      /**< An ISO-formatted time relative to GMT. */
  25.   CONFIG_TYPE_CSV,          /**< A list of strings, separated by commas and
  26.                               * optional whitespace. */
  27.   CONFIG_TYPE_LINELIST,     /**< Uninterpreted config lines */
  28.   CONFIG_TYPE_LINELIST_S,   /**< Uninterpreted, context-sensitive config lines,
  29.                              * mixed with other keywords. */
  30.   CONFIG_TYPE_LINELIST_V,   /**< Catch-all "virtual" option to summarize
  31.                              * context-sensitive config lines when fetching.
  32.                              */
  33.   CONFIG_TYPE_ROUTERSET,    /**< A list of router names, addrs, and fps,
  34.                              * parsed into a routerset_t. */
  35.   CONFIG_TYPE_OBSOLETE,     /**< Obsolete (ignored) option. */
  36. } config_type_t;
  37. /** An abbreviation for a configuration option allowed on the command line. */
  38. typedef struct config_abbrev_t {
  39.   const char *abbreviated;
  40.   const char *full;
  41.   int commandline_only;
  42.   int warn;
  43. } config_abbrev_t;
  44. /* Handy macro for declaring "In the config file or on the command line,
  45.  * you can abbreviate <b>tok</b>s as <b>tok</b>". */
  46. #define PLURAL(tok) { #tok, #tok "s", 0, 0 }
  47. /** A list of abbreviations and aliases to map command-line options, obsolete
  48.  * option names, or alternative option names, to their current values. */
  49. static config_abbrev_t _option_abbrevs[] = {
  50.   PLURAL(ExitNode),
  51.   PLURAL(EntryNode),
  52.   PLURAL(ExcludeNode),
  53.   PLURAL(FirewallPort),
  54.   PLURAL(LongLivedPort),
  55.   PLURAL(HiddenServiceNode),
  56.   PLURAL(HiddenServiceExcludeNode),
  57.   PLURAL(NumCpu),
  58.   PLURAL(RendNode),
  59.   PLURAL(RendExcludeNode),
  60.   PLURAL(StrictEntryNode),
  61.   PLURAL(StrictExitNode),
  62.   { "l", "Log", 1, 0},
  63.   { "AllowUnverifiedNodes", "AllowInvalidNodes", 0, 0},
  64.   { "AutomapHostSuffixes", "AutomapHostsSuffixes", 0, 0},
  65.   { "AutomapHostOnResolve", "AutomapHostsOnResolve", 0, 0},
  66.   { "BandwidthRateBytes", "BandwidthRate", 0, 0},
  67.   { "BandwidthBurstBytes", "BandwidthBurst", 0, 0},
  68.   { "DirFetchPostPeriod", "StatusFetchPeriod", 0, 0},
  69.   { "MaxConn", "ConnLimit", 0, 1},
  70.   { "ORBindAddress", "ORListenAddress", 0, 0},
  71.   { "DirBindAddress", "DirListenAddress", 0, 0},
  72.   { "SocksBindAddress", "SocksListenAddress", 0, 0},
  73.   { "UseHelperNodes", "UseEntryGuards", 0, 0},
  74.   { "NumHelperNodes", "NumEntryGuards", 0, 0},
  75.   { "UseEntryNodes", "UseEntryGuards", 0, 0},
  76.   { "NumEntryNodes", "NumEntryGuards", 0, 0},
  77.   { "ResolvConf", "ServerDNSResolvConfFile", 0, 1},
  78.   { "SearchDomains", "ServerDNSSearchDomains", 0, 1},
  79.   { "ServerDNSAllowBrokenResolvConf", "ServerDNSAllowBrokenConfig", 0, 0 },
  80.   { "PreferTunnelledDirConns", "PreferTunneledDirConns", 0, 0},
  81.   { "BridgeAuthoritativeDirectory", "BridgeAuthoritativeDir", 0, 0},
  82.   { "HashedControlPassword", "__HashedControlSessionPassword", 1, 0},
  83.   { NULL, NULL, 0, 0},
  84. };
  85. /** A list of state-file "abbreviations," for compatibility. */
  86. static config_abbrev_t _state_abbrevs[] = {
  87.   { "AccountingBytesReadInterval", "AccountingBytesReadInInterval", 0, 0 },
  88.   { "HelperNode", "EntryGuard", 0, 0 },
  89.   { "HelperNodeDownSince", "EntryGuardDownSince", 0, 0 },
  90.   { "HelperNodeUnlistedSince", "EntryGuardUnlistedSince", 0, 0 },
  91.   { "EntryNode", "EntryGuard", 0, 0 },
  92.   { "EntryNodeDownSince", "EntryGuardDownSince", 0, 0 },
  93.   { "EntryNodeUnlistedSince", "EntryGuardUnlistedSince", 0, 0 },
  94.   { NULL, NULL, 0, 0},
  95. };
  96. #undef PLURAL
  97. /** A variable allowed in the configuration file or on the command line. */
  98. typedef struct config_var_t {
  99.   const char *name; /**< The full keyword (case insensitive). */
  100.   config_type_t type; /**< How to interpret the type and turn it into a
  101.                        * value. */
  102.   off_t var_offset; /**< Offset of the corresponding member of or_options_t. */
  103.   const char *initvalue; /**< String (or null) describing initial value. */
  104. } config_var_t;
  105. /** An entry for config_vars: "The option <b>name</b> has type
  106.  * CONFIG_TYPE_<b>conftype</b>, and corresponds to
  107.  * or_options_t.<b>member</b>"
  108.  */
  109. #define VAR(name,conftype,member,initvalue)                             
  110.   { name, CONFIG_TYPE_ ## conftype, STRUCT_OFFSET(or_options_t, member), 
  111.       initvalue }
  112. /** As VAR, but the option name and member name are the same. */
  113. #define V(member,conftype,initvalue)                                    
  114.   VAR(#member, conftype, member, initvalue)
  115. /** An entry for config_vars: "The option <b>name</b> is obsolete." */
  116. #define OBSOLETE(name) { name, CONFIG_TYPE_OBSOLETE, 0, NULL }
  117. /** Array of configuration options.  Until we disallow nonstandard
  118.  * abbreviations, order is significant, since the first matching option will
  119.  * be chosen first.
  120.  */
  121. static config_var_t _option_vars[] = {
  122.   OBSOLETE("AccountingMaxKB"),
  123.   V(AccountingMax,               MEMUNIT,  "0 bytes"),
  124.   V(AccountingStart,             STRING,   NULL),
  125.   V(Address,                     STRING,   NULL),
  126.   V(AllowInvalidNodes,           CSV,      "middle,rendezvous"),
  127.   V(AllowNonRFC953Hostnames,     BOOL,     "0"),
  128.   V(AllowSingleHopCircuits,      BOOL,     "0"),
  129.   V(AllowSingleHopExits,         BOOL,     "0"),
  130.   V(AlternateBridgeAuthority,    LINELIST, NULL),
  131.   V(AlternateDirAuthority,       LINELIST, NULL),
  132.   V(AlternateHSAuthority,        LINELIST, NULL),
  133.   V(AssumeReachable,             BOOL,     "0"),
  134.   V(AuthDirBadDir,               LINELIST, NULL),
  135.   V(AuthDirBadExit,              LINELIST, NULL),
  136.   V(AuthDirInvalid,              LINELIST, NULL),
  137.   V(AuthDirReject,               LINELIST, NULL),
  138.   V(AuthDirRejectUnlisted,       BOOL,     "0"),
  139.   V(AuthDirListBadDirs,          BOOL,     "0"),
  140.   V(AuthDirListBadExits,         BOOL,     "0"),
  141.   V(AuthDirMaxServersPerAddr,    UINT,     "2"),
  142.   V(AuthDirMaxServersPerAuthAddr,UINT,     "5"),
  143.   VAR("AuthoritativeDirectory",  BOOL, AuthoritativeDir,    "0"),
  144.   V(AutomapHostsOnResolve,       BOOL,     "0"),
  145.   V(AutomapHostsSuffixes,        CSV,      ".onion,.exit"),
  146.   V(AvoidDiskWrites,             BOOL,     "0"),
  147.   V(BandwidthBurst,              MEMUNIT,  "10 MB"),
  148.   V(BandwidthRate,               MEMUNIT,  "5 MB"),
  149.   V(BridgeAuthoritativeDir,      BOOL,     "0"),
  150.   VAR("Bridge",                  LINELIST, Bridges,    NULL),
  151.   V(BridgePassword,              STRING,   NULL),
  152.   V(BridgeRecordUsageByCountry,  BOOL,     "1"),
  153.   V(BridgeRelay,                 BOOL,     "0"),
  154.   V(CircuitBuildTimeout,         INTERVAL, "1 minute"),
  155.   V(CircuitIdleTimeout,          INTERVAL, "1 hour"),
  156.   V(ClientDNSRejectInternalAddresses, BOOL,"1"),
  157.   V(ClientOnly,                  BOOL,     "0"),
  158.   V(ConnLimit,                   UINT,     "1000"),
  159.   V(ConstrainedSockets,          BOOL,     "0"),
  160.   V(ConstrainedSockSize,         MEMUNIT,  "8192"),
  161.   V(ContactInfo,                 STRING,   NULL),
  162.   V(ControlListenAddress,        LINELIST, NULL),
  163.   V(ControlPort,                 UINT,     "0"),
  164.   V(ControlSocket,               LINELIST, NULL),
  165.   V(CookieAuthentication,        BOOL,     "0"),
  166.   V(CookieAuthFileGroupReadable, BOOL,     "0"),
  167.   V(CookieAuthFile,              STRING,   NULL),
  168.   V(DataDirectory,               FILENAME, NULL),
  169.   OBSOLETE("DebugLogFile"),
  170.   V(DirAllowPrivateAddresses,    BOOL,     NULL),
  171.   V(TestingAuthDirTimeToLearnReachability, INTERVAL, "30 minutes"),
  172.   V(DirListenAddress,            LINELIST, NULL),
  173.   OBSOLETE("DirFetchPeriod"),
  174.   V(DirPolicy,                   LINELIST, NULL),
  175.   V(DirPort,                     UINT,     "0"),
  176.   V(DirPortFrontPage,            FILENAME, NULL),
  177.   OBSOLETE("DirPostPeriod"),
  178. #ifdef ENABLE_GEOIP_STATS
  179.   V(DirRecordUsageByCountry,     BOOL,     "0"),
  180.   V(DirRecordUsageGranularity,   UINT,     "4"),
  181.   V(DirRecordUsageRetainIPs,     INTERVAL, "14 days"),
  182.   V(DirRecordUsageSaveInterval,  INTERVAL, "6 hours"),
  183. #endif
  184.   VAR("DirServer",               LINELIST, DirServers, NULL),
  185.   V(DNSPort,                     UINT,     "0"),
  186.   V(DNSListenAddress,            LINELIST, NULL),
  187.   V(DownloadExtraInfo,           BOOL,     "0"),
  188.   V(EnforceDistinctSubnets,      BOOL,     "1"),
  189.   V(EntryNodes,                  ROUTERSET,   NULL),
  190.   V(TestingEstimatedDescriptorPropagationTime, INTERVAL, "10 minutes"),
  191.   V(ExcludeNodes,                ROUTERSET, NULL),
  192.   V(ExcludeExitNodes,            ROUTERSET, NULL),
  193.   V(ExcludeSingleHopRelays,      BOOL,     "1"),
  194.   V(ExitNodes,                   ROUTERSET, NULL),
  195.   V(ExitPolicy,                  LINELIST, NULL),
  196.   V(ExitPolicyRejectPrivate,     BOOL,     "1"),
  197.   V(FallbackNetworkstatusFile,   FILENAME,
  198.     SHARE_DATADIR PATH_SEPARATOR "tor" PATH_SEPARATOR "fallback-consensus"),
  199.   V(FascistFirewall,             BOOL,     "0"),
  200.   V(FirewallPorts,               CSV,      ""),
  201.   V(FastFirstHopPK,              BOOL,     "1"),
  202.   V(FetchDirInfoEarly,           BOOL,     "0"),
  203.   V(FetchServerDescriptors,      BOOL,     "1"),
  204.   V(FetchHidServDescriptors,     BOOL,     "1"),
  205.   V(FetchUselessDescriptors,     BOOL,     "0"),
  206. #ifdef WIN32
  207.   V(GeoIPFile,                   FILENAME, "<default>"),
  208. #else
  209.   V(GeoIPFile,                   FILENAME,
  210.     SHARE_DATADIR PATH_SEPARATOR "tor" PATH_SEPARATOR "geoip"),
  211. #endif
  212.   OBSOLETE("Group"),
  213.   V(HardwareAccel,               BOOL,     "0"),
  214.   V(HashedControlPassword,       LINELIST, NULL),
  215.   V(HidServDirectoryV2,          BOOL,     "1"),
  216.   VAR("HiddenServiceDir",    LINELIST_S, RendConfigLines,    NULL),
  217.   OBSOLETE("HiddenServiceExcludeNodes"),
  218.   OBSOLETE("HiddenServiceNodes"),
  219.   VAR("HiddenServiceOptions",LINELIST_V, RendConfigLines,    NULL),
  220.   VAR("HiddenServicePort",   LINELIST_S, RendConfigLines,    NULL),
  221.   VAR("HiddenServiceVersion",LINELIST_S, RendConfigLines,    NULL),
  222.   VAR("HiddenServiceAuthorizeClient",LINELIST_S,RendConfigLines, NULL),
  223.   V(HidServAuth,                 LINELIST, NULL),
  224.   V(HSAuthoritativeDir,          BOOL,     "0"),
  225.   V(HSAuthorityRecordStats,      BOOL,     "0"),
  226.   V(HttpProxy,                   STRING,   NULL),
  227.   V(HttpProxyAuthenticator,      STRING,   NULL),
  228.   V(HttpsProxy,                  STRING,   NULL),
  229.   V(HttpsProxyAuthenticator,     STRING,   NULL),
  230.   OBSOLETE("IgnoreVersion"),
  231.   V(KeepalivePeriod,             INTERVAL, "5 minutes"),
  232.   VAR("Log",                     LINELIST, Logs,             NULL),
  233.   OBSOLETE("LinkPadding"),
  234.   OBSOLETE("LogLevel"),
  235.   OBSOLETE("LogFile"),
  236.   V(LongLivedPorts,              CSV,
  237.                          "21,22,706,1863,5050,5190,5222,5223,6667,6697,8300"),
  238.   VAR("MapAddress",              LINELIST, AddressMap,           NULL),
  239.   V(MaxAdvertisedBandwidth,      MEMUNIT,  "1 GB"),
  240.   V(MaxCircuitDirtiness,         INTERVAL, "10 minutes"),
  241.   V(MaxOnionsPending,            UINT,     "100"),
  242.   OBSOLETE("MonthlyAccountingStart"),
  243.   V(MyFamily,                    STRING,   NULL),
  244.   V(NewCircuitPeriod,            INTERVAL, "30 seconds"),
  245.   VAR("NamingAuthoritativeDirectory",BOOL, NamingAuthoritativeDir, "0"),
  246.   V(NatdListenAddress,           LINELIST, NULL),
  247.   V(NatdPort,                    UINT,     "0"),
  248.   V(Nickname,                    STRING,   NULL),
  249.   V(NoPublish,                   BOOL,     "0"),
  250.   VAR("NodeFamily",              LINELIST, NodeFamilies,         NULL),
  251.   V(NumCpus,                     UINT,     "1"),
  252.   V(NumEntryGuards,              UINT,     "3"),
  253.   V(ORListenAddress,             LINELIST, NULL),
  254.   V(ORPort,                      UINT,     "0"),
  255.   V(OutboundBindAddress,         STRING,   NULL),
  256.   OBSOLETE("PathlenCoinWeight"),
  257.   V(PidFile,                     STRING,   NULL),
  258.   V(TestingTorNetwork,           BOOL,     "0"),
  259.   V(PreferTunneledDirConns,      BOOL,     "1"),
  260.   V(ProtocolWarnings,            BOOL,     "0"),
  261.   V(PublishServerDescriptor,     CSV,      "1"),
  262.   V(PublishHidServDescriptors,   BOOL,     "1"),
  263.   V(ReachableAddresses,          LINELIST, NULL),
  264.   V(ReachableDirAddresses,       LINELIST, NULL),
  265.   V(ReachableORAddresses,        LINELIST, NULL),
  266.   V(RecommendedVersions,         LINELIST, NULL),
  267.   V(RecommendedClientVersions,   LINELIST, NULL),
  268.   V(RecommendedServerVersions,   LINELIST, NULL),
  269.   OBSOLETE("RedirectExit"),
  270.   V(RejectPlaintextPorts,        CSV,      ""),
  271.   V(RelayBandwidthBurst,         MEMUNIT,  "0"),
  272.   V(RelayBandwidthRate,          MEMUNIT,  "0"),
  273.   OBSOLETE("RendExcludeNodes"),
  274.   OBSOLETE("RendNodes"),
  275.   V(RendPostPeriod,              INTERVAL, "1 hour"),
  276.   V(RephistTrackTime,            INTERVAL, "24 hours"),
  277.   OBSOLETE("RouterFile"),
  278.   V(RunAsDaemon,                 BOOL,     "0"),
  279.   V(RunTesting,                  BOOL,     "0"),
  280.   V(SafeLogging,                 BOOL,     "1"),
  281.   V(SafeSocks,                   BOOL,     "0"),
  282.   V(ServerDNSAllowBrokenConfig,  BOOL,     "1"),
  283.   V(ServerDNSAllowNonRFC953Hostnames, BOOL,"0"),
  284.   V(ServerDNSDetectHijacking,    BOOL,     "1"),
  285.   V(ServerDNSRandomizeCase,      BOOL,     "1"),
  286.   V(ServerDNSResolvConfFile,     STRING,   NULL),
  287.   V(ServerDNSSearchDomains,      BOOL,     "0"),
  288.   V(ServerDNSTestAddresses,      CSV,
  289.       "www.google.com,www.mit.edu,www.yahoo.com,www.slashdot.org"),
  290.   V(ShutdownWaitLength,          INTERVAL, "30 seconds"),
  291.   V(SocksListenAddress,          LINELIST, NULL),
  292.   V(SocksPolicy,                 LINELIST, NULL),
  293.   V(SocksPort,                   UINT,     "9050"),
  294.   V(SocksTimeout,                INTERVAL, "2 minutes"),
  295.   OBSOLETE("StatusFetchPeriod"),
  296.   V(StrictEntryNodes,            BOOL,     "0"),
  297.   V(StrictExitNodes,             BOOL,     "0"),
  298.   OBSOLETE("SysLog"),
  299.   V(TestSocks,                   BOOL,     "0"),
  300.   OBSOLETE("TestVia"),
  301.   V(TrackHostExits,              CSV,      NULL),
  302.   V(TrackHostExitsExpire,        INTERVAL, "30 minutes"),
  303.   OBSOLETE("TrafficShaping"),
  304.   V(TransListenAddress,          LINELIST, NULL),
  305.   V(TransPort,                   UINT,     "0"),
  306.   V(TunnelDirConns,              BOOL,     "1"),
  307.   V(UpdateBridgesFromAuthority,  BOOL,     "0"),
  308.   V(UseBridges,                  BOOL,     "0"),
  309.   V(UseEntryGuards,              BOOL,     "1"),
  310.   V(User,                        STRING,   NULL),
  311.   VAR("V1AuthoritativeDirectory",BOOL, V1AuthoritativeDir,   "0"),
  312.   VAR("V2AuthoritativeDirectory",BOOL, V2AuthoritativeDir,   "0"),
  313.   VAR("V3AuthoritativeDirectory",BOOL, V3AuthoritativeDir,   "0"),
  314.   V(TestingV3AuthInitialVotingInterval, INTERVAL, "30 minutes"),
  315.   V(TestingV3AuthInitialVoteDelay, INTERVAL, "5 minutes"),
  316.   V(TestingV3AuthInitialDistDelay, INTERVAL, "5 minutes"),
  317.   V(V3AuthVotingInterval,        INTERVAL, "1 hour"),
  318.   V(V3AuthVoteDelay,             INTERVAL, "5 minutes"),
  319.   V(V3AuthDistDelay,             INTERVAL, "5 minutes"),
  320.   V(V3AuthNIntervalsValid,       UINT,     "3"),
  321.   V(V3AuthUseLegacyKey,          BOOL,     "0"),
  322.   VAR("VersioningAuthoritativeDirectory",BOOL,VersioningAuthoritativeDir, "0"),
  323.   V(VirtualAddrNetwork,          STRING,   "127.192.0.0/10"),
  324.   V(WarnPlaintextPorts,          CSV,      "23,109,110,143"),
  325.   VAR("__ReloadTorrcOnSIGHUP",   BOOL,  ReloadTorrcOnSIGHUP,      "1"),
  326.   VAR("__AllDirActionsPrivate",  BOOL,  AllDirActionsPrivate,     "0"),
  327.   VAR("__DisablePredictedCircuits",BOOL,DisablePredictedCircuits, "0"),
  328.   VAR("__LeaveStreamsUnattached",BOOL,  LeaveStreamsUnattached,   "0"),
  329.   VAR("__HashedControlSessionPassword", LINELIST, HashedControlSessionPassword,
  330.       NULL),
  331.   V(MinUptimeHidServDirectoryV2, INTERVAL, "24 hours"),
  332.   { NULL, CONFIG_TYPE_OBSOLETE, 0, NULL }
  333. };
  334. /** Override default values with these if the user sets the TestingTorNetwork
  335.  * option. */
  336. static config_var_t testing_tor_network_defaults[] = {
  337.   V(ServerDNSAllowBrokenConfig,  BOOL,  "1"),
  338.   V(DirAllowPrivateAddresses,    BOOL,     "1"),
  339.   V(EnforceDistinctSubnets,      BOOL,     "0"),
  340.   V(AssumeReachable,             BOOL,     "1"),
  341.   V(AuthDirMaxServersPerAddr,    UINT,     "0"),
  342.   V(AuthDirMaxServersPerAuthAddr,UINT,     "0"),
  343.   V(ClientDNSRejectInternalAddresses, BOOL,"0"),
  344.   V(ExitPolicyRejectPrivate,     BOOL,     "0"),
  345.   V(V3AuthVotingInterval,        INTERVAL, "5 minutes"),
  346.   V(V3AuthVoteDelay,             INTERVAL, "20 seconds"),
  347.   V(V3AuthDistDelay,             INTERVAL, "20 seconds"),
  348.   V(TestingV3AuthInitialVotingInterval, INTERVAL, "5 minutes"),
  349.   V(TestingV3AuthInitialVoteDelay, INTERVAL, "20 seconds"),
  350.   V(TestingV3AuthInitialDistDelay, INTERVAL, "20 seconds"),
  351.   V(TestingAuthDirTimeToLearnReachability, INTERVAL, "0 minutes"),
  352.   V(TestingEstimatedDescriptorPropagationTime, INTERVAL, "0 minutes"),
  353.   { NULL, CONFIG_TYPE_OBSOLETE, 0, NULL }
  354. };
  355. #undef VAR
  356. #define VAR(name,conftype,member,initvalue)                             
  357.   { name, CONFIG_TYPE_ ## conftype, STRUCT_OFFSET(or_state_t, member),  
  358.       initvalue }
  359. /** Array of "state" variables saved to the ~/.tor/state file. */
  360. static config_var_t _state_vars[] = {
  361.   V(AccountingBytesReadInInterval,    MEMUNIT,  NULL),
  362.   V(AccountingBytesWrittenInInterval, MEMUNIT,  NULL),
  363.   V(AccountingExpectedUsage,          MEMUNIT,  NULL),
  364.   V(AccountingIntervalStart,          ISOTIME,  NULL),
  365.   V(AccountingSecondsActive,          INTERVAL, NULL),
  366.   VAR("EntryGuard",              LINELIST_S,  EntryGuards,             NULL),
  367.   VAR("EntryGuardDownSince",     LINELIST_S,  EntryGuards,             NULL),
  368.   VAR("EntryGuardUnlistedSince", LINELIST_S,  EntryGuards,             NULL),
  369.   VAR("EntryGuardAddedBy",       LINELIST_S,  EntryGuards,             NULL),
  370.   V(EntryGuards,                 LINELIST_V,  NULL),
  371.   V(BWHistoryReadEnds,                ISOTIME,  NULL),
  372.   V(BWHistoryReadInterval,            UINT,     "900"),
  373.   V(BWHistoryReadValues,              CSV,      ""),
  374.   V(BWHistoryWriteEnds,               ISOTIME,  NULL),
  375.   V(BWHistoryWriteInterval,           UINT,     "900"),
  376.   V(BWHistoryWriteValues,             CSV,      ""),
  377.   V(TorVersion,                       STRING,   NULL),
  378.   V(LastRotatedOnionKey,              ISOTIME,  NULL),
  379.   V(LastWritten,                      ISOTIME,  NULL),
  380.   { NULL, CONFIG_TYPE_OBSOLETE, 0, NULL }
  381. };
  382. #undef VAR
  383. #undef V
  384. #undef OBSOLETE
  385. /** Represents an English description of a configuration variable; used when
  386.  * generating configuration file comments. */
  387. typedef struct config_var_description_t {
  388.   const char *name;
  389.   const char *description;
  390. } config_var_description_t;
  391. /** Descriptions of the configuration options, to be displayed by online
  392.  * option browsers */
  393. /* XXXX022 did anybody want this? at all? If not, kill it.*/
  394. static config_var_description_t options_description[] = {
  395.   /* ==== general options */
  396.   { "AvoidDiskWrites", "If non-zero, try to write to disk less frequently than"
  397.     " we would otherwise." },
  398.   { "BandwidthRate", "A token bucket limits the average incoming bandwidth on "
  399.     "this node to the specified number of bytes per second." },
  400.   { "BandwidthBurst", "Limit the maximum token buffer size (also known as "
  401.     "burst) to the given number of bytes." },
  402.   { "ConnLimit", "Minimum number of simultaneous sockets we must have." },
  403.   { "ConstrainedSockets", "Shrink tx and rx buffers for sockets to avoid "
  404.     "system limits on vservers and related environments.  See man page for "
  405.     "more information regarding this option." },
  406.   { "ConstrainedSockSize", "Limit socket buffers to this size when "
  407.     "ConstrainedSockets is enabled." },
  408.   /*  ControlListenAddress */
  409.   { "ControlPort", "If set, Tor will accept connections from the same machine "
  410.     "(localhost only) on this port, and allow those connections to control "
  411.     "the Tor process using the Tor Control Protocol (described in "
  412.     "control-spec.txt).", },
  413.   { "CookieAuthentication", "If this option is set to 1, don't allow any "
  414.     "connections to the control port except when the connecting process "
  415.     "can read a file that Tor creates in its data directory." },
  416.   { "DataDirectory", "Store working data, state, keys, and caches here." },
  417.   { "DirServer", "Tor only trusts directories signed with one of these "
  418.     "servers' keys.  Used to override the standard list of directory "
  419.     "authorities." },
  420.   /* { "FastFirstHopPK", "" }, */
  421.   /* FetchServerDescriptors, FetchHidServDescriptors,
  422.    * FetchUselessDescriptors */
  423.   { "HardwareAccel", "If set, Tor tries to use hardware crypto accelerators "
  424.     "when it can." },
  425.   /* HashedControlPassword */
  426.   { "HTTPProxy", "Force Tor to make all HTTP directory requests through this "
  427.     "host:port (or host:80 if port is not set)." },
  428.   { "HTTPProxyAuthenticator", "A username:password pair to be used with "
  429.     "HTTPProxy." },
  430.   { "HTTPSProxy", "Force Tor to make all TLS (SSL) connections through this "
  431.     "host:port (or host:80 if port is not set)." },
  432.   { "HTTPSProxyAuthenticator", "A username:password pair to be used with "
  433.     "HTTPSProxy." },
  434.   { "KeepalivePeriod", "Send a padding cell every N seconds to keep firewalls "
  435.     "from closing our connections while Tor is not in use." },
  436.   { "Log", "Where to send logging messages.  Format is "
  437.     "minSeverity[-maxSeverity] (stderr|stdout|syslog|file FILENAME)." },
  438.   { "OutboundBindAddress", "Make all outbound connections originate from the "
  439.     "provided IP address (only useful for multiple network interfaces)." },
  440.   { "PIDFile", "On startup, write our PID to this file. On clean shutdown, "
  441.     "remove the file." },
  442.   { "PreferTunneledDirConns", "If non-zero, avoid directory servers that "
  443.     "don't support tunneled connections." },
  444.   /* PreferTunneledDirConns */
  445.   /* ProtocolWarnings */
  446.   /* RephistTrackTime */
  447.   { "RunAsDaemon", "If set, Tor forks and daemonizes to the background when "
  448.     "started.  Unix only." },
  449.   { "SafeLogging", "If set to 0, Tor logs potentially sensitive strings "
  450.     "rather than replacing them with the string [scrubbed]." },
  451.   { "TunnelDirConns", "If non-zero, when a directory server we contact "
  452.     "supports it, we will build a one-hop circuit and make an encrypted "
  453.     "connection via its ORPort." },
  454.   { "User", "On startup, setuid to this user." },
  455.   /* ==== client options */
  456.   { "AllowInvalidNodes", "Where on our circuits should Tor allow servers "
  457.     "that the directory authorities haven't called "valid"?" },
  458.   { "AllowNonRFC953Hostnames", "If set to 1, we don't automatically reject "
  459.     "hostnames for having invalid characters." },
  460.   /*  CircuitBuildTimeout, CircuitIdleTimeout */
  461.   { "ClientOnly", "If set to 1, Tor will under no circumstances run as a "
  462.     "server, even if ORPort is enabled." },
  463.   { "EntryNodes", "A list of preferred entry nodes to use for the first hop "
  464.     "in circuits, when possible." },
  465.   /* { "EnforceDistinctSubnets" , "" }, */
  466.   { "ExitNodes", "A list of preferred nodes to use for the last hop in "
  467.     "circuits, when possible." },
  468.   { "ExcludeNodes", "A list of nodes never to use when building a circuit." },
  469.   { "FascistFirewall", "If set, Tor will only create outgoing connections to "
  470.     "servers running on the ports listed in FirewallPorts." },
  471.   { "FirewallPorts", "A list of ports that we can connect to.  Only used "
  472.     "when FascistFirewall is set." },
  473.   { "LongLivedPorts", "A list of ports for services that tend to require "
  474.     "high-uptime connections." },
  475.   { "MapAddress", "Force Tor to treat all requests for one address as if "
  476.     "they were for another." },
  477.   { "NewCircuitPeriod", "Force Tor to consider whether to build a new circuit "
  478.     "every NUM seconds." },
  479.   { "MaxCircuitDirtiness", "Do not attach new streams to a circuit that has "
  480.     "been used more than this many seconds ago." },
  481.   /* NatdPort, NatdListenAddress */
  482.   { "NodeFamily", "A list of servers that constitute a 'family' and should "
  483.     "never be used in the same circuit." },
  484.   { "NumEntryGuards", "How many entry guards should we keep at a time?" },
  485.   /* PathlenCoinWeight */
  486.   { "ReachableAddresses", "Addresses we can connect to, as IP/bits:port-port. "
  487.     "By default, we assume all addresses are reachable." },
  488.   /* reachablediraddresses, reachableoraddresses. */
  489.   /* SafeSOCKS */
  490.   { "SOCKSPort", "The port where we listen for SOCKS connections from "
  491.     "applications." },
  492.   { "SOCKSListenAddress", "Bind to this address to listen to connections from "
  493.     "SOCKS-speaking applications." },
  494.   { "SOCKSPolicy", "Set an entry policy to limit which addresses can connect "
  495.     "to the SOCKSPort." },
  496.   /* SocksTimeout */
  497.   { "StrictExitNodes", "If set, Tor will fail to operate when none of the "
  498.     "configured ExitNodes can be used." },
  499.   { "StrictEntryNodes", "If set, Tor will fail to operate when none of the "
  500.     "configured EntryNodes can be used." },
  501.   /* TestSocks */
  502.   { "TrackHostsExit", "Hosts and domains which should, if possible, be "
  503.     "accessed from the same exit node each time we connect to them." },
  504.   { "TrackHostsExitExpire", "Time after which we forget which exit we were "
  505.     "using to connect to hosts in TrackHostsExit." },
  506.   /* "TransPort", "TransListenAddress */
  507.   { "UseEntryGuards", "Set to 0 if we want to pick from the whole set of "
  508.     "servers for the first position in each circuit, rather than picking a "
  509.     "set of 'Guards' to prevent profiling attacks." },
  510.   /* === server options */
  511.   { "Address", "The advertised (external) address we should use." },
  512.   /* Accounting* options. */
  513.   /* AssumeReachable */
  514.   { "ContactInfo", "Administrative contact information to advertise for this "
  515.     "server." },
  516.   { "ExitPolicy", "Address/port ranges for which to accept or reject outgoing "
  517.     "connections on behalf of Tor users." },
  518.   /*  { "ExitPolicyRejectPrivate, "" }, */
  519.   { "MaxAdvertisedBandwidth", "If set, we will not advertise more than this "
  520.     "amount of bandwidth for our bandwidth rate, regardless of how much "
  521.     "bandwidth we actually detect." },
  522.   { "MaxOnionsPending", "Reject new attempts to extend circuits when we "
  523.     "already have this many pending." },
  524.   { "MyFamily", "Declare a list of other servers as belonging to the same "
  525.     "family as this one, so that clients will not use two from the same "
  526.     "family in the same circuit." },
  527.   { "Nickname", "Set the server nickname." },
  528.   { "NoPublish", "{DEPRECATED}" },
  529.   { "NumCPUs", "How many processes to use at once for public-key crypto." },
  530.   { "ORPort", "Advertise this port to listen for connections from Tor clients "
  531.     "and servers." },
  532.   { "ORListenAddress", "Bind to this address to listen for connections from "
  533.     "clients and servers, instead of the default 0.0.0.0:ORPort." },
  534.   { "PublishServerDescriptor", "Set to 0 to keep the server from "
  535.     "uploading info to the directory authorities." },
  536.   /* ServerDNS: DetectHijacking, ResolvConfFile, SearchDomains */
  537.   { "ShutdownWaitLength", "Wait this long for clients to finish when "
  538.     "shutting down because of a SIGINT." },
  539.   /* === directory cache options */
  540.   { "DirPort", "Serve directory information from this port, and act as a "
  541.     "directory cache." },
  542.   { "DirPortFrontPage", "Serve a static html disclaimer on DirPort." },
  543.   { "DirListenAddress", "Bind to this address to listen for connections from "
  544.     "clients and servers, instead of the default 0.0.0.0:DirPort." },
  545.   { "DirPolicy", "Set a policy to limit who can connect to the directory "
  546.     "port." },
  547.   /*  Authority options: AuthDirBadExit, AuthDirInvalid, AuthDirReject,
  548.    * AuthDirRejectUnlisted, AuthDirListBadExits, AuthoritativeDirectory,
  549.    * DirAllowPrivateAddresses, HSAuthoritativeDir,
  550.    * NamingAuthoritativeDirectory, RecommendedVersions,
  551.    * RecommendedClientVersions, RecommendedServerVersions, RendPostPeriod,
  552.    * RunTesting, V1AuthoritativeDirectory, VersioningAuthoritativeDirectory, */
  553.   /* Hidden service options: HiddenService: dir,excludenodes, nodes,
  554.    * options, port.  PublishHidServDescriptor */
  555.   /* Nonpersistent options: __LeaveStreamsUnattached, __AllDirActionsPrivate */
  556.   { NULL, NULL },
  557. };
  558. /** Online description of state variables. */
  559. static config_var_description_t state_description[] = {
  560.   { "AccountingBytesReadInInterval",
  561.     "How many bytes have we read in this accounting period?" },
  562.   { "AccountingBytesWrittenInInterval",
  563.     "How many bytes have we written in this accounting period?" },
  564.   { "AccountingExpectedUsage",
  565.     "How many bytes did we expect to use per minute? (0 for no estimate.)" },
  566.   { "AccountingIntervalStart", "When did this accounting period begin?" },
  567.   { "AccountingSecondsActive", "How long have we been awake in this period?" },
  568.   { "BWHistoryReadEnds", "When does the last-recorded read-interval end?" },
  569.   { "BWHistoryReadInterval", "How long is each read-interval (in seconds)?" },
  570.   { "BWHistoryReadValues", "Number of bytes read in each interval." },
  571.   { "BWHistoryWriteEnds", "When does the last-recorded write-interval end?" },
  572.   { "BWHistoryWriteInterval", "How long is each write-interval (in seconds)?"},
  573.   { "BWHistoryWriteValues", "Number of bytes written in each interval." },
  574.   { "EntryGuard", "One of the nodes we have chosen as a fixed entry" },
  575.   { "EntryGuardDownSince",
  576.     "The last entry guard has been unreachable since this time." },
  577.   { "EntryGuardUnlistedSince",
  578.     "The last entry guard has been unusable since this time." },
  579.   { "LastRotatedOnionKey",
  580.     "The last time at which we changed the medium-term private key used for "
  581.     "building circuits." },
  582.   { "LastWritten", "When was this state file last regenerated?" },
  583.   { "TorVersion", "Which version of Tor generated this state file?" },
  584.   { NULL, NULL },
  585. };
  586. /** Type of a callback to validate whether a given configuration is
  587.  * well-formed and consistent. See options_trial_assign() for documentation
  588.  * of arguments. */
  589. typedef int (*validate_fn_t)(void*,void*,int,char**);
  590. /** Information on the keys, value types, key-to-struct-member mappings,
  591.  * variable descriptions, validation functions, and abbreviations for a
  592.  * configuration or storage format. */
  593. typedef struct {
  594.   size_t size; /**< Size of the struct that everything gets parsed into. */
  595.   uint32_t magic; /**< Required 'magic value' to make sure we have a struct
  596.                    * of the right type. */
  597.   off_t magic_offset; /**< Offset of the magic value within the struct. */
  598.   config_abbrev_t *abbrevs; /**< List of abbreviations that we expand when
  599.                              * parsing this format. */
  600.   config_var_t *vars; /**< List of variables we recognize, their default
  601.                        * values, and where we stick them in the structure. */
  602.   validate_fn_t validate_fn; /**< Function to validate config. */
  603.   /** Documentation for configuration variables. */
  604.   config_var_description_t *descriptions;
  605.   /** If present, extra is a LINELIST variable for unrecognized
  606.    * lines.  Otherwise, unrecognized lines are an error. */
  607.   config_var_t *extra;
  608. } config_format_t;
  609. /** Macro: assert that <b>cfg</b> has the right magic field for format
  610.  * <b>fmt</b>. */
  611. #define CHECK(fmt, cfg) STMT_BEGIN                                      
  612.     tor_assert(fmt && cfg);                                             
  613.     tor_assert((fmt)->magic ==                                          
  614.                *(uint32_t*)STRUCT_VAR_P(cfg,fmt->magic_offset));        
  615.   STMT_END
  616. #ifdef MS_WINDOWS
  617. static char *get_windows_conf_root(void);
  618. #endif
  619. static void config_line_append(config_line_t **lst,
  620.                                const char *key, const char *val);
  621. static void option_clear(config_format_t *fmt, or_options_t *options,
  622.                          config_var_t *var);
  623. static void option_reset(config_format_t *fmt, or_options_t *options,
  624.                          config_var_t *var, int use_defaults);
  625. static void config_free(config_format_t *fmt, void *options);
  626. static int config_lines_eq(config_line_t *a, config_line_t *b);
  627. static int option_is_same(config_format_t *fmt,
  628.                           or_options_t *o1, or_options_t *o2,
  629.                           const char *name);
  630. static or_options_t *options_dup(config_format_t *fmt, or_options_t *old);
  631. static int options_validate(or_options_t *old_options, or_options_t *options,
  632.                             int from_setconf, char **msg);
  633. static int options_act_reversible(or_options_t *old_options, char **msg);
  634. static int options_act(or_options_t *old_options);
  635. static int options_transition_allowed(or_options_t *old, or_options_t *new,
  636.                                       char **msg);
  637. static int options_transition_affects_workers(or_options_t *old_options,
  638.                                               or_options_t *new_options);
  639. static int options_transition_affects_descriptor(or_options_t *old_options,
  640.                                                  or_options_t *new_options);
  641. static int check_nickname_list(const char *lst, const char *name, char **msg);
  642. static void config_register_addressmaps(or_options_t *options);
  643. static int parse_bridge_line(const char *line, int validate_only);
  644. static int parse_dir_server_line(const char *line,
  645.                                  authority_type_t required_type,
  646.                                  int validate_only);
  647. static int validate_data_directory(or_options_t *options);
  648. static int write_configuration_file(const char *fname, or_options_t *options);
  649. static config_line_t *get_assigned_option(config_format_t *fmt,
  650.                                           void *options, const char *key,
  651.                                           int escape_val);
  652. static void config_init(config_format_t *fmt, void *options);
  653. static int or_state_validate(or_state_t *old_options, or_state_t *options,
  654.                              int from_setconf, char **msg);
  655. static int or_state_load(void);
  656. static int options_init_logs(or_options_t *options, int validate_only);
  657. static int is_listening_on_low_port(uint16_t port_option,
  658.                                     const config_line_t *listen_options);
  659. static uint64_t config_parse_memunit(const char *s, int *ok);
  660. static int config_parse_interval(const char *s, int *ok);
  661. static void init_libevent(void);
  662. static int opt_streq(const char *s1, const char *s2);
  663. /** Versions of libevent. */
  664. typedef enum {
  665.   /* Note: we compare these, so it's important that "old" precede everything,
  666.    * and that "other" come last. */
  667.   LE_OLD=0, LE_10C, LE_10D, LE_10E, LE_11, LE_11A, LE_11B, LE_12, LE_12A,
  668.   LE_13, LE_13A, LE_13B, LE_13C, LE_13D, LE_13E,
  669.   LE_140, LE_141, LE_142, LE_143, LE_144, LE_145, LE_146, LE_147, LE_148,
  670.   LE_1499,
  671.   LE_OTHER
  672. } le_version_t;
  673. static le_version_t decode_libevent_version(const char *v, int *bincompat_out);
  674. #if defined(HAVE_EVENT_GET_VERSION) && defined(HAVE_EVENT_GET_METHOD)
  675. static void check_libevent_version(const char *m, int server);
  676. #endif
  677. /** Magic value for or_options_t. */
  678. #define OR_OPTIONS_MAGIC 9090909
  679. /** Configuration format for or_options_t. */
  680. static config_format_t options_format = {
  681.   sizeof(or_options_t),
  682.   OR_OPTIONS_MAGIC,
  683.   STRUCT_OFFSET(or_options_t, _magic),
  684.   _option_abbrevs,
  685.   _option_vars,
  686.   (validate_fn_t)options_validate,
  687.   options_description,
  688.   NULL
  689. };
  690. /** Magic value for or_state_t. */
  691. #define OR_STATE_MAGIC 0x57A73f57
  692. /** "Extra" variable in the state that receives lines we can't parse. This
  693.  * lets us preserve options from versions of Tor newer than us. */
  694. static config_var_t state_extra_var = {
  695.   "__extra", CONFIG_TYPE_LINELIST, STRUCT_OFFSET(or_state_t, ExtraLines), NULL
  696. };
  697. /** Configuration format for or_state_t. */
  698. static config_format_t state_format = {
  699.   sizeof(or_state_t),
  700.   OR_STATE_MAGIC,
  701.   STRUCT_OFFSET(or_state_t, _magic),
  702.   _state_abbrevs,
  703.   _state_vars,
  704.   (validate_fn_t)or_state_validate,
  705.   state_description,
  706.   &state_extra_var,
  707. };
  708. /*
  709.  * Functions to read and write the global options pointer.
  710.  */
  711. /** Command-line and config-file options. */
  712. static or_options_t *global_options = NULL;
  713. /** Name of most recently read torrc file. */
  714. static char *torrc_fname = NULL;
  715. /** Persistent serialized state. */
  716. static or_state_t *global_state = NULL;
  717. /** Configuration Options set by command line. */
  718. static config_line_t *global_cmdline_options = NULL;
  719. /** Contents of most recently read DirPortFrontPage file. */
  720. static char *global_dirfrontpagecontents = NULL;
  721. /** Return the contents of our frontpage string, or NULL if not configured. */
  722. const char *
  723. get_dirportfrontpage(void)
  724. {
  725.   return global_dirfrontpagecontents;
  726. }
  727. /** Allocate an empty configuration object of a given format type. */
  728. static void *
  729. config_alloc(config_format_t *fmt)
  730. {
  731.   void *opts = tor_malloc_zero(fmt->size);
  732.   *(uint32_t*)STRUCT_VAR_P(opts, fmt->magic_offset) = fmt->magic;
  733.   CHECK(fmt, opts);
  734.   return opts;
  735. }
  736. /** Return the currently configured options. */
  737. or_options_t *
  738. get_options(void)
  739. {
  740.   tor_assert(global_options);
  741.   return global_options;
  742. }
  743. /** Change the current global options to contain <b>new_val</b> instead of
  744.  * their current value; take action based on the new value; free the old value
  745.  * as necessary.  Returns 0 on success, -1 on failure.
  746.  */
  747. int
  748. set_options(or_options_t *new_val, char **msg)
  749. {
  750.   or_options_t *old_options = global_options;
  751.   global_options = new_val;
  752.   /* Note that we pass the *old* options below, for comparison. It
  753.    * pulls the new options directly out of global_options. */
  754.   if (options_act_reversible(old_options, msg)<0) {
  755.     tor_assert(*msg);
  756.     global_options = old_options;
  757.     return -1;
  758.   }
  759.   if (options_act(old_options) < 0) { /* acting on the options failed. die. */
  760.     log_err(LD_BUG,
  761.             "Acting on config options left us in a broken state. Dying.");
  762.     exit(1);
  763.   }
  764.   if (old_options)
  765.     config_free(&options_format, old_options);
  766.   return 0;
  767. }
  768. extern const char tor_svn_revision[]; /* from tor_main.c */
  769. /** The version of this Tor process, as parsed. */
  770. static char *_version = NULL;
  771. /** Return the current Tor version. */
  772. const char *
  773. get_version(void)
  774. {
  775.   if (_version == NULL) {
  776.     if (strlen(tor_svn_revision)) {
  777.       size_t len = strlen(VERSION)+strlen(tor_svn_revision)+8;
  778.       _version = tor_malloc(len);
  779.       tor_snprintf(_version, len, "%s (r%s)", VERSION, tor_svn_revision);
  780.     } else {
  781.       _version = tor_strdup(VERSION);
  782.     }
  783.   }
  784.   return _version;
  785. }
  786. /** Release additional memory allocated in options
  787.  */
  788. static void
  789. or_options_free(or_options_t *options)
  790. {
  791.   if (options->_ExcludeExitNodesUnion)
  792.     routerset_free(options->_ExcludeExitNodesUnion);
  793.   config_free(&options_format, options);
  794. }
  795. /** Release all memory and resources held by global configuration structures.
  796.  */
  797. void
  798. config_free_all(void)
  799. {
  800.   if (global_options) {
  801.     or_options_free(global_options);
  802.     global_options = NULL;
  803.   }
  804.   if (global_state) {
  805.     config_free(&state_format, global_state);
  806.     global_state = NULL;
  807.   }
  808.   if (global_cmdline_options) {
  809.     config_free_lines(global_cmdline_options);
  810.     global_cmdline_options = NULL;
  811.   }
  812.   tor_free(torrc_fname);
  813.   tor_free(_version);
  814.   tor_free(global_dirfrontpagecontents);
  815. }
  816. /** If options->SafeLogging is on, return a not very useful string,
  817.  * else return address.
  818.  */
  819. const char *
  820. safe_str(const char *address)
  821. {
  822.   tor_assert(address);
  823.   if (get_options()->SafeLogging)
  824.     return "[scrubbed]";
  825.   else
  826.     return address;
  827. }
  828. /** Equivalent to escaped(safe_str(address)).  See reentrancy note on
  829.  * escaped(): don't use this outside the main thread, or twice in the same
  830.  * log statement. */
  831. const char *
  832. escaped_safe_str(const char *address)
  833. {
  834.   if (get_options()->SafeLogging)
  835.     return "[scrubbed]";
  836.   else
  837.     return escaped(address);
  838. }
  839. /** Add the default directory authorities directly into the trusted dir list,
  840.  * but only add them insofar as they share bits with <b>type</b>. */
  841. static void
  842. add_default_trusted_dir_authorities(authority_type_t type)
  843. {
  844.   int i;
  845.   const char *dirservers[] = {
  846.     "moria1 v1 orport=9001 v3ident=E2A2AF570166665D738736D0DD58169CC61D8A8B "
  847.       "128.31.0.39:9031 FFCB 46DB 1339 DA84 674C 70D7 CB58 6434 C437 0441",
  848.     "moria2 v1 orport=9002 128.31.0.34:9032 "
  849.       "719B E45D E224 B607 C537 07D0 E214 3E2D 423E 74CF",
  850.     "tor26 v1 orport=443 v3ident=14C131DFC5C6F93646BE72FA1401C02A8DF2E8B4 "
  851.       "86.59.21.38:80 847B 1F85 0344 D787 6491 A548 92F9 0493 4E4E B85D",
  852.     "dizum orport=443 v3ident=E8A9C45EDE6D711294FADF8E7951F4DE6CA56B58 "
  853.       "194.109.206.212:80 7EA6 EAD6 FD83 083C 538F 4403 8BBF A077 587D D755",
  854.     "Tonga orport=443 bridge no-v2 82.94.251.203:80 "
  855.       "4A0C CD2D DC79 9508 3D73 F5D6 6710 0C8A 5831 F16D",
  856.     "ides orport=9090 no-v2 v3ident=27B6B5996C426270A5C95488AA5BCEB6BCC86956 "
  857.       "216.224.124.114:9030 F397 038A DC51 3361 35E7 B80B D99C A384 4360 292B",
  858.     "gabelmoo orport=443 no-v2 "
  859.       "v3ident=81349FC1F2DBA2C2C11B45CB9706637D480AB913 "
  860.       "80.190.246.100:80 6833 3D07 61BC F397 A587 A0C0 B963 E4A9 E99E C4D3",
  861.     "dannenberg orport=443 no-v2 "
  862.       "v3ident=585769C78764D58426B8B52B6651A5A71137189A "
  863.       "213.73.91.31:80 7BE6 83E6 5D48 1413 21C5 ED92 F075 C553 64AC 7123",
  864.     "urras orport=80 no-v2 v3ident=80550987E1D626E3EBA5E5E75A458DE0626D088C "
  865.       "208.83.223.34:443 0AD3 FA88 4D18 F89E EA2D 89C0 1937 9E0E 7FD9 4417",
  866.     NULL
  867.   };
  868.   for (i=0; dirservers[i]; i++) {
  869.     if (parse_dir_server_line(dirservers[i], type, 0)<0) {
  870.       log_err(LD_BUG, "Couldn't parse internal dirserver line %s",
  871.               dirservers[i]);
  872.     }
  873.   }
  874. }
  875. /** Look at all the config options for using alternate directory
  876.  * authorities, and make sure none of them are broken. Also, warn the
  877.  * user if we changed any dangerous ones.
  878.  */
  879. static int
  880. validate_dir_authorities(or_options_t *options, or_options_t *old_options)
  881. {
  882.   config_line_t *cl;
  883.   if (options->DirServers &&
  884.       (options->AlternateDirAuthority || options->AlternateBridgeAuthority ||
  885.        options->AlternateHSAuthority)) {
  886.     log_warn(LD_CONFIG,
  887.              "You cannot set both DirServers and Alternate*Authority.");
  888.     return -1;
  889.   }
  890.   /* do we want to complain to the user about being partitionable? */
  891.   if ((options->DirServers &&
  892.        (!old_options ||
  893.         !config_lines_eq(options->DirServers, old_options->DirServers))) ||
  894.       (options->AlternateDirAuthority &&
  895.        (!old_options ||
  896.         !config_lines_eq(options->AlternateDirAuthority,
  897.                          old_options->AlternateDirAuthority)))) {
  898.     log_warn(LD_CONFIG,
  899.              "You have used DirServer or AlternateDirAuthority to "
  900.              "specify alternate directory authorities in "
  901.              "your configuration. This is potentially dangerous: it can "
  902.              "make you look different from all other Tor users, and hurt "
  903.              "your anonymity. Even if you've specified the same "
  904.              "authorities as Tor uses by default, the defaults could "
  905.              "change in the future. Be sure you know what you're doing.");
  906.   }
  907.   /* Now go through the four ways you can configure an alternate
  908.    * set of directory authorities, and make sure none are broken. */
  909.   for (cl = options->DirServers; cl; cl = cl->next)
  910.     if (parse_dir_server_line(cl->value, NO_AUTHORITY, 1)<0)
  911.       return -1;
  912.   for (cl = options->AlternateBridgeAuthority; cl; cl = cl->next)
  913.     if (parse_dir_server_line(cl->value, NO_AUTHORITY, 1)<0)
  914.       return -1;
  915.   for (cl = options->AlternateDirAuthority; cl; cl = cl->next)
  916.     if (parse_dir_server_line(cl->value, NO_AUTHORITY, 1)<0)
  917.       return -1;
  918.   for (cl = options->AlternateHSAuthority; cl; cl = cl->next)
  919.     if (parse_dir_server_line(cl->value, NO_AUTHORITY, 1)<0)
  920.       return -1;
  921.   return 0;
  922. }
  923. /** Look at all the config options and assign new dir authorities
  924.  * as appropriate.
  925.  */
  926. static int
  927. consider_adding_dir_authorities(or_options_t *options,
  928.                                 or_options_t *old_options)
  929. {
  930.   config_line_t *cl;
  931.   int need_to_update =
  932.     !smartlist_len(router_get_trusted_dir_servers()) || !old_options ||
  933.     !config_lines_eq(options->DirServers, old_options->DirServers) ||
  934.     !config_lines_eq(options->AlternateBridgeAuthority,
  935.                      old_options->AlternateBridgeAuthority) ||
  936.     !config_lines_eq(options->AlternateDirAuthority,
  937.                      old_options->AlternateDirAuthority) ||
  938.     !config_lines_eq(options->AlternateHSAuthority,
  939.                      old_options->AlternateHSAuthority);
  940.   if (!need_to_update)
  941.     return 0; /* all done */
  942.   /* Start from a clean slate. */
  943.   clear_trusted_dir_servers();
  944.   if (!options->DirServers) {
  945.     /* then we may want some of the defaults */
  946.     authority_type_t type = NO_AUTHORITY;
  947.     if (!options->AlternateBridgeAuthority)
  948.       type |= BRIDGE_AUTHORITY;
  949.     if (!options->AlternateDirAuthority)
  950.       type |= V1_AUTHORITY | V2_AUTHORITY | V3_AUTHORITY;
  951.     if (!options->AlternateHSAuthority)
  952.       type |= HIDSERV_AUTHORITY;
  953.     add_default_trusted_dir_authorities(type);
  954.   }
  955.   for (cl = options->DirServers; cl; cl = cl->next)
  956.     if (parse_dir_server_line(cl->value, NO_AUTHORITY, 0)<0)
  957.       return -1;
  958.   for (cl = options->AlternateBridgeAuthority; cl; cl = cl->next)
  959.     if (parse_dir_server_line(cl->value, NO_AUTHORITY, 0)<0)
  960.       return -1;
  961.   for (cl = options->AlternateDirAuthority; cl; cl = cl->next)
  962.     if (parse_dir_server_line(cl->value, NO_AUTHORITY, 0)<0)
  963.       return -1;
  964.   for (cl = options->AlternateHSAuthority; cl; cl = cl->next)
  965.     if (parse_dir_server_line(cl->value, NO_AUTHORITY, 0)<0)
  966.       return -1;
  967.   return 0;
  968. }
  969. /** Fetch the active option list, and take actions based on it. All of the
  970.  * things we do should survive being done repeatedly.  If present,
  971.  * <b>old_options</b> contains the previous value of the options.
  972.  *
  973.  * Return 0 if all goes well, return -1 if things went badly.
  974.  */
  975. static int
  976. options_act_reversible(or_options_t *old_options, char **msg)
  977. {
  978.   smartlist_t *new_listeners = smartlist_create();
  979.   smartlist_t *replaced_listeners = smartlist_create();
  980.   static int libevent_initialized = 0;
  981.   or_options_t *options = get_options();
  982.   int running_tor = options->command == CMD_RUN_TOR;
  983.   int set_conn_limit = 0;
  984.   int r = -1;
  985.   int logs_marked = 0;
  986.   /* Daemonize _first_, since we only want to open most of this stuff in
  987.    * the subprocess.  Libevent bases can't be reliably inherited across
  988.    * processes. */
  989.   if (running_tor && options->RunAsDaemon) {
  990.     /* No need to roll back, since you can't change the value. */
  991.     start_daemon();
  992.   }
  993. #ifndef HAVE_SYS_UN_H
  994.   if (options->ControlSocket) {
  995.     *msg = tor_strdup("Unix domain sockets (ControlSocket) not supported"
  996.                       " on this OS/with this build.");
  997.     goto rollback;
  998.   }
  999. #endif
  1000.   if (running_tor) {
  1001.     /* We need to set the connection limit before we can open the listeners. */
  1002.     if (set_max_file_descriptors((unsigned)options->ConnLimit,
  1003.                                  &options->_ConnLimit) < 0) {
  1004.       *msg = tor_strdup("Problem with ConnLimit value. See logs for details.");
  1005.       goto rollback;
  1006.     }
  1007.     set_conn_limit = 1;
  1008.     /* Set up libevent.  (We need to do this before we can register the
  1009.      * listeners as listeners.) */
  1010.     if (running_tor && !libevent_initialized) {
  1011.       init_libevent();
  1012.       libevent_initialized = 1;
  1013.     }
  1014.     /* Launch the listeners.  (We do this before we setuid, so we can bind to
  1015.      * ports under 1024.) */
  1016.     if (retry_all_listeners(replaced_listeners, new_listeners) < 0) {
  1017.       *msg = tor_strdup("Failed to bind one of the listener ports.");
  1018.       goto rollback;
  1019.     }
  1020.   }
  1021. #if defined(HAVE_NET_IF_H) && defined(HAVE_NET_PFVAR_H)
  1022.   /* Open /dev/pf before dropping privileges. */
  1023.   if (options->TransPort) {
  1024.     if (get_pf_socket() < 0) {
  1025.       *msg = tor_strdup("Unable to open /dev/pf for transparent proxy.");
  1026.       goto rollback;
  1027.     }
  1028.   }
  1029. #endif
  1030.   /* Setuid/setgid as appropriate */
  1031.   if (options->User) {
  1032.     if (switch_id(options->User) != 0) {
  1033.       /* No need to roll back, since you can't change the value. */
  1034.       *msg = tor_strdup("Problem with User value. See logs for details.");
  1035.       goto done;
  1036.     }
  1037.   }
  1038.   /* Ensure data directory is private; create if possible. */
  1039.   if (check_private_dir(options->DataDirectory,
  1040.                         running_tor ? CPD_CREATE : CPD_CHECK)<0) {
  1041.     char buf[1024];
  1042.     int tmp = tor_snprintf(buf, sizeof(buf),
  1043.               "Couldn't access/create private data directory "%s"",
  1044.               options->DataDirectory);
  1045.     *msg = tor_strdup(tmp >= 0 ? buf : "internal error");
  1046.     goto done;
  1047.     /* No need to roll back, since you can't change the value. */
  1048.   }
  1049.  if (directory_caches_v2_dir_info(options)) {
  1050.     size_t len = strlen(options->DataDirectory)+32;
  1051.     char *fn = tor_malloc(len);
  1052.     tor_snprintf(fn, len, "%s"PATH_SEPARATOR"cached-status",
  1053.                  options->DataDirectory);
  1054.     if (check_private_dir(fn, running_tor ? CPD_CREATE : CPD_CHECK) < 0) {
  1055.       char buf[1024];
  1056.       int tmp = tor_snprintf(buf, sizeof(buf),
  1057.                 "Couldn't access/create private data directory "%s"", fn);
  1058.       *msg = tor_strdup(tmp >= 0 ? buf : "internal error");
  1059.       tor_free(fn);
  1060.       goto done;
  1061.     }
  1062.     tor_free(fn);
  1063.   }
  1064.   /* Bail out at this point if we're not going to be a client or server:
  1065.    * we don't run Tor itself. */
  1066.   if (!running_tor)
  1067.     goto commit;
  1068.   mark_logs_temp(); /* Close current logs once new logs are open. */
  1069.   logs_marked = 1;
  1070.   if (options_init_logs(options, 0)<0) { /* Configure the log(s) */
  1071.     *msg = tor_strdup("Failed to init Log options. See logs for details.");
  1072.     goto rollback;
  1073.   }
  1074.  commit:
  1075.   r = 0;
  1076.   if (logs_marked) {
  1077.     log_severity_list_t *severity =
  1078.       tor_malloc_zero(sizeof(log_severity_list_t));
  1079.     close_temp_logs();
  1080.     add_callback_log(severity, control_event_logmsg);
  1081.     control_adjust_event_log_severity();
  1082.     tor_free(severity);
  1083.   }
  1084.   SMARTLIST_FOREACH(replaced_listeners, connection_t *, conn,
  1085.   {
  1086.     log_notice(LD_NET, "Closing old %s on %s:%d",
  1087.                conn_type_to_string(conn->type), conn->address, conn->port);
  1088.     connection_close_immediate(conn);
  1089.     connection_mark_for_close(conn);
  1090.   });
  1091.   goto done;
  1092.  rollback:
  1093.   r = -1;
  1094.   tor_assert(*msg);
  1095.   if (logs_marked) {
  1096.     rollback_log_changes();
  1097.     control_adjust_event_log_severity();
  1098.   }
  1099.   if (set_conn_limit && old_options)
  1100.     set_max_file_descriptors((unsigned)old_options->ConnLimit,
  1101.                              &options->_ConnLimit);
  1102.   SMARTLIST_FOREACH(new_listeners, connection_t *, conn,
  1103.   {
  1104.     log_notice(LD_NET, "Closing partially-constructed listener %s on %s:%d",
  1105.                conn_type_to_string(conn->type), conn->address, conn->port);
  1106.     connection_close_immediate(conn);
  1107.     connection_mark_for_close(conn);
  1108.   });
  1109.  done:
  1110.   smartlist_free(new_listeners);
  1111.   smartlist_free(replaced_listeners);
  1112.   return r;
  1113. }
  1114. /** If we need to have a GEOIP ip-to-country map to run with our configured
  1115.  * options, return 1 and set *<b>reason_out</b> to a description of why. */
  1116. int
  1117. options_need_geoip_info(or_options_t *options, const char **reason_out)
  1118. {
  1119.   int bridge_usage =
  1120.     options->BridgeRelay && options->BridgeRecordUsageByCountry;
  1121.   int routerset_usage =
  1122.     routerset_needs_geoip(options->EntryNodes) ||
  1123.     routerset_needs_geoip(options->ExitNodes) ||
  1124.     routerset_needs_geoip(options->ExcludeExitNodes) ||
  1125.     routerset_needs_geoip(options->ExcludeNodes);
  1126.   if (routerset_usage && reason_out) {
  1127.     *reason_out = "We've been configured to use (or avoid) nodes in certain "
  1128.       "countries, and we need GEOIP information to figure out which ones they "
  1129.       "are.";
  1130.   } else if (bridge_usage && reason_out) {
  1131.     *reason_out = "We've been configured to see which countries can access "
  1132.       "us as a bridge, and we need GEOIP information to tell which countries "
  1133.       "clients are in.";
  1134.   }
  1135.   return bridge_usage || routerset_usage;
  1136. }
  1137. /** Return the bandwidthrate that we are going to report to the authorities
  1138.  * based on the config options. */
  1139. uint32_t
  1140. get_effective_bwrate(or_options_t *options)
  1141. {
  1142.   uint64_t bw = options->BandwidthRate;
  1143.   if (bw > options->MaxAdvertisedBandwidth)
  1144.     bw = options->MaxAdvertisedBandwidth;
  1145.   if (options->RelayBandwidthRate > 0 && bw > options->RelayBandwidthRate)
  1146.     bw = options->RelayBandwidthRate;
  1147.   /* ensure_bandwidth_cap() makes sure that this cast can't overflow. */
  1148.   return (uint32_t)bw;
  1149. }
  1150. /** Return the bandwidthburst that we are going to report to the authorities
  1151.  * based on the config options. */
  1152. uint32_t
  1153. get_effective_bwburst(or_options_t *options)
  1154. {
  1155.   uint64_t bw = options->BandwidthBurst;
  1156.   if (options->RelayBandwidthBurst > 0 && bw > options->RelayBandwidthBurst)
  1157.     bw = options->RelayBandwidthBurst;
  1158.   /* ensure_bandwidth_cap() makes sure that this cast can't overflow. */
  1159.   return (uint32_t)bw;
  1160. }
  1161. /** Fetch the active option list, and take actions based on it. All of the
  1162.  * things we do should survive being done repeatedly.  If present,
  1163.  * <b>old_options</b> contains the previous value of the options.
  1164.  *
  1165.  * Return 0 if all goes well, return -1 if it's time to die.
  1166.  *
  1167.  * Note: We haven't moved all the "act on new configuration" logic
  1168.  * here yet.  Some is still in do_hup() and other places.
  1169.  */
  1170. static int
  1171. options_act(or_options_t *old_options)
  1172. {
  1173.   config_line_t *cl;
  1174.   or_options_t *options = get_options();
  1175.   int running_tor = options->command == CMD_RUN_TOR;
  1176.   char *msg;
  1177.   if (running_tor && !have_lockfile()) {
  1178.     if (try_locking(options, 1) < 0)
  1179.       return -1;
  1180.   }
  1181.   if (consider_adding_dir_authorities(options, old_options) < 0)
  1182.     return -1;
  1183.   if (options->Bridges) {
  1184.     clear_bridge_list();
  1185.     for (cl = options->Bridges; cl; cl = cl->next) {
  1186.       if (parse_bridge_line(cl->value, 0)<0) {
  1187.         log_warn(LD_BUG,
  1188.                  "Previously validated Bridge line could not be added!");
  1189.         return -1;
  1190.       }
  1191.     }
  1192.   }
  1193.   if (running_tor && rend_config_services(options, 0)<0) {
  1194.     log_warn(LD_BUG,
  1195.        "Previously validated hidden services line could not be added!");
  1196.     return -1;
  1197.   }
  1198.   if (running_tor && rend_parse_service_authorization(options, 0) < 0) {
  1199.     log_warn(LD_BUG, "Previously validated client authorization for "
  1200.                      "hidden services could not be added!");
  1201.     return -1;
  1202.   }
  1203.   /* Load state */
  1204.   if (! global_state && running_tor) {
  1205.     if (or_state_load())
  1206.       return -1;
  1207.     rep_hist_load_mtbf_data(time(NULL));
  1208.   }
  1209.   /* Bail out at this point if we're not going to be a client or server:
  1210.    * we want to not fork, and to log stuff to stderr. */
  1211.   if (!running_tor)
  1212.     return 0;
  1213.   /* Finish backgrounding the process */
  1214.   if (running_tor && options->RunAsDaemon) {
  1215.     /* We may be calling this for the n'th time (on SIGHUP), but it's safe. */
  1216.     finish_daemon(options->DataDirectory);
  1217.   }
  1218.   /* Write our PID to the PID file. If we do not have write permissions we
  1219.    * will log a warning */
  1220.   if (running_tor && options->PidFile)
  1221.     write_pidfile(options->PidFile);
  1222.   /* Register addressmap directives */
  1223.   config_register_addressmaps(options);
  1224.   parse_virtual_addr_network(options->VirtualAddrNetwork, 0, &msg);
  1225.   /* Update address policies. */
  1226.   if (policies_parse_from_options(options) < 0) {
  1227.     /* This should be impossible, but let's be sure. */
  1228.     log_warn(LD_BUG,"Error parsing already-validated policy options.");
  1229.     return -1;
  1230.   }
  1231.   if (init_cookie_authentication(options->CookieAuthentication) < 0) {
  1232.     log_warn(LD_CONFIG,"Error creating cookie authentication file.");
  1233.     return -1;
  1234.   }
  1235.   /* reload keys as needed for rendezvous services. */
  1236.   if (rend_service_load_keys()<0) {
  1237.     log_warn(LD_GENERAL,"Error loading rendezvous service keys");
  1238.     return -1;
  1239.   }
  1240.   /* Set up accounting */
  1241.   if (accounting_parse_options(options, 0)<0) {
  1242.     log_warn(LD_CONFIG,"Error in accounting options");
  1243.     return -1;
  1244.   }
  1245.   if (accounting_is_enabled(options))
  1246.     configure_accounting(time(NULL));
  1247.   /* Check for transitions that need action. */
  1248.   if (old_options) {
  1249.     if (options->UseEntryGuards && !old_options->UseEntryGuards) {
  1250.       log_info(LD_CIRC,
  1251.                "Switching to entry guards; abandoning previous circuits");
  1252.       circuit_mark_all_unused_circs();
  1253.       circuit_expire_all_dirty_circs();
  1254.     }
  1255.     if (! bool_eq(options->BridgeRelay, old_options->BridgeRelay)) {
  1256.       log_info(LD_GENERAL, "Bridge status changed.  Forgetting GeoIP stats.");
  1257.       geoip_remove_old_clients(time(NULL)+(2*60*60));
  1258.     }
  1259.     if (options_transition_affects_workers(old_options, options)) {
  1260.       log_info(LD_GENERAL,
  1261.                "Worker-related options changed. Rotating workers.");
  1262.       if (server_mode(options) && !server_mode(old_options)) {
  1263.         if (init_keys() < 0) {
  1264.           log_warn(LD_BUG,"Error initializing keys; exiting");
  1265.           return -1;
  1266.         }
  1267.         ip_address_changed(0);
  1268.         if (has_completed_circuit || !any_predicted_circuits(time(NULL)))
  1269.           inform_testing_reachability();
  1270.       }
  1271.       cpuworkers_rotate();
  1272.       if (dns_reset())
  1273.         return -1;
  1274.     } else {
  1275.       if (dns_reset())
  1276.         return -1;
  1277.     }
  1278.     if (options->V3AuthoritativeDir && !old_options->V3AuthoritativeDir)
  1279.       init_keys();
  1280.   }
  1281.   /* Maybe load geoip file */
  1282.   if (options->GeoIPFile &&
  1283.       ((!old_options || !opt_streq(old_options->GeoIPFile, options->GeoIPFile))
  1284.        || !geoip_is_loaded())) {
  1285.     /* XXXX Don't use this "<default>" junk; make our filename options
  1286.      * understand prefixes somehow. -NM */
  1287.     /* XXXX021 Reload GeoIPFile on SIGHUP. -NM */
  1288.     char *actual_fname = tor_strdup(options->GeoIPFile);
  1289. #ifdef WIN32
  1290.     if (!strcmp(actual_fname, "<default>")) {
  1291.       const char *conf_root = get_windows_conf_root();
  1292.       size_t len = strlen(conf_root)+16;
  1293.       tor_free(actual_fname);
  1294.       actual_fname = tor_malloc(len+1);
  1295.       tor_snprintf(actual_fname, len, "%s\geoip", conf_root);
  1296.     }
  1297. #endif
  1298.     geoip_load_file(actual_fname, options);
  1299.     tor_free(actual_fname);
  1300.   }
  1301. #ifdef ENABLE_GEOIP_STATS
  1302.   log_warn(LD_CONFIG, "We are configured to measure GeoIP statistics, but "
  1303.            "the way these statistics are measured has changed "
  1304.            "significantly in later versions of Tor. The results may not be "
  1305.            "as expected if you are used to later versions.  Be sure you "
  1306.            "know what you are doing.");
  1307. #endif
  1308.   /* Check if we need to parse and add the EntryNodes config option. */
  1309.   if (options->EntryNodes &&
  1310.       (!old_options ||
  1311.       (!routerset_equal(old_options->EntryNodes,options->EntryNodes))))
  1312.     entry_nodes_should_be_added();
  1313.   /* Since our options changed, we might need to regenerate and upload our
  1314.    * server descriptor.
  1315.    */
  1316.   if (!old_options ||
  1317.       options_transition_affects_descriptor(old_options, options))
  1318.     mark_my_descriptor_dirty();
  1319.   /* We may need to reschedule some directory stuff if our status changed. */
  1320.   if (old_options) {
  1321.     if (authdir_mode_v3(options) && !authdir_mode_v3(old_options))
  1322.       dirvote_recalculate_timing(options, time(NULL));
  1323.     if (!bool_eq(directory_fetches_dir_info_early(options),
  1324.                  directory_fetches_dir_info_early(old_options)) ||
  1325.         !bool_eq(directory_fetches_dir_info_later(options),
  1326.                  directory_fetches_dir_info_later(old_options))) {
  1327.       /* Make sure update_router_have_min_dir_info gets called. */
  1328.       router_dir_info_changed();
  1329.       /* We might need to download a new consensus status later or sooner than
  1330.        * we had expected. */
  1331.       update_consensus_networkstatus_fetch_time(time(NULL));
  1332.     }
  1333.   }
  1334.   /* Load the webpage we're going to serve every time someone asks for '/' on
  1335.      our DirPort. */
  1336.   tor_free(global_dirfrontpagecontents);
  1337.   if (options->DirPortFrontPage) {
  1338.     global_dirfrontpagecontents =
  1339.       read_file_to_str(options->DirPortFrontPage, 0, NULL);
  1340.     if (!global_dirfrontpagecontents) {
  1341.       log_warn(LD_CONFIG,
  1342.                "DirPortFrontPage file '%s' not found. Continuing anyway.",
  1343.                options->DirPortFrontPage);
  1344.     }
  1345.   }
  1346.   return 0;
  1347. }
  1348. /*
  1349.  * Functions to parse config options
  1350.  */
  1351. /** If <b>option</b> is an official abbreviation for a longer option,
  1352.  * return the longer option.  Otherwise return <b>option</b>.
  1353.  * If <b>command_line</b> is set, apply all abbreviations.  Otherwise, only
  1354.  * apply abbreviations that work for the config file and the command line.
  1355.  * If <b>warn_obsolete</b> is set, warn about deprecated names. */
  1356. static const char *
  1357. expand_abbrev(config_format_t *fmt, const char *option, int command_line,
  1358.               int warn_obsolete)
  1359. {
  1360.   int i;
  1361.   if (! fmt->abbrevs)
  1362.     return option;
  1363.   for (i=0; fmt->abbrevs[i].abbreviated; ++i) {
  1364.     /* Abbreviations are case insensitive. */
  1365.     if (!strcasecmp(option,fmt->abbrevs[i].abbreviated) &&
  1366.         (command_line || !fmt->abbrevs[i].commandline_only)) {
  1367.       if (warn_obsolete && fmt->abbrevs[i].warn) {
  1368.         log_warn(LD_CONFIG,
  1369.                  "The configuration option '%s' is deprecated; "
  1370.                  "use '%s' instead.",
  1371.                  fmt->abbrevs[i].abbreviated,
  1372.                  fmt->abbrevs[i].full);
  1373.       }
  1374.       return fmt->abbrevs[i].full;
  1375.     }
  1376.   }
  1377.   return option;
  1378. }
  1379. /** Helper: Read a list of configuration options from the command line.
  1380.  * If successful, put them in *<b>result</b> and return 0, and return
  1381.  * -1 and leave *<b>result</b> alone. */
  1382. static int
  1383. config_get_commandlines(int argc, char **argv, config_line_t **result)
  1384. {
  1385.   config_line_t *front = NULL;
  1386.   config_line_t **new = &front;
  1387.   char *s;
  1388.   int i = 1;
  1389.   while (i < argc) {
  1390.     if (!strcmp(argv[i],"-f") ||
  1391.         !strcmp(argv[i],"--hash-password")) {
  1392.       i += 2; /* command-line option with argument. ignore them. */
  1393.       continue;
  1394.     } else if (!strcmp(argv[i],"--list-fingerprint") ||
  1395.                !strcmp(argv[i],"--verify-config") ||
  1396.                !strcmp(argv[i],"--ignore-missing-torrc") ||
  1397.                !strcmp(argv[i],"--quiet") ||
  1398.                !strcmp(argv[i],"--hush")) {
  1399.       i += 1; /* command-line option. ignore it. */
  1400.       continue;
  1401.     } else if (!strcmp(argv[i],"--nt-service") ||
  1402.                !strcmp(argv[i],"-nt-service")) {
  1403.       i += 1;
  1404.       continue;
  1405.     }
  1406.     if (i == argc-1) {
  1407.       log_warn(LD_CONFIG,"Command-line option '%s' with no value. Failing.",
  1408.                argv[i]);
  1409.       config_free_lines(front);
  1410.       return -1;
  1411.     }
  1412.     *new = tor_malloc_zero(sizeof(config_line_t));
  1413.     s = argv[i];
  1414.     while (*s == '-')
  1415.       s++;
  1416.     (*new)->key = tor_strdup(expand_abbrev(&options_format, s, 1, 1));
  1417.     (*new)->value = tor_strdup(argv[i+1]);
  1418.     (*new)->next = NULL;
  1419.     log(LOG_DEBUG, LD_CONFIG, "command line: parsed keyword '%s', value '%s'",
  1420.         (*new)->key, (*new)->value);
  1421.     new = &((*new)->next);
  1422.     i += 2;
  1423.   }
  1424.   *result = front;
  1425.   return 0;
  1426. }
  1427. /** Helper: allocate a new configuration option mapping 'key' to 'val',
  1428.  * append it to *<b>lst</b>. */
  1429. static void
  1430. config_line_append(config_line_t **lst,
  1431.                    const char *key,
  1432.                    const char *val)
  1433. {
  1434.   config_line_t *newline;
  1435.   newline = tor_malloc(sizeof(config_line_t));
  1436.   newline->key = tor_strdup(key);
  1437.   newline->value = tor_strdup(val);
  1438.   newline->next = NULL;
  1439.   while (*lst)
  1440.     lst = &((*lst)->next);
  1441.   (*lst) = newline;
  1442. }
  1443. /** Helper: parse the config string and strdup into key/value
  1444.  * strings. Set *result to the list, or NULL if parsing the string
  1445.  * failed.  Return 0 on success, -1 on failure. Warn and ignore any
  1446.  * misformatted lines. */
  1447. int
  1448. config_get_lines(const char *string, config_line_t **result)
  1449. {
  1450.   config_line_t *list = NULL, **next;
  1451.   char *k, *v;
  1452.   next = &list;
  1453.   do {
  1454.     k = v = NULL;
  1455.     string = parse_config_line_from_str(string, &k, &v);
  1456.     if (!string) {
  1457.       config_free_lines(list);
  1458.       tor_free(k);
  1459.       tor_free(v);
  1460.       return -1;
  1461.     }
  1462.     if (k && v) {
  1463.       /* This list can get long, so we keep a pointer to the end of it
  1464.        * rather than using config_line_append over and over and getting
  1465.        * n^2 performance. */
  1466.       *next = tor_malloc(sizeof(config_line_t));
  1467.       (*next)->key = k;
  1468.       (*next)->value = v;
  1469.       (*next)->next = NULL;
  1470.       next = &((*next)->next);
  1471.     } else {
  1472.       tor_free(k);
  1473.       tor_free(v);
  1474.     }
  1475.   } while (*string);
  1476.   *result = list;
  1477.   return 0;
  1478. }
  1479. /**
  1480.  * Free all the configuration lines on the linked list <b>front</b>.
  1481.  */
  1482. void
  1483. config_free_lines(config_line_t *front)
  1484. {
  1485.   config_line_t *tmp;
  1486.   while (front) {
  1487.     tmp = front;
  1488.     front = tmp->next;
  1489.     tor_free(tmp->key);
  1490.     tor_free(tmp->value);
  1491.     tor_free(tmp);
  1492.   }
  1493. }
  1494. /** Return the description for a given configuration variable, or NULL if no
  1495.  * description exists. */
  1496. static const char *
  1497. config_find_description(config_format_t *fmt, const char *name)
  1498. {
  1499.   int i;
  1500.   for (i=0; fmt->descriptions[i].name; ++i) {
  1501.     if (!strcasecmp(name, fmt->descriptions[i].name))
  1502.       return fmt->descriptions[i].description;
  1503.   }
  1504.   return NULL;
  1505. }
  1506. /** If <b>key</b> is a configuration option, return the corresponding
  1507.  * config_var_t.  Otherwise, if <b>key</b> is a non-standard abbreviation,
  1508.  * warn, and return the corresponding config_var_t.  Otherwise return NULL.
  1509.  */
  1510. static config_var_t *
  1511. config_find_option(config_format_t *fmt, const char *key)
  1512. {
  1513.   int i;
  1514.   size_t keylen = strlen(key);
  1515.   if (!keylen)
  1516.     return NULL; /* if they say "--" on the command line, it's not an option */
  1517.   /* First, check for an exact (case-insensitive) match */
  1518.   for (i=0; fmt->vars[i].name; ++i) {
  1519.     if (!strcasecmp(key, fmt->vars[i].name)) {
  1520.       return &fmt->vars[i];
  1521.     }
  1522.   }
  1523.   /* If none, check for an abbreviated match */
  1524.   for (i=0; fmt->vars[i].name; ++i) {
  1525.     if (!strncasecmp(key, fmt->vars[i].name, keylen)) {
  1526.       log_warn(LD_CONFIG, "The abbreviation '%s' is deprecated. "
  1527.                "Please use '%s' instead",
  1528.                key, fmt->vars[i].name);
  1529.       return &fmt->vars[i];
  1530.     }
  1531.   }
  1532.   /* Okay, unrecognized option */
  1533.   return NULL;
  1534. }
  1535. /*
  1536.  * Functions to assign config options.
  1537.  */
  1538. /** <b>c</b>->key is known to be a real key. Update <b>options</b>
  1539.  * with <b>c</b>->value and return 0, or return -1 if bad value.
  1540.  *
  1541.  * Called from config_assign_line() and option_reset().
  1542.  */
  1543. static int
  1544. config_assign_value(config_format_t *fmt, or_options_t *options,
  1545.                     config_line_t *c, char **msg)
  1546. {
  1547.   int i, r, ok;
  1548.   char buf[1024];
  1549.   config_var_t *var;
  1550.   void *lvalue;
  1551.   CHECK(fmt, options);
  1552.   var = config_find_option(fmt, c->key);
  1553.   tor_assert(var);
  1554.   lvalue = STRUCT_VAR_P(options, var->var_offset);
  1555.   switch (var->type) {
  1556.   case CONFIG_TYPE_UINT:
  1557.     i = (int)tor_parse_long(c->value, 10, 0, INT_MAX, &ok, NULL);
  1558.     if (!ok) {
  1559.       r = tor_snprintf(buf, sizeof(buf),
  1560.           "Int keyword '%s %s' is malformed or out of bounds.",
  1561.           c->key, c->value);
  1562.       *msg = tor_strdup(r >= 0 ? buf : "internal error");
  1563.       return -1;
  1564.     }
  1565.     *(int *)lvalue = i;
  1566.     break;
  1567.   case CONFIG_TYPE_INTERVAL: {
  1568.     i = config_parse_interval(c->value, &ok);
  1569.     if (!ok) {
  1570.       r = tor_snprintf(buf, sizeof(buf),
  1571.           "Interval '%s %s' is malformed or out of bounds.",
  1572.           c->key, c->value);
  1573.       *msg = tor_strdup(r >= 0 ? buf : "internal error");
  1574.       return -1;
  1575.     }
  1576.     *(int *)lvalue = i;
  1577.     break;
  1578.   }
  1579.   case CONFIG_TYPE_MEMUNIT: {
  1580.     uint64_t u64 = config_parse_memunit(c->value, &ok);
  1581.     if (!ok) {
  1582.       r = tor_snprintf(buf, sizeof(buf),
  1583.           "Value '%s %s' is malformed or out of bounds.",
  1584.           c->key, c->value);
  1585.       *msg = tor_strdup(r >= 0 ? buf : "internal error");
  1586.       return -1;
  1587.     }
  1588.     *(uint64_t *)lvalue = u64;
  1589.     break;
  1590.   }
  1591.   case CONFIG_TYPE_BOOL:
  1592.     i = (int)tor_parse_long(c->value, 10, 0, 1, &ok, NULL);
  1593.     if (!ok) {
  1594.       r = tor_snprintf(buf, sizeof(buf),
  1595.           "Boolean '%s %s' expects 0 or 1.",
  1596.           c->key, c->value);
  1597.       *msg = tor_strdup(r >= 0 ? buf : "internal error");
  1598.       return -1;
  1599.     }
  1600.     *(int *)lvalue = i;
  1601.     break;
  1602.   case CONFIG_TYPE_STRING:
  1603.   case CONFIG_TYPE_FILENAME:
  1604.     tor_free(*(char **)lvalue);
  1605.     *(char **)lvalue = tor_strdup(c->value);
  1606.     break;
  1607.   case CONFIG_TYPE_DOUBLE:
  1608.     *(double *)lvalue = atof(c->value);
  1609.     break;
  1610.   case CONFIG_TYPE_ISOTIME:
  1611.     if (parse_iso_time(c->value, (time_t *)lvalue)) {
  1612.       r = tor_snprintf(buf, sizeof(buf),
  1613.           "Invalid time '%s' for keyword '%s'", c->value, c->key);
  1614.       *msg = tor_strdup(r >= 0 ? buf : "internal error");
  1615.       return -1;
  1616.     }
  1617.     break;
  1618.   case CONFIG_TYPE_ROUTERSET:
  1619.     if (*(routerset_t**)lvalue) {
  1620.       routerset_free(*(routerset_t**)lvalue);
  1621.     }
  1622.     *(routerset_t**)lvalue = routerset_new();
  1623.     if (routerset_parse(*(routerset_t**)lvalue, c->value, c->key)<0) {
  1624.       tor_snprintf(buf, sizeof(buf), "Invalid exit list '%s' for option '%s'",
  1625.                    c->value, c->key);
  1626.       *msg = tor_strdup(buf);
  1627.       return -1;
  1628.     }
  1629.     break;
  1630.   case CONFIG_TYPE_CSV:
  1631.     if (*(smartlist_t**)lvalue) {
  1632.       SMARTLIST_FOREACH(*(smartlist_t**)lvalue, char *, cp, tor_free(cp));
  1633.       smartlist_clear(*(smartlist_t**)lvalue);
  1634.     } else {
  1635.       *(smartlist_t**)lvalue = smartlist_create();
  1636.     }
  1637.     smartlist_split_string(*(smartlist_t**)lvalue, c->value, ",",
  1638.                            SPLIT_SKIP_SPACE|SPLIT_IGNORE_BLANK, 0);
  1639.     break;
  1640.   case CONFIG_TYPE_LINELIST:
  1641.   case CONFIG_TYPE_LINELIST_S:
  1642.     config_line_append((config_line_t**)lvalue, c->key, c->value);
  1643.     break;
  1644.   case CONFIG_TYPE_OBSOLETE:
  1645.     log_warn(LD_CONFIG, "Skipping obsolete configuration option '%s'", c->key);
  1646.     break;
  1647.   case CONFIG_TYPE_LINELIST_V:
  1648.     r = tor_snprintf(buf, sizeof(buf),
  1649.         "You may not provide a value for virtual option '%s'", c->key);
  1650.     *msg = tor_strdup(r >= 0 ? buf : "internal error");
  1651.     return -1;
  1652.   default:
  1653.     tor_assert(0);
  1654.     break;
  1655.   }
  1656.   return 0;
  1657. }
  1658. /** If <b>c</b> is a syntactically valid configuration line, update
  1659.  * <b>options</b> with its value and return 0.  Otherwise return -1 for bad
  1660.  * key, -2 for bad value.
  1661.  *
  1662.  * If <b>clear_first</b> is set, clear the value first. Then if
  1663.  * <b>use_defaults</b> is set, set the value to the default.
  1664.  *
  1665.  * Called from config_assign().
  1666.  */
  1667. static int
  1668. config_assign_line(config_format_t *fmt, or_options_t *options,
  1669.                    config_line_t *c, int use_defaults,
  1670.                    int clear_first, char **msg)
  1671. {
  1672.   config_var_t *var;
  1673.   CHECK(fmt, options);
  1674.   var = config_find_option(fmt, c->key);
  1675.   if (!var) {
  1676.     if (fmt->extra) {
  1677.       void *lvalue = STRUCT_VAR_P(options, fmt->extra->var_offset);
  1678.       log_info(LD_CONFIG,
  1679.                "Found unrecognized option '%s'; saving it.", c->key);
  1680.       config_line_append((config_line_t**)lvalue, c->key, c->value);
  1681.       return 0;
  1682.     } else {
  1683.       char buf[1024];
  1684.       int tmp = tor_snprintf(buf, sizeof(buf),
  1685.                 "Unknown option '%s'.  Failing.", c->key);
  1686.       *msg = tor_strdup(tmp >= 0 ? buf : "internal error");
  1687.       return -1;
  1688.     }
  1689.   }
  1690.   /* Put keyword into canonical case. */
  1691.   if (strcmp(var->name, c->key)) {
  1692.     tor_free(c->key);
  1693.     c->key = tor_strdup(var->name);
  1694.   }
  1695.   if (!strlen(c->value)) {
  1696.     /* reset or clear it, then return */
  1697.     if (!clear_first) {
  1698.       if (var->type == CONFIG_TYPE_LINELIST ||
  1699.           var->type == CONFIG_TYPE_LINELIST_S) {
  1700.         /* We got an empty linelist from the torrc or command line.
  1701.            As a special case, call this an error. Warn and ignore. */
  1702.         log_warn(LD_CONFIG,
  1703.                  "Linelist option '%s' has no value. Skipping.", c->key);
  1704.       } else { /* not already cleared */
  1705.         option_reset(fmt, options, var, use_defaults);
  1706.       }
  1707.     }
  1708.     return 0;
  1709.   }
  1710.   if (config_assign_value(fmt, options, c, msg) < 0)
  1711.     return -2;
  1712.   return 0;
  1713. }
  1714. /** Restore the option named <b>key</b> in options to its default value.
  1715.  * Called from config_assign(). */
  1716. static void
  1717. config_reset_line(config_format_t *fmt, or_options_t *options,
  1718.                   const char *key, int use_defaults)
  1719. {
  1720.   config_var_t *var;
  1721.   CHECK(fmt, options);
  1722.   var = config_find_option(fmt, key);
  1723.   if (!var)
  1724.     return; /* give error on next pass. */
  1725.   option_reset(fmt, options, var, use_defaults);
  1726. }
  1727. /** Return true iff key is a valid configuration option. */
  1728. int
  1729. option_is_recognized(const char *key)
  1730. {
  1731.   config_var_t *var = config_find_option(&options_format, key);
  1732.   return (var != NULL);
  1733. }
  1734. /** Return the canonical name of a configuration option, or NULL
  1735.  * if no such option exists. */
  1736. const char *
  1737. option_get_canonical_name(const char *key)
  1738. {
  1739.   config_var_t *var = config_find_option(&options_format, key);
  1740.   return var ? var->name : NULL;
  1741. }
  1742. /** Return a canonical list of the options assigned for key.
  1743.  */
  1744. config_line_t *
  1745. option_get_assignment(or_options_t *options, const char *key)
  1746. {
  1747.   return get_assigned_option(&options_format, options, key, 1);
  1748. }
  1749. /** Return true iff value needs to be quoted and escaped to be used in
  1750.  * a configuration file. */
  1751. static int
  1752. config_value_needs_escape(const char *value)
  1753. {
  1754.   if (*value == '"')
  1755.     return 1;
  1756.   while (*value) {
  1757.     switch (*value)
  1758.     {
  1759.     case 'r':
  1760.     case 'n':
  1761.     case '#':
  1762.       /* Note: quotes and backspaces need special handling when we are using
  1763.        * quotes, not otherwise, so they don't trigger escaping on their
  1764.        * own. */
  1765.       return 1;
  1766.     default:
  1767.       if (!TOR_ISPRINT(*value))
  1768.         return 1;
  1769.     }
  1770.     ++value;
  1771.   }
  1772.   return 0;
  1773. }
  1774. /** Return a newly allocated deep copy of the lines in <b>inp</b>. */
  1775. static config_line_t *
  1776. config_lines_dup(const config_line_t *inp)
  1777. {
  1778.   config_line_t *result = NULL;
  1779.   config_line_t **next_out = &result;
  1780.   while (inp) {
  1781.     *next_out = tor_malloc(sizeof(config_line_t));
  1782.     (*next_out)->key = tor_strdup(inp->key);
  1783.     (*next_out)->value = tor_strdup(inp->value);
  1784.     inp = inp->next;
  1785.     next_out = &((*next_out)->next);
  1786.   }
  1787.   (*next_out) = NULL;
  1788.   return result;
  1789. }
  1790. /** Return newly allocated line or lines corresponding to <b>key</b> in the
  1791.  * configuration <b>options</b>.  If <b>escape_val</b> is true and a
  1792.  * value needs to be quoted before it's put in a config file, quote and
  1793.  * escape that value. Return NULL if no such key exists. */
  1794. static config_line_t *
  1795. get_assigned_option(config_format_t *fmt, void *options,
  1796.                     const char *key, int escape_val)
  1797. {
  1798.   config_var_t *var;
  1799.   const void *value;
  1800.   char buf[32];
  1801.   config_line_t *result;
  1802.   tor_assert(options && key);
  1803.   CHECK(fmt, options);
  1804.   var = config_find_option(fmt, key);
  1805.   if (!var) {
  1806.     log_warn(LD_CONFIG, "Unknown option '%s'.  Failing.", key);
  1807.     return NULL;
  1808.   }
  1809.   value = STRUCT_VAR_P(options, var->var_offset);
  1810.   result = tor_malloc_zero(sizeof(config_line_t));
  1811.   result->key = tor_strdup(var->name);
  1812.   switch (var->type)
  1813.     {
  1814.     case CONFIG_TYPE_STRING:
  1815.     case CONFIG_TYPE_FILENAME:
  1816.       if (*(char**)value) {
  1817.         result->value = tor_strdup(*(char**)value);
  1818.       } else {
  1819.         tor_free(result->key);
  1820.         tor_free(result);
  1821.         return NULL;
  1822.       }
  1823.       break;
  1824.     case CONFIG_TYPE_ISOTIME:
  1825.       if (*(time_t*)value) {
  1826.         result->value = tor_malloc(ISO_TIME_LEN+1);
  1827.         format_iso_time(result->value, *(time_t*)value);
  1828.       } else {
  1829.         tor_free(result->key);
  1830.         tor_free(result);
  1831.       }
  1832.       escape_val = 0; /* Can't need escape. */
  1833.       break;
  1834.     case CONFIG_TYPE_INTERVAL:
  1835.     case CONFIG_TYPE_UINT:
  1836.       /* This means every or_options_t uint or bool element
  1837.        * needs to be an int. Not, say, a uint16_t or char. */
  1838.       tor_snprintf(buf, sizeof(buf), "%d", *(int*)value);
  1839.       result->value = tor_strdup(buf);
  1840.       escape_val = 0; /* Can't need escape. */
  1841.       break;
  1842.     case CONFIG_TYPE_MEMUNIT:
  1843.       tor_snprintf(buf, sizeof(buf), U64_FORMAT,
  1844.                    U64_PRINTF_ARG(*(uint64_t*)value));
  1845.       result->value = tor_strdup(buf);
  1846.       escape_val = 0; /* Can't need escape. */
  1847.       break;
  1848.     case CONFIG_TYPE_DOUBLE:
  1849.       tor_snprintf(buf, sizeof(buf), "%f", *(double*)value);
  1850.       result->value = tor_strdup(buf);
  1851.       escape_val = 0; /* Can't need escape. */
  1852.       break;
  1853.     case CONFIG_TYPE_BOOL:
  1854.       result->value = tor_strdup(*(int*)value ? "1" : "0");
  1855.       escape_val = 0; /* Can't need escape. */
  1856.       break;
  1857.     case CONFIG_TYPE_ROUTERSET:
  1858.       result->value = routerset_to_string(*(routerset_t**)value);
  1859.       break;
  1860.     case CONFIG_TYPE_CSV:
  1861.       if (*(smartlist_t**)value)
  1862.         result->value =
  1863.           smartlist_join_strings(*(smartlist_t**)value, ",", 0, NULL);
  1864.       else
  1865.         result->value = tor_strdup("");
  1866.       break;
  1867.     case CONFIG_TYPE_OBSOLETE:
  1868.       log_fn(LOG_PROTOCOL_WARN, LD_CONFIG,
  1869.              "You asked me for the value of an obsolete config option '%s'.",
  1870.              key);
  1871.       tor_free(result->key);
  1872.       tor_free(result);
  1873.       return NULL;
  1874.     case CONFIG_TYPE_LINELIST_S:
  1875.       log_warn(LD_CONFIG,
  1876.                "Can't return context-sensitive '%s' on its own", key);
  1877.       tor_free(result->key);
  1878.       tor_free(result);
  1879.       return NULL;
  1880.     case CONFIG_TYPE_LINELIST:
  1881.     case CONFIG_TYPE_LINELIST_V:
  1882.       tor_free(result->key);
  1883.       tor_free(result);
  1884.       result = config_lines_dup(*(const config_line_t**)value);
  1885.       break;
  1886.     default:
  1887.       tor_free(result->key);
  1888.       tor_free(result);
  1889.       log_warn(LD_BUG,"Unknown type %d for known key '%s'",
  1890.                var->type, key);
  1891.       return NULL;
  1892.     }
  1893.   if (escape_val) {
  1894.     config_line_t *line;
  1895.     for (line = result; line; line = line->next) {
  1896.       if (line->value && config_value_needs_escape(line->value)) {
  1897.         char *newval = esc_for_log(line->value);
  1898.         tor_free(line->value);
  1899.         line->value = newval;
  1900.       }
  1901.     }
  1902.   }
  1903.   return result;
  1904. }
  1905. /** Iterate through the linked list of requested options <b>list</b>.
  1906.  * For each item, convert as appropriate and assign to <b>options</b>.
  1907.  * If an item is unrecognized, set *msg and return -1 immediately,
  1908.  * else return 0 for success.
  1909.  *
  1910.  * If <b>clear_first</b>, interpret config options as replacing (not
  1911.  * extending) their previous values. If <b>clear_first</b> is set,
  1912.  * then <b>use_defaults</b> to decide if you set to defaults after
  1913.  * clearing, or make the value 0 or NULL.
  1914.  *
  1915.  * Here are the use cases:
  1916.  * 1. A non-empty AllowInvalid line in your torrc. Appends to current
  1917.  *    if linelist, replaces current if csv.
  1918.  * 2. An empty AllowInvalid line in your torrc. Should clear it.
  1919.  * 3. "RESETCONF AllowInvalid" sets it to default.
  1920.  * 4. "SETCONF AllowInvalid" makes it NULL.
  1921.  * 5. "SETCONF AllowInvalid=foo" clears it and sets it to "foo".
  1922.  *
  1923.  * Use_defaults   Clear_first
  1924.  *    0                0       "append"
  1925.  *    1                0       undefined, don't use
  1926.  *    0                1       "set to null first"
  1927.  *    1                1       "set to defaults first"
  1928.  * Return 0 on success, -1 on bad key, -2 on bad value.
  1929.  *
  1930.  * As an additional special case, if a LINELIST config option has
  1931.  * no value and clear_first is 0, then warn and ignore it.
  1932.  */
  1933. /*
  1934. There are three call cases for config_assign() currently.
  1935. Case one: Torrc entry
  1936. options_init_from_torrc() calls config_assign(0, 0)
  1937.   calls config_assign_line(0, 0).
  1938.     if value is empty, calls option_reset(0) and returns.
  1939.     calls config_assign_value(), appends.
  1940. Case two: setconf
  1941. options_trial_assign() calls config_assign(0, 1)
  1942.   calls config_reset_line(0)
  1943.     calls option_reset(0)
  1944.       calls option_clear().
  1945.   calls config_assign_line(0, 1).
  1946.     if value is empty, returns.
  1947.     calls config_assign_value(), appends.
  1948. Case three: resetconf
  1949. options_trial_assign() calls config_assign(1, 1)
  1950.   calls config_reset_line(1)
  1951.     calls option_reset(1)
  1952.       calls option_clear().
  1953.       calls config_assign_value(default)
  1954.   calls config_assign_line(1, 1).
  1955.     returns.
  1956. */
  1957. static int
  1958. config_assign(config_format_t *fmt, void *options, config_line_t *list,
  1959.               int use_defaults, int clear_first, char **msg)
  1960. {
  1961.   config_line_t *p;
  1962.   CHECK(fmt, options);
  1963.   /* pass 1: normalize keys */
  1964.   for (p = list; p; p = p->next) {
  1965.     const char *full = expand_abbrev(fmt, p->key, 0, 1);
  1966.     if (strcmp(full,p->key)) {
  1967.       tor_free(p->key);
  1968.       p->key = tor_strdup(full);
  1969.     }
  1970.   }
  1971.   /* pass 2: if we're reading from a resetting source, clear all
  1972.    * mentioned config options, and maybe set to their defaults. */
  1973.   if (clear_first) {
  1974.     for (p = list; p; p = p->next)
  1975.       config_reset_line(fmt, options, p->key, use_defaults);
  1976.   }
  1977.   /* pass 3: assign. */
  1978.   while (list) {
  1979.     int r;
  1980.     if ((r=config_assign_line(fmt, options, list, use_defaults,
  1981.                               clear_first, msg)))
  1982.       return r;
  1983.     list = list->next;
  1984.   }
  1985.   return 0;
  1986. }
  1987. /** Try assigning <b>list</b> to the global options. You do this by duping
  1988.  * options, assigning list to the new one, then validating it. If it's
  1989.  * ok, then throw out the old one and stick with the new one. Else,
  1990.  * revert to old and return failure.  Return SETOPT_OK on success, or
  1991.  * a setopt_err_t on failure.
  1992.  *
  1993.  * If not success, point *<b>msg</b> to a newly allocated string describing
  1994.  * what went wrong.
  1995.  */
  1996. setopt_err_t
  1997. options_trial_assign(config_line_t *list, int use_defaults,
  1998.                      int clear_first, char **msg)
  1999. {
  2000.   int r;
  2001.   or_options_t *trial_options = options_dup(&options_format, get_options());
  2002.   if ((r=config_assign(&options_format, trial_options,
  2003.                        list, use_defaults, clear_first, msg)) < 0) {
  2004.     config_free(&options_format, trial_options);
  2005.     return r;
  2006.   }
  2007.   if (options_validate(get_options(), trial_options, 1, msg) < 0) {
  2008.     config_free(&options_format, trial_options);
  2009.     return SETOPT_ERR_PARSE; /*XXX make this a separate return value. */
  2010.   }
  2011.   if (options_transition_allowed(get_options(), trial_options, msg) < 0) {
  2012.     config_free(&options_format, trial_options);
  2013.     return SETOPT_ERR_TRANSITION;
  2014.   }
  2015.   if (set_options(trial_options, msg)<0) {
  2016.     config_free(&options_format, trial_options);
  2017.     return SETOPT_ERR_SETTING;
  2018.   }
  2019.   /* we liked it. put it in place. */
  2020.   return SETOPT_OK;
  2021. }
  2022. /** Reset config option <b>var</b> to 0, 0.0, NULL, or the equivalent.
  2023.  * Called from option_reset() and config_free(). */
  2024. static void
  2025. option_clear(config_format_t *fmt, or_options_t *options, config_var_t *var)
  2026. {
  2027.   void *lvalue = STRUCT_VAR_P(options, var->var_offset);
  2028.   (void)fmt; /* unused */
  2029.   switch (var->type) {
  2030.     case CONFIG_TYPE_STRING:
  2031.     case CONFIG_TYPE_FILENAME:
  2032.       tor_free(*(char**)lvalue);
  2033.       break;
  2034.     case CONFIG_TYPE_DOUBLE:
  2035.       *(double*)lvalue = 0.0;
  2036.       break;
  2037.     case CONFIG_TYPE_ISOTIME:
  2038.       *(time_t*)lvalue = 0;
  2039.     case CONFIG_TYPE_INTERVAL:
  2040.     case CONFIG_TYPE_UINT:
  2041.     case CONFIG_TYPE_BOOL:
  2042.       *(int*)lvalue = 0;
  2043.       break;
  2044.     case CONFIG_TYPE_MEMUNIT:
  2045.       *(uint64_t*)lvalue = 0;
  2046.       break;
  2047.     case CONFIG_TYPE_ROUTERSET:
  2048.       if (*(routerset_t**)lvalue) {
  2049.         routerset_free(*(routerset_t**)lvalue);
  2050.         *(routerset_t**)lvalue = NULL;
  2051.       }
  2052.     case CONFIG_TYPE_CSV:
  2053.       if (*(smartlist_t**)lvalue) {
  2054.         SMARTLIST_FOREACH(*(smartlist_t **)lvalue, char *, cp, tor_free(cp));
  2055.         smartlist_free(*(smartlist_t **)lvalue);
  2056.         *(smartlist_t **)lvalue = NULL;
  2057.       }
  2058.       break;
  2059.     case CONFIG_TYPE_LINELIST:
  2060.     case CONFIG_TYPE_LINELIST_S:
  2061.       config_free_lines(*(config_line_t **)lvalue);
  2062.       *(config_line_t **)lvalue = NULL;
  2063.       break;
  2064.     case CONFIG_TYPE_LINELIST_V:
  2065.       /* handled by linelist_s. */
  2066.       break;
  2067.     case CONFIG_TYPE_OBSOLETE:
  2068.       break;
  2069.   }
  2070. }
  2071. /** Clear the option indexed by <b>var</b> in <b>options</b>. Then if
  2072.  * <b>use_defaults</b>, set it to its default value.
  2073.  * Called by config_init() and option_reset_line() and option_assign_line(). */
  2074. static void
  2075. option_reset(config_format_t *fmt, or_options_t *options,
  2076.              config_var_t *var, int use_defaults)
  2077. {
  2078.   config_line_t *c;
  2079.   char *msg = NULL;
  2080.   CHECK(fmt, options);
  2081.   option_clear(fmt, options, var); /* clear it first */
  2082.   if (!use_defaults)
  2083.     return; /* all done */
  2084.   if (var->initvalue) {
  2085.     c = tor_malloc_zero(sizeof(config_line_t));
  2086.     c->key = tor_strdup(var->name);
  2087.     c->value = tor_strdup(var->initvalue);
  2088.     if (config_assign_value(fmt, options, c, &msg) < 0) {
  2089.       log_warn(LD_BUG, "Failed to assign default: %s", msg);
  2090.       tor_free(msg); /* if this happens it's a bug */
  2091.     }
  2092.     config_free_lines(c);
  2093.   }
  2094. }
  2095. /** Print a usage message for tor. */
  2096. static void
  2097. print_usage(void)
  2098. {
  2099.   printf(
  2100. "Copyright (c) 2001-2004, Roger Dingledinen"
  2101. "Copyright (c) 2004-2006, Roger Dingledine, Nick Mathewsonn"
  2102. "Copyright (c) 2007-2009, The Tor Project, Inc.nn"
  2103. "tor -f <torrc> [args]n"
  2104. "See man page for options, or https://www.torproject.org/ for "
  2105. "documentation.n");
  2106. }
  2107. /** Print all non-obsolete torrc options. */
  2108. static void
  2109. list_torrc_options(void)
  2110. {
  2111.   int i;
  2112.   smartlist_t *lines = smartlist_create();
  2113.   for (i = 0; _option_vars[i].name; ++i) {
  2114.     config_var_t *var = &_option_vars[i];
  2115.     const char *desc;
  2116.     if (var->type == CONFIG_TYPE_OBSOLETE ||
  2117.         var->type == CONFIG_TYPE_LINELIST_V)
  2118.       continue;
  2119.     desc = config_find_description(&options_format, var->name);
  2120.     printf("%sn", var->name);
  2121.     if (desc) {
  2122.       wrap_string(lines, desc, 76, "    ", "    ");
  2123.       SMARTLIST_FOREACH(lines, char *, cp, {
  2124.           printf("%s", cp);
  2125.           tor_free(cp);
  2126.         });
  2127.       smartlist_clear(lines);
  2128.     }
  2129.   }
  2130.   smartlist_free(lines);
  2131. }
  2132. /** Last value actually set by resolve_my_address. */
  2133. static uint32_t last_resolved_addr = 0;
  2134. /**
  2135.  * Based on <b>options->Address</b>, guess our public IP address and put it
  2136.  * (in host order) into *<b>addr_out</b>. If <b>hostname_out</b> is provided,
  2137.  * set *<b>hostname_out</b> to a new string holding the hostname we used to
  2138.  * get the address. Return 0 if all is well, or -1 if we can't find a suitable
  2139.  * public IP address.
  2140.  */
  2141. int
  2142. resolve_my_address(int warn_severity, or_options_t *options,
  2143.                    uint32_t *addr_out, char **hostname_out)
  2144. {
  2145.   struct in_addr in;
  2146.   struct hostent *rent;
  2147.   char hostname[256];
  2148.   int explicit_ip=1;
  2149.   int explicit_hostname=1;
  2150.   int from_interface=0;
  2151.   char tmpbuf[INET_NTOA_BUF_LEN];
  2152.   const char *address = options->Address;
  2153.   int notice_severity = warn_severity <= LOG_NOTICE ?
  2154.                           LOG_NOTICE : warn_severity;
  2155.   tor_assert(addr_out);
  2156.   if (address && *address) {
  2157.     strlcpy(hostname, address, sizeof(hostname));
  2158.   } else { /* then we need to guess our address */
  2159.     explicit_ip = 0; /* it's implicit */
  2160.     explicit_hostname = 0; /* it's implicit */
  2161.     if (gethostname(hostname, sizeof(hostname)) < 0) {
  2162.       log_fn(warn_severity, LD_NET,"Error obtaining local hostname");
  2163.       return -1;
  2164.     }
  2165.     log_debug(LD_CONFIG,"Guessed local host name as '%s'",hostname);
  2166.   }
  2167.   /* now we know hostname. resolve it and keep only the IP address */
  2168.   if (tor_inet_aton(hostname, &in) == 0) {
  2169.     /* then we have to resolve it */
  2170.     explicit_ip = 0;
  2171.     rent = (struct hostent *)gethostbyname(hostname);
  2172.     if (!rent) {
  2173.       uint32_t interface_ip;
  2174.       if (explicit_hostname) {
  2175.         log_fn(warn_severity, LD_CONFIG,
  2176.                "Could not resolve local Address '%s'. Failing.", hostname);
  2177.         return -1;
  2178.       }
  2179.       log_fn(notice_severity, LD_CONFIG,
  2180.              "Could not resolve guessed local hostname '%s'. "
  2181.              "Trying something else.", hostname);
  2182.       if (get_interface_address(warn_severity, &interface_ip)) {
  2183.         log_fn(warn_severity, LD_CONFIG,
  2184.                "Could not get local interface IP address. Failing.");
  2185.         return -1;
  2186.       }
  2187.       from_interface = 1;
  2188.       in.s_addr = htonl(interface_ip);
  2189.       tor_inet_ntoa(&in,tmpbuf,sizeof(tmpbuf));
  2190.       log_fn(notice_severity, LD_CONFIG, "Learned IP address '%s' for "
  2191.              "local interface. Using that.", tmpbuf);
  2192.       strlcpy(hostname, "<guessed from interfaces>", sizeof(hostname));
  2193.     } else {
  2194.       tor_assert(rent->h_length == 4);
  2195.       memcpy(&in.s_addr, rent->h_addr, rent->h_length);
  2196.       if (!explicit_hostname &&
  2197.           is_internal_IP(ntohl(in.s_addr), 0)) {
  2198.         uint32_t interface_ip;
  2199.         tor_inet_ntoa(&in,tmpbuf,sizeof(tmpbuf));
  2200.         log_fn(notice_severity, LD_CONFIG, "Guessed local hostname '%s' "
  2201.                "resolves to a private IP address (%s).  Trying something "
  2202.                "else.", hostname, tmpbuf);
  2203.         if (get_interface_address(warn_severity, &interface_ip)) {
  2204.           log_fn(warn_severity, LD_CONFIG,
  2205.                  "Could not get local interface IP address. Too bad.");
  2206.         } else if (is_internal_IP(interface_ip, 0)) {
  2207.           struct in_addr in2;
  2208.           in2.s_addr = htonl(interface_ip);
  2209.           tor_inet_ntoa(&in2,tmpbuf,sizeof(tmpbuf));
  2210.           log_fn(notice_severity, LD_CONFIG,
  2211.                  "Interface IP address '%s' is a private address too. "
  2212.                  "Ignoring.", tmpbuf);
  2213.         } else {
  2214.           from_interface = 1;
  2215.           in.s_addr = htonl(interface_ip);
  2216.           tor_inet_ntoa(&in,tmpbuf,sizeof(tmpbuf));
  2217.           log_fn(notice_severity, LD_CONFIG,
  2218.                  "Learned IP address '%s' for local interface."
  2219.                  " Using that.", tmpbuf);
  2220.           strlcpy(hostname, "<guessed from interfaces>", sizeof(hostname));
  2221.         }
  2222.       }
  2223.     }
  2224.   }
  2225.   tor_inet_ntoa(&in,tmpbuf,sizeof(tmpbuf));
  2226.   if (is_internal_IP(ntohl(in.s_addr), 0) &&
  2227.       options->_PublishServerDescriptor) {
  2228.     /* make sure we're ok with publishing an internal IP */
  2229.     if (!options->DirServers && !options->AlternateDirAuthority) {
  2230.       /* if they are using the default dirservers, disallow internal IPs
  2231.        * always. */
  2232.       log_fn(warn_severity, LD_CONFIG,
  2233.              "Address '%s' resolves to private IP address '%s'. "
  2234.              "Tor servers that use the default DirServers must have public "
  2235.              "IP addresses.", hostname, tmpbuf);
  2236.       return -1;
  2237.     }
  2238.     if (!explicit_ip) {
  2239.       /* even if they've set their own dirservers, require an explicit IP if
  2240.        * they're using an internal address. */
  2241.       log_fn(warn_severity, LD_CONFIG, "Address '%s' resolves to private "
  2242.              "IP address '%s'. Please set the Address config option to be "
  2243.              "the IP address you want to use.", hostname, tmpbuf);
  2244.       return -1;
  2245.     }
  2246.   }
  2247.   log_debug(LD_CONFIG, "Resolved Address to '%s'.", tmpbuf);
  2248.   *addr_out = ntohl(in.s_addr);
  2249.   if (last_resolved_addr && last_resolved_addr != *addr_out) {
  2250.     /* Leave this as a notice, regardless of the requested severity,
  2251.      * at least until dynamic IP address support becomes bulletproof. */
  2252.     log_notice(LD_NET,
  2253.                "Your IP address seems to have changed to %s. Updating.",
  2254.                tmpbuf);
  2255.     ip_address_changed(0);
  2256.   }
  2257.   if (last_resolved_addr != *addr_out) {
  2258.     const char *method;
  2259.     const char *h = hostname;
  2260.     if (explicit_ip) {
  2261.       method = "CONFIGURED";
  2262.       h = NULL;
  2263.     } else if (explicit_hostname) {
  2264.       method = "RESOLVED";
  2265.     } else if (from_interface) {
  2266.       method = "INTERFACE";
  2267.       h = NULL;
  2268.     } else {
  2269.       method = "GETHOSTNAME";
  2270.     }
  2271.     control_event_server_status(LOG_NOTICE,
  2272.                                 "EXTERNAL_ADDRESS ADDRESS=%s METHOD=%s %s%s",
  2273.                                 tmpbuf, method, h?"HOSTNAME=":"", h);
  2274.   }
  2275.   last_resolved_addr = *addr_out;
  2276.   if (hostname_out)
  2277.     *hostname_out = tor_strdup(hostname);
  2278.   return 0;
  2279. }
  2280. /** Return true iff <b>addr</b> is judged to be on the same network as us, or
  2281.  * on a private network.
  2282.  */
  2283. int
  2284. is_local_addr(const tor_addr_t *addr)
  2285. {
  2286.   if (tor_addr_is_internal(addr, 0))
  2287.     return 1;
  2288.   /* Check whether ip is on the same /24 as we are. */
  2289.   if (get_options()->EnforceDistinctSubnets == 0)
  2290.     return 0;
  2291.   if (tor_addr_family(addr) == AF_INET) {
  2292.     /*XXXX022 IP6 what corresponds to an /24? */
  2293.     uint32_t ip = tor_addr_to_ipv4h(addr);
  2294.     /* It's possible that this next check will hit before the first time
  2295.      * resolve_my_address actually succeeds.  (For clients, it is likely that
  2296.      * resolve_my_address will never be called at all).  In those cases,
  2297.      * last_resolved_addr will be 0, and so checking to see whether ip is on
  2298.      * the same /24 as last_resolved_addr will be the same as checking whether
  2299.      * it was on net 0, which is already done by is_internal_IP.
  2300.      */
  2301.     if ((last_resolved_addr & (uint32_t)0xffffff00ul)
  2302.         == (ip & (uint32_t)0xffffff00ul))
  2303.       return 1;
  2304.   }
  2305.   return 0;
  2306. }
  2307. /** Called when we don't have a nickname set.  Try to guess a good nickname
  2308.  * based on the hostname, and return it in a newly allocated string. If we
  2309.  * can't, return NULL and let the caller warn if it wants to. */
  2310. static char *
  2311. get_default_nickname(void)
  2312. {
  2313.   static const char * const bad_default_nicknames[] = {
  2314.     "localhost",
  2315.     NULL,
  2316.   };
  2317.   char localhostname[256];
  2318.   char *cp, *out, *outp;
  2319.   int i;
  2320.   if (gethostname(localhostname, sizeof(localhostname)) < 0)
  2321.     return NULL;
  2322.   /* Put it in lowercase; stop at the first dot. */
  2323.   if ((cp = strchr(localhostname, '.')))
  2324.     *cp = '';
  2325.   tor_strlower(localhostname);
  2326.   /* Strip invalid characters. */
  2327.   cp = localhostname;
  2328.   out = outp = tor_malloc(strlen(localhostname) + 1);
  2329.   while (*cp) {
  2330.     if (strchr(LEGAL_NICKNAME_CHARACTERS, *cp))
  2331.       *outp++ = *cp++;
  2332.     else
  2333.       cp++;
  2334.   }
  2335.   *outp = '';
  2336.   /* Enforce length. */
  2337.   if (strlen(out) > MAX_NICKNAME_LEN)
  2338.     out[MAX_NICKNAME_LEN]='';
  2339.   /* Check for dumb names. */
  2340.   for (i = 0; bad_default_nicknames[i]; ++i) {
  2341.     if (!strcmp(out, bad_default_nicknames[i])) {
  2342.       tor_free(out);
  2343.       return NULL;
  2344.     }
  2345.   }
  2346.   return out;
  2347. }
  2348. /** Release storage held by <b>options</b>. */
  2349. static void
  2350. config_free(config_format_t *fmt, void *options)
  2351. {
  2352.   int i;
  2353.   tor_assert(options);
  2354.   for (i=0; fmt->vars[i].name; ++i)
  2355.     option_clear(fmt, options, &(fmt->vars[i]));
  2356.   if (fmt->extra) {
  2357.     config_line_t **linep = STRUCT_VAR_P(options, fmt->extra->var_offset);
  2358.     config_free_lines(*linep);
  2359.     *linep = NULL;
  2360.   }
  2361.   tor_free(options);
  2362. }
  2363. /** Return true iff a and b contain identical keys and values in identical
  2364.  * order. */
  2365. static int
  2366. config_lines_eq(config_line_t *a, config_line_t *b)
  2367. {
  2368.   while (a && b) {
  2369.     if (strcasecmp(a->key, b->key) || strcmp(a->value, b->value))
  2370.       return 0;
  2371.     a = a->next;
  2372.     b = b->next;
  2373.   }
  2374.   if (a || b)
  2375.     return 0;
  2376.   return 1;
  2377. }
  2378. /** Return true iff the option <b>name</b> has the same value in <b>o1</b>
  2379.  * and <b>o2</b>.  Must not be called for LINELIST_S or OBSOLETE options.
  2380.  */
  2381. static int
  2382. option_is_same(config_format_t *fmt,
  2383.                or_options_t *o1, or_options_t *o2, const char *name)
  2384. {
  2385.   config_line_t *c1, *c2;
  2386.   int r = 1;
  2387.   CHECK(fmt, o1);
  2388.   CHECK(fmt, o2);
  2389.   c1 = get_assigned_option(fmt, o1, name, 0);
  2390.   c2 = get_assigned_option(fmt, o2, name, 0);
  2391.   r = config_lines_eq(c1, c2);
  2392.   config_free_lines(c1);
  2393.   config_free_lines(c2);
  2394.   return r;
  2395. }
  2396. /** Copy storage held by <b>old</b> into a new or_options_t and return it. */
  2397. static or_options_t *
  2398. options_dup(config_format_t *fmt, or_options_t *old)
  2399. {
  2400.   or_options_t *newopts;
  2401.   int i;
  2402.   config_line_t *line;
  2403.   newopts = config_alloc(fmt);
  2404.   for (i=0; fmt->vars[i].name; ++i) {
  2405.     if (fmt->vars[i].type == CONFIG_TYPE_LINELIST_S)
  2406.       continue;
  2407.     if (fmt->vars[i].type == CONFIG_TYPE_OBSOLETE)
  2408.       continue;
  2409.     line = get_assigned_option(fmt, old, fmt->vars[i].name, 0);
  2410.     if (line) {
  2411.       char *msg = NULL;
  2412.       if (config_assign(fmt, newopts, line, 0, 0, &msg) < 0) {
  2413.         log_err(LD_BUG, "Config_get_assigned_option() generated "
  2414.                 "something we couldn't config_assign(): %s", msg);
  2415.         tor_free(msg);
  2416.         tor_assert(0);
  2417.       }
  2418.     }
  2419.     config_free_lines(line);
  2420.   }
  2421.   return newopts;
  2422. }
  2423. /** Return a new empty or_options_t.  Used for testing. */
  2424. or_options_t *
  2425. options_new(void)
  2426. {
  2427.   return config_alloc(&options_format);
  2428. }
  2429. /** Set <b>options</b> to hold reasonable defaults for most options.
  2430.  * Each option defaults to zero. */
  2431. void
  2432. options_init(or_options_t *options)
  2433. {
  2434.   config_init(&options_format, options);
  2435. }
  2436. /* Check if the port number given in <b>port_option</b> in combination with
  2437.  * the specified port in <b>listen_options</b> will result in Tor actually
  2438.  * opening a low port (meaning a port lower than 1024). Return 1 if
  2439.  * it is, or 0 if it isn't or the concept of a low port isn't applicable for
  2440.  * the platform we're on. */
  2441. static int
  2442. is_listening_on_low_port(uint16_t port_option,
  2443.                          const config_line_t *listen_options)
  2444. {
  2445. #ifdef MS_WINDOWS
  2446.   return 0; /* No port is too low for windows. */
  2447. #else
  2448.   const config_line_t *l;
  2449.   uint16_t p;
  2450.   if (port_option == 0)
  2451.     return 0; /* We're not listening */
  2452.   if (listen_options == NULL)
  2453.     return (port_option < 1024);
  2454.   for (l = listen_options; l; l = l->next) {
  2455.     parse_addr_port(LOG_WARN, l->value, NULL, NULL, &p);
  2456.     if (p<1024) {
  2457.       return 1;
  2458.     }
  2459.   }
  2460.   return 0;
  2461. #endif
  2462. }
  2463. /** Set all vars in the configuration object <b>options</b> to their default
  2464.  * values. */
  2465. static void
  2466. config_init(config_format_t *fmt, void *options)
  2467. {
  2468.   int i;
  2469.   config_var_t *var;
  2470.   CHECK(fmt, options);
  2471.   for (i=0; fmt->vars[i].name; ++i) {
  2472.     var = &fmt->vars[i];
  2473.     if (!var->initvalue)
  2474.       continue; /* defaults to NULL or 0 */
  2475.     option_reset(fmt, options, var, 1);
  2476.   }
  2477. }