Cleaner fix for get_effective_bw(rate|burst), with comment on why it is ok.
[tor/rransom.git] / src / or / config.c
blob603f1b606debb0a717296db9adefb21784135852
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 */
7 /**
8 * \file config.c
9 * \brief Code to parse and interpret configuration files.
10 **/
12 #define CONFIG_PRIVATE
14 #include "or.h"
15 #ifdef MS_WINDOWS
16 #include <shlobj.h>
17 #endif
19 /** Enumeration of types which option values can take */
20 typedef enum config_type_t {
21 CONFIG_TYPE_STRING = 0, /**< An arbitrary string. */
22 CONFIG_TYPE_FILENAME, /**< A filename: some prefixes get expanded. */
23 CONFIG_TYPE_UINT, /**< A non-negative integer less than MAX_INT */
24 CONFIG_TYPE_INTERVAL, /**< A number of seconds, with optional units*/
25 CONFIG_TYPE_MEMUNIT, /**< A number of bytes, with optional units*/
26 CONFIG_TYPE_DOUBLE, /**< A floating-point value */
27 CONFIG_TYPE_BOOL, /**< A boolean value, expressed as 0 or 1. */
28 CONFIG_TYPE_ISOTIME, /**< An ISO-formatted time relative to GMT. */
29 CONFIG_TYPE_CSV, /**< A list of strings, separated by commas and
30 * optional whitespace. */
31 CONFIG_TYPE_LINELIST, /**< Uninterpreted config lines */
32 CONFIG_TYPE_LINELIST_S, /**< Uninterpreted, context-sensitive config lines,
33 * mixed with other keywords. */
34 CONFIG_TYPE_LINELIST_V, /**< Catch-all "virtual" option to summarize
35 * context-sensitive config lines when fetching.
37 CONFIG_TYPE_ROUTERSET, /**< A list of router names, addrs, and fps,
38 * parsed into a routerset_t. */
39 CONFIG_TYPE_OBSOLETE, /**< Obsolete (ignored) option. */
40 } config_type_t;
42 /** An abbreviation for a configuration option allowed on the command line. */
43 typedef struct config_abbrev_t {
44 const char *abbreviated;
45 const char *full;
46 int commandline_only;
47 int warn;
48 } config_abbrev_t;
50 /* Handy macro for declaring "In the config file or on the command line,
51 * you can abbreviate <b>tok</b>s as <b>tok</b>". */
52 #define PLURAL(tok) { #tok, #tok "s", 0, 0 }
54 /** A list of abbreviations and aliases to map command-line options, obsolete
55 * option names, or alternative option names, to their current values. */
56 static config_abbrev_t _option_abbrevs[] = {
57 PLURAL(ExitNode),
58 PLURAL(EntryNode),
59 PLURAL(ExcludeNode),
60 PLURAL(FirewallPort),
61 PLURAL(LongLivedPort),
62 PLURAL(HiddenServiceNode),
63 PLURAL(HiddenServiceExcludeNode),
64 PLURAL(NumCpu),
65 PLURAL(RendNode),
66 PLURAL(RendExcludeNode),
67 PLURAL(StrictEntryNode),
68 PLURAL(StrictExitNode),
69 { "l", "Log", 1, 0},
70 { "AllowUnverifiedNodes", "AllowInvalidNodes", 0, 0},
71 { "AutomapHostSuffixes", "AutomapHostsSuffixes", 0, 0},
72 { "AutomapHostOnResolve", "AutomapHostsOnResolve", 0, 0},
73 { "BandwidthRateBytes", "BandwidthRate", 0, 0},
74 { "BandwidthBurstBytes", "BandwidthBurst", 0, 0},
75 { "DirFetchPostPeriod", "StatusFetchPeriod", 0, 0},
76 { "MaxConn", "ConnLimit", 0, 1},
77 { "ORBindAddress", "ORListenAddress", 0, 0},
78 { "DirBindAddress", "DirListenAddress", 0, 0},
79 { "SocksBindAddress", "SocksListenAddress", 0, 0},
80 { "UseHelperNodes", "UseEntryGuards", 0, 0},
81 { "NumHelperNodes", "NumEntryGuards", 0, 0},
82 { "UseEntryNodes", "UseEntryGuards", 0, 0},
83 { "NumEntryNodes", "NumEntryGuards", 0, 0},
84 { "ResolvConf", "ServerDNSResolvConfFile", 0, 1},
85 { "SearchDomains", "ServerDNSSearchDomains", 0, 1},
86 { "ServerDNSAllowBrokenResolvConf", "ServerDNSAllowBrokenConfig", 0, 0 },
87 { "PreferTunnelledDirConns", "PreferTunneledDirConns", 0, 0},
88 { "BridgeAuthoritativeDirectory", "BridgeAuthoritativeDir", 0, 0},
89 { "HashedControlPassword", "__HashedControlSessionPassword", 1, 0},
90 { NULL, NULL, 0, 0},
93 /** A list of state-file "abbreviations," for compatibility. */
94 static config_abbrev_t _state_abbrevs[] = {
95 { "AccountingBytesReadInterval", "AccountingBytesReadInInterval", 0, 0 },
96 { "HelperNode", "EntryGuard", 0, 0 },
97 { "HelperNodeDownSince", "EntryGuardDownSince", 0, 0 },
98 { "HelperNodeUnlistedSince", "EntryGuardUnlistedSince", 0, 0 },
99 { "EntryNode", "EntryGuard", 0, 0 },
100 { "EntryNodeDownSince", "EntryGuardDownSince", 0, 0 },
101 { "EntryNodeUnlistedSince", "EntryGuardUnlistedSince", 0, 0 },
102 { NULL, NULL, 0, 0},
104 #undef PLURAL
106 /** A variable allowed in the configuration file or on the command line. */
107 typedef struct config_var_t {
108 const char *name; /**< The full keyword (case insensitive). */
109 config_type_t type; /**< How to interpret the type and turn it into a
110 * value. */
111 off_t var_offset; /**< Offset of the corresponding member of or_options_t. */
112 const char *initvalue; /**< String (or null) describing initial value. */
113 } config_var_t;
115 /** An entry for config_vars: "The option <b>name</b> has type
116 * CONFIG_TYPE_<b>conftype</b>, and corresponds to
117 * or_options_t.<b>member</b>"
119 #define VAR(name,conftype,member,initvalue) \
120 { name, CONFIG_TYPE_ ## conftype, STRUCT_OFFSET(or_options_t, member), \
121 initvalue }
122 /** As VAR, but the option name and member name are the same. */
123 #define V(member,conftype,initvalue) \
124 VAR(#member, conftype, member, initvalue)
125 /** An entry for config_vars: "The option <b>name</b> is obsolete." */
126 #define OBSOLETE(name) { name, CONFIG_TYPE_OBSOLETE, 0, NULL }
128 /** Array of configuration options. Until we disallow nonstandard
129 * abbreviations, order is significant, since the first matching option will
130 * be chosen first.
132 static config_var_t _option_vars[] = {
133 OBSOLETE("AccountingMaxKB"),
134 V(AccountingMax, MEMUNIT, "0 bytes"),
135 V(AccountingStart, STRING, NULL),
136 V(Address, STRING, NULL),
137 V(AllowInvalidNodes, CSV, "middle,rendezvous"),
138 V(AllowNonRFC953Hostnames, BOOL, "0"),
139 V(AllowSingleHopCircuits, BOOL, "0"),
140 V(AllowSingleHopExits, BOOL, "0"),
141 V(AlternateBridgeAuthority, LINELIST, NULL),
142 V(AlternateDirAuthority, LINELIST, NULL),
143 V(AlternateHSAuthority, LINELIST, NULL),
144 V(AssumeReachable, BOOL, "0"),
145 V(AuthDirBadDir, LINELIST, NULL),
146 V(AuthDirBadExit, LINELIST, NULL),
147 V(AuthDirInvalid, LINELIST, NULL),
148 V(AuthDirReject, LINELIST, NULL),
149 V(AuthDirRejectUnlisted, BOOL, "0"),
150 V(AuthDirListBadDirs, BOOL, "0"),
151 V(AuthDirListBadExits, BOOL, "0"),
152 V(AuthDirMaxServersPerAddr, UINT, "2"),
153 V(AuthDirMaxServersPerAuthAddr,UINT, "5"),
154 VAR("AuthoritativeDirectory", BOOL, AuthoritativeDir, "0"),
155 V(AutomapHostsOnResolve, BOOL, "0"),
156 V(AutomapHostsSuffixes, CSV, ".onion,.exit"),
157 V(AvoidDiskWrites, BOOL, "0"),
158 V(BandwidthBurst, MEMUNIT, "10 MB"),
159 V(BandwidthRate, MEMUNIT, "5 MB"),
160 V(BridgeAuthoritativeDir, BOOL, "0"),
161 VAR("Bridge", LINELIST, Bridges, NULL),
162 V(BridgePassword, STRING, NULL),
163 V(BridgeRecordUsageByCountry, BOOL, "1"),
164 V(BridgeRelay, BOOL, "0"),
165 V(CircuitBuildTimeout, INTERVAL, "1 minute"),
166 V(CircuitIdleTimeout, INTERVAL, "1 hour"),
167 V(ClientDNSRejectInternalAddresses, BOOL,"1"),
168 V(ClientOnly, BOOL, "0"),
169 V(ConnLimit, UINT, "1000"),
170 V(ConstrainedSockets, BOOL, "0"),
171 V(ConstrainedSockSize, MEMUNIT, "8192"),
172 V(ContactInfo, STRING, NULL),
173 V(ControlListenAddress, LINELIST, NULL),
174 V(ControlPort, UINT, "0"),
175 V(ControlSocket, LINELIST, NULL),
176 V(CookieAuthentication, BOOL, "0"),
177 V(CookieAuthFileGroupReadable, BOOL, "0"),
178 V(CookieAuthFile, STRING, NULL),
179 V(DataDirectory, FILENAME, NULL),
180 OBSOLETE("DebugLogFile"),
181 V(DirAllowPrivateAddresses, BOOL, NULL),
182 V(TestingAuthDirTimeToLearnReachability, INTERVAL, "30 minutes"),
183 V(DirListenAddress, LINELIST, NULL),
184 OBSOLETE("DirFetchPeriod"),
185 V(DirPolicy, LINELIST, NULL),
186 V(DirPort, UINT, "0"),
187 V(DirPortFrontPage, FILENAME, NULL),
188 OBSOLETE("DirPostPeriod"),
189 #ifdef ENABLE_GEOIP_STATS
190 V(DirRecordUsageByCountry, BOOL, "0"),
191 V(DirRecordUsageGranularity, UINT, "4"),
192 V(DirRecordUsageRetainIPs, INTERVAL, "14 days"),
193 V(DirRecordUsageSaveInterval, INTERVAL, "6 hours"),
194 #endif
195 VAR("DirServer", LINELIST, DirServers, NULL),
196 V(DNSPort, UINT, "0"),
197 V(DNSListenAddress, LINELIST, NULL),
198 V(DownloadExtraInfo, BOOL, "0"),
199 V(EnforceDistinctSubnets, BOOL, "1"),
200 V(EntryNodes, ROUTERSET, NULL),
201 V(TestingEstimatedDescriptorPropagationTime, INTERVAL, "10 minutes"),
202 V(ExcludeNodes, ROUTERSET, NULL),
203 V(ExcludeExitNodes, ROUTERSET, NULL),
204 V(ExcludeSingleHopRelays, BOOL, "1"),
205 V(ExitNodes, ROUTERSET, NULL),
206 V(ExitPolicy, LINELIST, NULL),
207 V(ExitPolicyRejectPrivate, BOOL, "1"),
208 V(FallbackNetworkstatusFile, FILENAME,
209 SHARE_DATADIR PATH_SEPARATOR "tor" PATH_SEPARATOR "fallback-consensus"),
210 V(FascistFirewall, BOOL, "0"),
211 V(FirewallPorts, CSV, ""),
212 V(FastFirstHopPK, BOOL, "1"),
213 V(FetchDirInfoEarly, BOOL, "0"),
214 V(FetchServerDescriptors, BOOL, "1"),
215 V(FetchHidServDescriptors, BOOL, "1"),
216 V(FetchUselessDescriptors, BOOL, "0"),
217 #ifdef WIN32
218 V(GeoIPFile, FILENAME, "<default>"),
219 #else
220 V(GeoIPFile, FILENAME,
221 SHARE_DATADIR PATH_SEPARATOR "tor" PATH_SEPARATOR "geoip"),
222 #endif
223 OBSOLETE("Group"),
224 V(HardwareAccel, BOOL, "0"),
225 V(HashedControlPassword, LINELIST, NULL),
226 V(HidServDirectoryV2, BOOL, "1"),
227 VAR("HiddenServiceDir", LINELIST_S, RendConfigLines, NULL),
228 OBSOLETE("HiddenServiceExcludeNodes"),
229 OBSOLETE("HiddenServiceNodes"),
230 VAR("HiddenServiceOptions",LINELIST_V, RendConfigLines, NULL),
231 VAR("HiddenServicePort", LINELIST_S, RendConfigLines, NULL),
232 VAR("HiddenServiceVersion",LINELIST_S, RendConfigLines, NULL),
233 VAR("HiddenServiceAuthorizeClient",LINELIST_S,RendConfigLines, NULL),
234 V(HidServAuth, LINELIST, NULL),
235 V(HSAuthoritativeDir, BOOL, "0"),
236 V(HSAuthorityRecordStats, BOOL, "0"),
237 V(HttpProxy, STRING, NULL),
238 V(HttpProxyAuthenticator, STRING, NULL),
239 V(HttpsProxy, STRING, NULL),
240 V(HttpsProxyAuthenticator, STRING, NULL),
241 OBSOLETE("IgnoreVersion"),
242 V(KeepalivePeriod, INTERVAL, "5 minutes"),
243 VAR("Log", LINELIST, Logs, NULL),
244 OBSOLETE("LinkPadding"),
245 OBSOLETE("LogLevel"),
246 OBSOLETE("LogFile"),
247 V(LongLivedPorts, CSV,
248 "21,22,706,1863,5050,5190,5222,5223,6667,6697,8300"),
249 VAR("MapAddress", LINELIST, AddressMap, NULL),
250 V(MaxAdvertisedBandwidth, MEMUNIT, "1 GB"),
251 V(MaxCircuitDirtiness, INTERVAL, "10 minutes"),
252 V(MaxOnionsPending, UINT, "100"),
253 OBSOLETE("MonthlyAccountingStart"),
254 V(MyFamily, STRING, NULL),
255 V(NewCircuitPeriod, INTERVAL, "30 seconds"),
256 VAR("NamingAuthoritativeDirectory",BOOL, NamingAuthoritativeDir, "0"),
257 V(NatdListenAddress, LINELIST, NULL),
258 V(NatdPort, UINT, "0"),
259 V(Nickname, STRING, NULL),
260 V(NoPublish, BOOL, "0"),
261 VAR("NodeFamily", LINELIST, NodeFamilies, NULL),
262 V(NumCpus, UINT, "1"),
263 V(NumEntryGuards, UINT, "3"),
264 V(ORListenAddress, LINELIST, NULL),
265 V(ORPort, UINT, "0"),
266 V(OutboundBindAddress, STRING, NULL),
267 OBSOLETE("PathlenCoinWeight"),
268 V(PidFile, STRING, NULL),
269 V(TestingTorNetwork, BOOL, "0"),
270 V(PreferTunneledDirConns, BOOL, "1"),
271 V(ProtocolWarnings, BOOL, "0"),
272 V(PublishServerDescriptor, CSV, "1"),
273 V(PublishHidServDescriptors, BOOL, "1"),
274 V(ReachableAddresses, LINELIST, NULL),
275 V(ReachableDirAddresses, LINELIST, NULL),
276 V(ReachableORAddresses, LINELIST, NULL),
277 V(RecommendedVersions, LINELIST, NULL),
278 V(RecommendedClientVersions, LINELIST, NULL),
279 V(RecommendedServerVersions, LINELIST, NULL),
280 OBSOLETE("RedirectExit"),
281 V(RejectPlaintextPorts, CSV, ""),
282 V(RelayBandwidthBurst, MEMUNIT, "0"),
283 V(RelayBandwidthRate, MEMUNIT, "0"),
284 OBSOLETE("RendExcludeNodes"),
285 OBSOLETE("RendNodes"),
286 V(RendPostPeriod, INTERVAL, "1 hour"),
287 V(RephistTrackTime, INTERVAL, "24 hours"),
288 OBSOLETE("RouterFile"),
289 V(RunAsDaemon, BOOL, "0"),
290 V(RunTesting, BOOL, "0"),
291 V(SafeLogging, BOOL, "1"),
292 V(SafeSocks, BOOL, "0"),
293 V(ServerDNSAllowBrokenConfig, BOOL, "1"),
294 V(ServerDNSAllowNonRFC953Hostnames, BOOL,"0"),
295 V(ServerDNSDetectHijacking, BOOL, "1"),
296 V(ServerDNSRandomizeCase, BOOL, "1"),
297 V(ServerDNSResolvConfFile, STRING, NULL),
298 V(ServerDNSSearchDomains, BOOL, "0"),
299 V(ServerDNSTestAddresses, CSV,
300 "www.google.com,www.mit.edu,www.yahoo.com,www.slashdot.org"),
301 V(ShutdownWaitLength, INTERVAL, "30 seconds"),
302 V(SocksListenAddress, LINELIST, NULL),
303 V(SocksPolicy, LINELIST, NULL),
304 V(SocksPort, UINT, "9050"),
305 V(SocksTimeout, INTERVAL, "2 minutes"),
306 OBSOLETE("StatusFetchPeriod"),
307 V(StrictEntryNodes, BOOL, "0"),
308 V(StrictExitNodes, BOOL, "0"),
309 OBSOLETE("SysLog"),
310 V(TestSocks, BOOL, "0"),
311 OBSOLETE("TestVia"),
312 V(TrackHostExits, CSV, NULL),
313 V(TrackHostExitsExpire, INTERVAL, "30 minutes"),
314 OBSOLETE("TrafficShaping"),
315 V(TransListenAddress, LINELIST, NULL),
316 V(TransPort, UINT, "0"),
317 V(TunnelDirConns, BOOL, "1"),
318 V(UpdateBridgesFromAuthority, BOOL, "0"),
319 V(UseBridges, BOOL, "0"),
320 V(UseEntryGuards, BOOL, "1"),
321 V(User, STRING, NULL),
322 VAR("V1AuthoritativeDirectory",BOOL, V1AuthoritativeDir, "0"),
323 VAR("V2AuthoritativeDirectory",BOOL, V2AuthoritativeDir, "0"),
324 VAR("V3AuthoritativeDirectory",BOOL, V3AuthoritativeDir, "0"),
325 V(TestingV3AuthInitialVotingInterval, INTERVAL, "30 minutes"),
326 V(TestingV3AuthInitialVoteDelay, INTERVAL, "5 minutes"),
327 V(TestingV3AuthInitialDistDelay, INTERVAL, "5 minutes"),
328 V(V3AuthVotingInterval, INTERVAL, "1 hour"),
329 V(V3AuthVoteDelay, INTERVAL, "5 minutes"),
330 V(V3AuthDistDelay, INTERVAL, "5 minutes"),
331 V(V3AuthNIntervalsValid, UINT, "3"),
332 V(V3AuthUseLegacyKey, BOOL, "0"),
333 VAR("VersioningAuthoritativeDirectory",BOOL,VersioningAuthoritativeDir, "0"),
334 V(VirtualAddrNetwork, STRING, "127.192.0.0/10"),
335 V(WarnPlaintextPorts, CSV, "23,109,110,143"),
336 VAR("__ReloadTorrcOnSIGHUP", BOOL, ReloadTorrcOnSIGHUP, "1"),
337 VAR("__AllDirActionsPrivate", BOOL, AllDirActionsPrivate, "0"),
338 VAR("__DisablePredictedCircuits",BOOL,DisablePredictedCircuits, "0"),
339 VAR("__LeaveStreamsUnattached",BOOL, LeaveStreamsUnattached, "0"),
340 VAR("__HashedControlSessionPassword", LINELIST, HashedControlSessionPassword,
341 NULL),
342 V(MinUptimeHidServDirectoryV2, INTERVAL, "24 hours"),
343 { NULL, CONFIG_TYPE_OBSOLETE, 0, NULL }
346 /** Override default values with these if the user sets the TestingTorNetwork
347 * option. */
348 static config_var_t testing_tor_network_defaults[] = {
349 V(ServerDNSAllowBrokenConfig, BOOL, "1"),
350 V(DirAllowPrivateAddresses, BOOL, "1"),
351 V(EnforceDistinctSubnets, BOOL, "0"),
352 V(AssumeReachable, BOOL, "1"),
353 V(AuthDirMaxServersPerAddr, UINT, "0"),
354 V(AuthDirMaxServersPerAuthAddr,UINT, "0"),
355 V(ClientDNSRejectInternalAddresses, BOOL,"0"),
356 V(ExitPolicyRejectPrivate, BOOL, "0"),
357 V(V3AuthVotingInterval, INTERVAL, "5 minutes"),
358 V(V3AuthVoteDelay, INTERVAL, "20 seconds"),
359 V(V3AuthDistDelay, INTERVAL, "20 seconds"),
360 V(TestingV3AuthInitialVotingInterval, INTERVAL, "5 minutes"),
361 V(TestingV3AuthInitialVoteDelay, INTERVAL, "20 seconds"),
362 V(TestingV3AuthInitialDistDelay, INTERVAL, "20 seconds"),
363 V(TestingAuthDirTimeToLearnReachability, INTERVAL, "0 minutes"),
364 V(TestingEstimatedDescriptorPropagationTime, INTERVAL, "0 minutes"),
365 { NULL, CONFIG_TYPE_OBSOLETE, 0, NULL }
367 #undef VAR
369 #define VAR(name,conftype,member,initvalue) \
370 { name, CONFIG_TYPE_ ## conftype, STRUCT_OFFSET(or_state_t, member), \
371 initvalue }
373 /** Array of "state" variables saved to the ~/.tor/state file. */
374 static config_var_t _state_vars[] = {
375 V(AccountingBytesReadInInterval, MEMUNIT, NULL),
376 V(AccountingBytesWrittenInInterval, MEMUNIT, NULL),
377 V(AccountingExpectedUsage, MEMUNIT, NULL),
378 V(AccountingIntervalStart, ISOTIME, NULL),
379 V(AccountingSecondsActive, INTERVAL, NULL),
381 VAR("EntryGuard", LINELIST_S, EntryGuards, NULL),
382 VAR("EntryGuardDownSince", LINELIST_S, EntryGuards, NULL),
383 VAR("EntryGuardUnlistedSince", LINELIST_S, EntryGuards, NULL),
384 VAR("EntryGuardAddedBy", LINELIST_S, EntryGuards, NULL),
385 V(EntryGuards, LINELIST_V, NULL),
387 V(BWHistoryReadEnds, ISOTIME, NULL),
388 V(BWHistoryReadInterval, UINT, "900"),
389 V(BWHistoryReadValues, CSV, ""),
390 V(BWHistoryWriteEnds, ISOTIME, NULL),
391 V(BWHistoryWriteInterval, UINT, "900"),
392 V(BWHistoryWriteValues, CSV, ""),
394 V(TorVersion, STRING, NULL),
396 V(LastRotatedOnionKey, ISOTIME, NULL),
397 V(LastWritten, ISOTIME, NULL),
399 { NULL, CONFIG_TYPE_OBSOLETE, 0, NULL }
402 #undef VAR
403 #undef V
404 #undef OBSOLETE
406 /** Represents an English description of a configuration variable; used when
407 * generating configuration file comments. */
408 typedef struct config_var_description_t {
409 const char *name;
410 const char *description;
411 } config_var_description_t;
413 /** Descriptions of the configuration options, to be displayed by online
414 * option browsers */
415 /* XXXX022 did anybody want this? at all? If not, kill it.*/
416 static config_var_description_t options_description[] = {
417 /* ==== general options */
418 { "AvoidDiskWrites", "If non-zero, try to write to disk less frequently than"
419 " we would otherwise." },
420 { "BandwidthRate", "A token bucket limits the average incoming bandwidth on "
421 "this node to the specified number of bytes per second." },
422 { "BandwidthBurst", "Limit the maximum token buffer size (also known as "
423 "burst) to the given number of bytes." },
424 { "ConnLimit", "Minimum number of simultaneous sockets we must have." },
425 { "ConstrainedSockets", "Shrink tx and rx buffers for sockets to avoid "
426 "system limits on vservers and related environments. See man page for "
427 "more information regarding this option." },
428 { "ConstrainedSockSize", "Limit socket buffers to this size when "
429 "ConstrainedSockets is enabled." },
430 /* ControlListenAddress */
431 { "ControlPort", "If set, Tor will accept connections from the same machine "
432 "(localhost only) on this port, and allow those connections to control "
433 "the Tor process using the Tor Control Protocol (described in "
434 "control-spec.txt).", },
435 { "CookieAuthentication", "If this option is set to 1, don't allow any "
436 "connections to the control port except when the connecting process "
437 "can read a file that Tor creates in its data directory." },
438 { "DataDirectory", "Store working data, state, keys, and caches here." },
439 { "DirServer", "Tor only trusts directories signed with one of these "
440 "servers' keys. Used to override the standard list of directory "
441 "authorities." },
442 /* { "FastFirstHopPK", "" }, */
443 /* FetchServerDescriptors, FetchHidServDescriptors,
444 * FetchUselessDescriptors */
445 { "HardwareAccel", "If set, Tor tries to use hardware crypto accelerators "
446 "when it can." },
447 /* HashedControlPassword */
448 { "HTTPProxy", "Force Tor to make all HTTP directory requests through this "
449 "host:port (or host:80 if port is not set)." },
450 { "HTTPProxyAuthenticator", "A username:password pair to be used with "
451 "HTTPProxy." },
452 { "HTTPSProxy", "Force Tor to make all TLS (SSL) connections through this "
453 "host:port (or host:80 if port is not set)." },
454 { "HTTPSProxyAuthenticator", "A username:password pair to be used with "
455 "HTTPSProxy." },
456 { "KeepalivePeriod", "Send a padding cell every N seconds to keep firewalls "
457 "from closing our connections while Tor is not in use." },
458 { "Log", "Where to send logging messages. Format is "
459 "minSeverity[-maxSeverity] (stderr|stdout|syslog|file FILENAME)." },
460 { "OutboundBindAddress", "Make all outbound connections originate from the "
461 "provided IP address (only useful for multiple network interfaces)." },
462 { "PIDFile", "On startup, write our PID to this file. On clean shutdown, "
463 "remove the file." },
464 { "PreferTunneledDirConns", "If non-zero, avoid directory servers that "
465 "don't support tunneled connections." },
466 /* PreferTunneledDirConns */
467 /* ProtocolWarnings */
468 /* RephistTrackTime */
469 { "RunAsDaemon", "If set, Tor forks and daemonizes to the background when "
470 "started. Unix only." },
471 { "SafeLogging", "If set to 0, Tor logs potentially sensitive strings "
472 "rather than replacing them with the string [scrubbed]." },
473 { "TunnelDirConns", "If non-zero, when a directory server we contact "
474 "supports it, we will build a one-hop circuit and make an encrypted "
475 "connection via its ORPort." },
476 { "User", "On startup, setuid to this user." },
478 /* ==== client options */
479 { "AllowInvalidNodes", "Where on our circuits should Tor allow servers "
480 "that the directory authorities haven't called \"valid\"?" },
481 { "AllowNonRFC953Hostnames", "If set to 1, we don't automatically reject "
482 "hostnames for having invalid characters." },
483 /* CircuitBuildTimeout, CircuitIdleTimeout */
484 { "ClientOnly", "If set to 1, Tor will under no circumstances run as a "
485 "server, even if ORPort is enabled." },
486 { "EntryNodes", "A list of preferred entry nodes to use for the first hop "
487 "in circuits, when possible." },
488 /* { "EnforceDistinctSubnets" , "" }, */
489 { "ExitNodes", "A list of preferred nodes to use for the last hop in "
490 "circuits, when possible." },
491 { "ExcludeNodes", "A list of nodes never to use when building a circuit." },
492 { "FascistFirewall", "If set, Tor will only create outgoing connections to "
493 "servers running on the ports listed in FirewallPorts." },
494 { "FirewallPorts", "A list of ports that we can connect to. Only used "
495 "when FascistFirewall is set." },
496 { "LongLivedPorts", "A list of ports for services that tend to require "
497 "high-uptime connections." },
498 { "MapAddress", "Force Tor to treat all requests for one address as if "
499 "they were for another." },
500 { "NewCircuitPeriod", "Force Tor to consider whether to build a new circuit "
501 "every NUM seconds." },
502 { "MaxCircuitDirtiness", "Do not attach new streams to a circuit that has "
503 "been used more than this many seconds ago." },
504 /* NatdPort, NatdListenAddress */
505 { "NodeFamily", "A list of servers that constitute a 'family' and should "
506 "never be used in the same circuit." },
507 { "NumEntryGuards", "How many entry guards should we keep at a time?" },
508 /* PathlenCoinWeight */
509 { "ReachableAddresses", "Addresses we can connect to, as IP/bits:port-port. "
510 "By default, we assume all addresses are reachable." },
511 /* reachablediraddresses, reachableoraddresses. */
512 /* SafeSOCKS */
513 { "SOCKSPort", "The port where we listen for SOCKS connections from "
514 "applications." },
515 { "SOCKSListenAddress", "Bind to this address to listen to connections from "
516 "SOCKS-speaking applications." },
517 { "SOCKSPolicy", "Set an entry policy to limit which addresses can connect "
518 "to the SOCKSPort." },
519 /* SocksTimeout */
520 { "StrictExitNodes", "If set, Tor will fail to operate when none of the "
521 "configured ExitNodes can be used." },
522 { "StrictEntryNodes", "If set, Tor will fail to operate when none of the "
523 "configured EntryNodes can be used." },
524 /* TestSocks */
525 { "TrackHostsExit", "Hosts and domains which should, if possible, be "
526 "accessed from the same exit node each time we connect to them." },
527 { "TrackHostsExitExpire", "Time after which we forget which exit we were "
528 "using to connect to hosts in TrackHostsExit." },
529 /* "TransPort", "TransListenAddress */
530 { "UseEntryGuards", "Set to 0 if we want to pick from the whole set of "
531 "servers for the first position in each circuit, rather than picking a "
532 "set of 'Guards' to prevent profiling attacks." },
534 /* === server options */
535 { "Address", "The advertised (external) address we should use." },
536 /* Accounting* options. */
537 /* AssumeReachable */
538 { "ContactInfo", "Administrative contact information to advertise for this "
539 "server." },
540 { "ExitPolicy", "Address/port ranges for which to accept or reject outgoing "
541 "connections on behalf of Tor users." },
542 /* { "ExitPolicyRejectPrivate, "" }, */
543 { "MaxAdvertisedBandwidth", "If set, we will not advertise more than this "
544 "amount of bandwidth for our bandwidth rate, regardless of how much "
545 "bandwidth we actually detect." },
546 { "MaxOnionsPending", "Reject new attempts to extend circuits when we "
547 "already have this many pending." },
548 { "MyFamily", "Declare a list of other servers as belonging to the same "
549 "family as this one, so that clients will not use two from the same "
550 "family in the same circuit." },
551 { "Nickname", "Set the server nickname." },
552 { "NoPublish", "{DEPRECATED}" },
553 { "NumCPUs", "How many processes to use at once for public-key crypto." },
554 { "ORPort", "Advertise this port to listen for connections from Tor clients "
555 "and servers." },
556 { "ORListenAddress", "Bind to this address to listen for connections from "
557 "clients and servers, instead of the default 0.0.0.0:ORPort." },
558 { "PublishServerDescriptor", "Set to 0 to keep the server from "
559 "uploading info to the directory authorities." },
560 /* ServerDNS: DetectHijacking, ResolvConfFile, SearchDomains */
561 { "ShutdownWaitLength", "Wait this long for clients to finish when "
562 "shutting down because of a SIGINT." },
564 /* === directory cache options */
565 { "DirPort", "Serve directory information from this port, and act as a "
566 "directory cache." },
567 { "DirPortFrontPage", "Serve a static html disclaimer on DirPort." },
568 { "DirListenAddress", "Bind to this address to listen for connections from "
569 "clients and servers, instead of the default 0.0.0.0:DirPort." },
570 { "DirPolicy", "Set a policy to limit who can connect to the directory "
571 "port." },
573 /* Authority options: AuthDirBadExit, AuthDirInvalid, AuthDirReject,
574 * AuthDirRejectUnlisted, AuthDirListBadExits, AuthoritativeDirectory,
575 * DirAllowPrivateAddresses, HSAuthoritativeDir,
576 * NamingAuthoritativeDirectory, RecommendedVersions,
577 * RecommendedClientVersions, RecommendedServerVersions, RendPostPeriod,
578 * RunTesting, V1AuthoritativeDirectory, VersioningAuthoritativeDirectory, */
580 /* Hidden service options: HiddenService: dir,excludenodes, nodes,
581 * options, port. PublishHidServDescriptor */
583 /* Nonpersistent options: __LeaveStreamsUnattached, __AllDirActionsPrivate */
584 { NULL, NULL },
587 /** Online description of state variables. */
588 static config_var_description_t state_description[] = {
589 { "AccountingBytesReadInInterval",
590 "How many bytes have we read in this accounting period?" },
591 { "AccountingBytesWrittenInInterval",
592 "How many bytes have we written in this accounting period?" },
593 { "AccountingExpectedUsage",
594 "How many bytes did we expect to use per minute? (0 for no estimate.)" },
595 { "AccountingIntervalStart", "When did this accounting period begin?" },
596 { "AccountingSecondsActive", "How long have we been awake in this period?" },
598 { "BWHistoryReadEnds", "When does the last-recorded read-interval end?" },
599 { "BWHistoryReadInterval", "How long is each read-interval (in seconds)?" },
600 { "BWHistoryReadValues", "Number of bytes read in each interval." },
601 { "BWHistoryWriteEnds", "When does the last-recorded write-interval end?" },
602 { "BWHistoryWriteInterval", "How long is each write-interval (in seconds)?"},
603 { "BWHistoryWriteValues", "Number of bytes written in each interval." },
605 { "EntryGuard", "One of the nodes we have chosen as a fixed entry" },
606 { "EntryGuardDownSince",
607 "The last entry guard has been unreachable since this time." },
608 { "EntryGuardUnlistedSince",
609 "The last entry guard has been unusable since this time." },
611 { "LastRotatedOnionKey",
612 "The last time at which we changed the medium-term private key used for "
613 "building circuits." },
614 { "LastWritten", "When was this state file last regenerated?" },
616 { "TorVersion", "Which version of Tor generated this state file?" },
617 { NULL, NULL },
620 /** Type of a callback to validate whether a given configuration is
621 * well-formed and consistent. See options_trial_assign() for documentation
622 * of arguments. */
623 typedef int (*validate_fn_t)(void*,void*,int,char**);
625 /** Information on the keys, value types, key-to-struct-member mappings,
626 * variable descriptions, validation functions, and abbreviations for a
627 * configuration or storage format. */
628 typedef struct {
629 size_t size; /**< Size of the struct that everything gets parsed into. */
630 uint32_t magic; /**< Required 'magic value' to make sure we have a struct
631 * of the right type. */
632 off_t magic_offset; /**< Offset of the magic value within the struct. */
633 config_abbrev_t *abbrevs; /**< List of abbreviations that we expand when
634 * parsing this format. */
635 config_var_t *vars; /**< List of variables we recognize, their default
636 * values, and where we stick them in the structure. */
637 validate_fn_t validate_fn; /**< Function to validate config. */
638 /** Documentation for configuration variables. */
639 config_var_description_t *descriptions;
640 /** If present, extra is a LINELIST variable for unrecognized
641 * lines. Otherwise, unrecognized lines are an error. */
642 config_var_t *extra;
643 } config_format_t;
645 /** Macro: assert that <b>cfg</b> has the right magic field for format
646 * <b>fmt</b>. */
647 #define CHECK(fmt, cfg) STMT_BEGIN \
648 tor_assert(fmt && cfg); \
649 tor_assert((fmt)->magic == \
650 *(uint32_t*)STRUCT_VAR_P(cfg,fmt->magic_offset)); \
651 STMT_END
653 #ifdef MS_WINDOWS
654 static char *get_windows_conf_root(void);
655 #endif
656 static void config_line_append(config_line_t **lst,
657 const char *key, const char *val);
658 static void option_clear(config_format_t *fmt, or_options_t *options,
659 config_var_t *var);
660 static void option_reset(config_format_t *fmt, or_options_t *options,
661 config_var_t *var, int use_defaults);
662 static void config_free(config_format_t *fmt, void *options);
663 static int config_lines_eq(config_line_t *a, config_line_t *b);
664 static int option_is_same(config_format_t *fmt,
665 or_options_t *o1, or_options_t *o2,
666 const char *name);
667 static or_options_t *options_dup(config_format_t *fmt, or_options_t *old);
668 static int options_validate(or_options_t *old_options, or_options_t *options,
669 int from_setconf, char **msg);
670 static int options_act_reversible(or_options_t *old_options, char **msg);
671 static int options_act(or_options_t *old_options);
672 static int options_transition_allowed(or_options_t *old, or_options_t *new,
673 char **msg);
674 static int options_transition_affects_workers(or_options_t *old_options,
675 or_options_t *new_options);
676 static int options_transition_affects_descriptor(or_options_t *old_options,
677 or_options_t *new_options);
678 static int check_nickname_list(const char *lst, const char *name, char **msg);
679 static void config_register_addressmaps(or_options_t *options);
681 static int parse_bridge_line(const char *line, int validate_only);
682 static int parse_dir_server_line(const char *line,
683 authority_type_t required_type,
684 int validate_only);
685 static int validate_data_directory(or_options_t *options);
686 static int write_configuration_file(const char *fname, or_options_t *options);
687 static config_line_t *get_assigned_option(config_format_t *fmt,
688 void *options, const char *key,
689 int escape_val);
690 static void config_init(config_format_t *fmt, void *options);
691 static int or_state_validate(or_state_t *old_options, or_state_t *options,
692 int from_setconf, char **msg);
693 static int or_state_load(void);
694 static int options_init_logs(or_options_t *options, int validate_only);
696 static int is_listening_on_low_port(uint16_t port_option,
697 const config_line_t *listen_options);
699 static uint64_t config_parse_memunit(const char *s, int *ok);
700 static int config_parse_interval(const char *s, int *ok);
701 static void init_libevent(void);
702 static int opt_streq(const char *s1, const char *s2);
703 /** Versions of libevent. */
704 typedef enum {
705 /* Note: we compare these, so it's important that "old" precede everything,
706 * and that "other" come last. */
707 LE_OLD=0, LE_10C, LE_10D, LE_10E, LE_11, LE_11A, LE_11B, LE_12, LE_12A,
708 LE_13, LE_13A, LE_13B, LE_13C, LE_13D, LE_13E,
709 LE_140, LE_141, LE_142, LE_143, LE_144, LE_145, LE_146, LE_147, LE_148,
710 LE_1499,
711 LE_OTHER
712 } le_version_t;
713 static le_version_t decode_libevent_version(const char *v, int *bincompat_out);
714 #if defined(HAVE_EVENT_GET_VERSION) && defined(HAVE_EVENT_GET_METHOD)
715 static void check_libevent_version(const char *m, int server);
716 #endif
718 /** Magic value for or_options_t. */
719 #define OR_OPTIONS_MAGIC 9090909
721 /** Configuration format for or_options_t. */
722 static config_format_t options_format = {
723 sizeof(or_options_t),
724 OR_OPTIONS_MAGIC,
725 STRUCT_OFFSET(or_options_t, _magic),
726 _option_abbrevs,
727 _option_vars,
728 (validate_fn_t)options_validate,
729 options_description,
730 NULL
733 /** Magic value for or_state_t. */
734 #define OR_STATE_MAGIC 0x57A73f57
736 /** "Extra" variable in the state that receives lines we can't parse. This
737 * lets us preserve options from versions of Tor newer than us. */
738 static config_var_t state_extra_var = {
739 "__extra", CONFIG_TYPE_LINELIST, STRUCT_OFFSET(or_state_t, ExtraLines), NULL
742 /** Configuration format for or_state_t. */
743 static config_format_t state_format = {
744 sizeof(or_state_t),
745 OR_STATE_MAGIC,
746 STRUCT_OFFSET(or_state_t, _magic),
747 _state_abbrevs,
748 _state_vars,
749 (validate_fn_t)or_state_validate,
750 state_description,
751 &state_extra_var,
755 * Functions to read and write the global options pointer.
758 /** Command-line and config-file options. */
759 static or_options_t *global_options = NULL;
760 /** Name of most recently read torrc file. */
761 static char *torrc_fname = NULL;
762 /** Persistent serialized state. */
763 static or_state_t *global_state = NULL;
764 /** Configuration Options set by command line. */
765 static config_line_t *global_cmdline_options = NULL;
766 /** Contents of most recently read DirPortFrontPage file. */
767 static char *global_dirfrontpagecontents = NULL;
769 /** Return the contents of our frontpage string, or NULL if not configured. */
770 const char *
771 get_dirportfrontpage(void)
773 return global_dirfrontpagecontents;
776 /** Allocate an empty configuration object of a given format type. */
777 static void *
778 config_alloc(config_format_t *fmt)
780 void *opts = tor_malloc_zero(fmt->size);
781 *(uint32_t*)STRUCT_VAR_P(opts, fmt->magic_offset) = fmt->magic;
782 CHECK(fmt, opts);
783 return opts;
786 /** Return the currently configured options. */
787 or_options_t *
788 get_options(void)
790 tor_assert(global_options);
791 return global_options;
794 /** Change the current global options to contain <b>new_val</b> instead of
795 * their current value; take action based on the new value; free the old value
796 * as necessary. Returns 0 on success, -1 on failure.
799 set_options(or_options_t *new_val, char **msg)
801 or_options_t *old_options = global_options;
802 global_options = new_val;
803 /* Note that we pass the *old* options below, for comparison. It
804 * pulls the new options directly out of global_options. */
805 if (options_act_reversible(old_options, msg)<0) {
806 tor_assert(*msg);
807 global_options = old_options;
808 return -1;
810 if (options_act(old_options) < 0) { /* acting on the options failed. die. */
811 log_err(LD_BUG,
812 "Acting on config options left us in a broken state. Dying.");
813 exit(1);
815 if (old_options)
816 config_free(&options_format, old_options);
818 return 0;
821 extern const char tor_svn_revision[]; /* from tor_main.c */
823 /** The version of this Tor process, as parsed. */
824 static char *_version = NULL;
826 /** Return the current Tor version. */
827 const char *
828 get_version(void)
830 if (_version == NULL) {
831 if (strlen(tor_svn_revision)) {
832 size_t len = strlen(VERSION)+strlen(tor_svn_revision)+8;
833 _version = tor_malloc(len);
834 tor_snprintf(_version, len, "%s (r%s)", VERSION, tor_svn_revision);
835 } else {
836 _version = tor_strdup(VERSION);
839 return _version;
842 /** Release additional memory allocated in options
844 static void
845 or_options_free(or_options_t *options)
847 if (options->_ExcludeExitNodesUnion)
848 routerset_free(options->_ExcludeExitNodesUnion);
849 config_free(&options_format, options);
852 /** Release all memory and resources held by global configuration structures.
854 void
855 config_free_all(void)
857 if (global_options) {
858 or_options_free(global_options);
859 global_options = NULL;
861 if (global_state) {
862 config_free(&state_format, global_state);
863 global_state = NULL;
865 if (global_cmdline_options) {
866 config_free_lines(global_cmdline_options);
867 global_cmdline_options = NULL;
869 tor_free(torrc_fname);
870 tor_free(_version);
871 tor_free(global_dirfrontpagecontents);
874 /** If options->SafeLogging is on, return a not very useful string,
875 * else return address.
877 const char *
878 safe_str(const char *address)
880 tor_assert(address);
881 if (get_options()->SafeLogging)
882 return "[scrubbed]";
883 else
884 return address;
887 /** Equivalent to escaped(safe_str(address)). See reentrancy note on
888 * escaped(): don't use this outside the main thread, or twice in the same
889 * log statement. */
890 const char *
891 escaped_safe_str(const char *address)
893 if (get_options()->SafeLogging)
894 return "[scrubbed]";
895 else
896 return escaped(address);
899 /** Add the default directory authorities directly into the trusted dir list,
900 * but only add them insofar as they share bits with <b>type</b>. */
901 static void
902 add_default_trusted_dir_authorities(authority_type_t type)
904 int i;
905 const char *dirservers[] = {
906 "moria1 v1 orport=9001 v3ident=E2A2AF570166665D738736D0DD58169CC61D8A8B "
907 "128.31.0.34:9031 FFCB 46DB 1339 DA84 674C 70D7 CB58 6434 C437 0441",
908 "moria2 v1 orport=9002 128.31.0.34:9032 "
909 "719B E45D E224 B607 C537 07D0 E214 3E2D 423E 74CF",
910 "tor26 v1 orport=443 v3ident=14C131DFC5C6F93646BE72FA1401C02A8DF2E8B4 "
911 "86.59.21.38:80 847B 1F85 0344 D787 6491 A548 92F9 0493 4E4E B85D",
912 "dizum orport=443 v3ident=E8A9C45EDE6D711294FADF8E7951F4DE6CA56B58 "
913 "194.109.206.212:80 7EA6 EAD6 FD83 083C 538F 4403 8BBF A077 587D D755",
914 "Tonga orport=443 bridge no-v2 82.94.251.206:80 "
915 "4A0C CD2D DC79 9508 3D73 F5D6 6710 0C8A 5831 F16D",
916 "ides orport=9090 no-v2 v3ident=27B6B5996C426270A5C95488AA5BCEB6BCC86956 "
917 "216.224.124.114:9030 F397 038A DC51 3361 35E7 B80B D99C A384 4360 292B",
918 "gabelmoo orport=443 no-v2 "
919 "v3ident=81349FC1F2DBA2C2C11B45CB9706637D480AB913 "
920 "80.190.246.100:80 6833 3D07 61BC F397 A587 A0C0 B963 E4A9 E99E C4D3",
921 "dannenberg orport=443 no-v2 "
922 "v3ident=585769C78764D58426B8B52B6651A5A71137189A "
923 "213.73.91.31:80 7BE6 83E6 5D48 1413 21C5 ED92 F075 C553 64AC 7123",
924 NULL
926 for (i=0; dirservers[i]; i++) {
927 if (parse_dir_server_line(dirservers[i], type, 0)<0) {
928 log_err(LD_BUG, "Couldn't parse internal dirserver line %s",
929 dirservers[i]);
934 /** Look at all the config options for using alternate directory
935 * authorities, and make sure none of them are broken. Also, warn the
936 * user if we changed any dangerous ones.
938 static int
939 validate_dir_authorities(or_options_t *options, or_options_t *old_options)
941 config_line_t *cl;
943 if (options->DirServers &&
944 (options->AlternateDirAuthority || options->AlternateBridgeAuthority ||
945 options->AlternateHSAuthority)) {
946 log_warn(LD_CONFIG,
947 "You cannot set both DirServers and Alternate*Authority.");
948 return -1;
951 /* do we want to complain to the user about being partitionable? */
952 if ((options->DirServers &&
953 (!old_options ||
954 !config_lines_eq(options->DirServers, old_options->DirServers))) ||
955 (options->AlternateDirAuthority &&
956 (!old_options ||
957 !config_lines_eq(options->AlternateDirAuthority,
958 old_options->AlternateDirAuthority)))) {
959 log_warn(LD_CONFIG,
960 "You have used DirServer or AlternateDirAuthority to "
961 "specify alternate directory authorities in "
962 "your configuration. This is potentially dangerous: it can "
963 "make you look different from all other Tor users, and hurt "
964 "your anonymity. Even if you've specified the same "
965 "authorities as Tor uses by default, the defaults could "
966 "change in the future. Be sure you know what you're doing.");
969 /* Now go through the four ways you can configure an alternate
970 * set of directory authorities, and make sure none are broken. */
971 for (cl = options->DirServers; cl; cl = cl->next)
972 if (parse_dir_server_line(cl->value, NO_AUTHORITY, 1)<0)
973 return -1;
974 for (cl = options->AlternateBridgeAuthority; cl; cl = cl->next)
975 if (parse_dir_server_line(cl->value, NO_AUTHORITY, 1)<0)
976 return -1;
977 for (cl = options->AlternateDirAuthority; cl; cl = cl->next)
978 if (parse_dir_server_line(cl->value, NO_AUTHORITY, 1)<0)
979 return -1;
980 for (cl = options->AlternateHSAuthority; cl; cl = cl->next)
981 if (parse_dir_server_line(cl->value, NO_AUTHORITY, 1)<0)
982 return -1;
983 return 0;
986 /** Look at all the config options and assign new dir authorities
987 * as appropriate.
989 static int
990 consider_adding_dir_authorities(or_options_t *options,
991 or_options_t *old_options)
993 config_line_t *cl;
994 int need_to_update =
995 !smartlist_len(router_get_trusted_dir_servers()) || !old_options ||
996 !config_lines_eq(options->DirServers, old_options->DirServers) ||
997 !config_lines_eq(options->AlternateBridgeAuthority,
998 old_options->AlternateBridgeAuthority) ||
999 !config_lines_eq(options->AlternateDirAuthority,
1000 old_options->AlternateDirAuthority) ||
1001 !config_lines_eq(options->AlternateHSAuthority,
1002 old_options->AlternateHSAuthority);
1004 if (!need_to_update)
1005 return 0; /* all done */
1007 /* Start from a clean slate. */
1008 clear_trusted_dir_servers();
1010 if (!options->DirServers) {
1011 /* then we may want some of the defaults */
1012 authority_type_t type = NO_AUTHORITY;
1013 if (!options->AlternateBridgeAuthority)
1014 type |= BRIDGE_AUTHORITY;
1015 if (!options->AlternateDirAuthority)
1016 type |= V1_AUTHORITY | V2_AUTHORITY | V3_AUTHORITY;
1017 if (!options->AlternateHSAuthority)
1018 type |= HIDSERV_AUTHORITY;
1019 add_default_trusted_dir_authorities(type);
1022 for (cl = options->DirServers; cl; cl = cl->next)
1023 if (parse_dir_server_line(cl->value, NO_AUTHORITY, 0)<0)
1024 return -1;
1025 for (cl = options->AlternateBridgeAuthority; cl; cl = cl->next)
1026 if (parse_dir_server_line(cl->value, NO_AUTHORITY, 0)<0)
1027 return -1;
1028 for (cl = options->AlternateDirAuthority; cl; cl = cl->next)
1029 if (parse_dir_server_line(cl->value, NO_AUTHORITY, 0)<0)
1030 return -1;
1031 for (cl = options->AlternateHSAuthority; cl; cl = cl->next)
1032 if (parse_dir_server_line(cl->value, NO_AUTHORITY, 0)<0)
1033 return -1;
1034 return 0;
1037 /** Fetch the active option list, and take actions based on it. All of the
1038 * things we do should survive being done repeatedly. If present,
1039 * <b>old_options</b> contains the previous value of the options.
1041 * Return 0 if all goes well, return -1 if things went badly.
1043 static int
1044 options_act_reversible(or_options_t *old_options, char **msg)
1046 smartlist_t *new_listeners = smartlist_create();
1047 smartlist_t *replaced_listeners = smartlist_create();
1048 static int libevent_initialized = 0;
1049 or_options_t *options = get_options();
1050 int running_tor = options->command == CMD_RUN_TOR;
1051 int set_conn_limit = 0;
1052 int r = -1;
1053 int logs_marked = 0;
1055 /* Daemonize _first_, since we only want to open most of this stuff in
1056 * the subprocess. Libevent bases can't be reliably inherited across
1057 * processes. */
1058 if (running_tor && options->RunAsDaemon) {
1059 /* No need to roll back, since you can't change the value. */
1060 start_daemon();
1063 #ifndef HAVE_SYS_UN_H
1064 if (options->ControlSocket) {
1065 *msg = tor_strdup("Unix domain sockets (ControlSocket) not supported"
1066 " on this OS/with this build.");
1067 goto rollback;
1069 #endif
1071 if (running_tor) {
1072 /* We need to set the connection limit before we can open the listeners. */
1073 if (set_max_file_descriptors((unsigned)options->ConnLimit,
1074 &options->_ConnLimit) < 0) {
1075 *msg = tor_strdup("Problem with ConnLimit value. See logs for details.");
1076 goto rollback;
1078 set_conn_limit = 1;
1080 /* Set up libevent. (We need to do this before we can register the
1081 * listeners as listeners.) */
1082 if (running_tor && !libevent_initialized) {
1083 init_libevent();
1084 libevent_initialized = 1;
1087 /* Launch the listeners. (We do this before we setuid, so we can bind to
1088 * ports under 1024.) */
1089 if (retry_all_listeners(replaced_listeners, new_listeners) < 0) {
1090 *msg = tor_strdup("Failed to bind one of the listener ports.");
1091 goto rollback;
1095 #if defined(HAVE_NET_IF_H) && defined(HAVE_NET_PFVAR_H)
1096 /* Open /dev/pf before dropping privileges. */
1097 if (options->TransPort) {
1098 if (get_pf_socket() < 0) {
1099 *msg = tor_strdup("Unable to open /dev/pf for transparent proxy.");
1100 goto rollback;
1103 #endif
1105 /* Setuid/setgid as appropriate */
1106 if (options->User) {
1107 if (switch_id(options->User) != 0) {
1108 /* No need to roll back, since you can't change the value. */
1109 *msg = tor_strdup("Problem with User value. See logs for details.");
1110 goto done;
1114 /* Ensure data directory is private; create if possible. */
1115 if (check_private_dir(options->DataDirectory,
1116 running_tor ? CPD_CREATE : CPD_CHECK)<0) {
1117 char buf[1024];
1118 int tmp = tor_snprintf(buf, sizeof(buf),
1119 "Couldn't access/create private data directory \"%s\"",
1120 options->DataDirectory);
1121 *msg = tor_strdup(tmp >= 0 ? buf : "internal error");
1122 goto done;
1123 /* No need to roll back, since you can't change the value. */
1126 if (directory_caches_v2_dir_info(options)) {
1127 size_t len = strlen(options->DataDirectory)+32;
1128 char *fn = tor_malloc(len);
1129 tor_snprintf(fn, len, "%s"PATH_SEPARATOR"cached-status",
1130 options->DataDirectory);
1131 if (check_private_dir(fn, running_tor ? CPD_CREATE : CPD_CHECK) < 0) {
1132 char buf[1024];
1133 int tmp = tor_snprintf(buf, sizeof(buf),
1134 "Couldn't access/create private data directory \"%s\"", fn);
1135 *msg = tor_strdup(tmp >= 0 ? buf : "internal error");
1136 tor_free(fn);
1137 goto done;
1139 tor_free(fn);
1142 /* Bail out at this point if we're not going to be a client or server:
1143 * we don't run Tor itself. */
1144 if (!running_tor)
1145 goto commit;
1147 mark_logs_temp(); /* Close current logs once new logs are open. */
1148 logs_marked = 1;
1149 if (options_init_logs(options, 0)<0) { /* Configure the log(s) */
1150 *msg = tor_strdup("Failed to init Log options. See logs for details.");
1151 goto rollback;
1154 commit:
1155 r = 0;
1156 if (logs_marked) {
1157 log_severity_list_t *severity =
1158 tor_malloc_zero(sizeof(log_severity_list_t));
1159 close_temp_logs();
1160 add_callback_log(severity, control_event_logmsg);
1161 control_adjust_event_log_severity();
1162 tor_free(severity);
1164 SMARTLIST_FOREACH(replaced_listeners, connection_t *, conn,
1166 log_notice(LD_NET, "Closing old %s on %s:%d",
1167 conn_type_to_string(conn->type), conn->address, conn->port);
1168 connection_close_immediate(conn);
1169 connection_mark_for_close(conn);
1171 goto done;
1173 rollback:
1174 r = -1;
1175 tor_assert(*msg);
1177 if (logs_marked) {
1178 rollback_log_changes();
1179 control_adjust_event_log_severity();
1182 if (set_conn_limit && old_options)
1183 set_max_file_descriptors((unsigned)old_options->ConnLimit,
1184 &options->_ConnLimit);
1186 SMARTLIST_FOREACH(new_listeners, connection_t *, conn,
1188 log_notice(LD_NET, "Closing partially-constructed listener %s on %s:%d",
1189 conn_type_to_string(conn->type), conn->address, conn->port);
1190 connection_close_immediate(conn);
1191 connection_mark_for_close(conn);
1194 done:
1195 smartlist_free(new_listeners);
1196 smartlist_free(replaced_listeners);
1197 return r;
1200 /** If we need to have a GEOIP ip-to-country map to run with our configured
1201 * options, return 1 and set *<b>reason_out</b> to a description of why. */
1203 options_need_geoip_info(or_options_t *options, const char **reason_out)
1205 int bridge_usage =
1206 options->BridgeRelay && options->BridgeRecordUsageByCountry;
1207 int routerset_usage =
1208 routerset_needs_geoip(options->EntryNodes) ||
1209 routerset_needs_geoip(options->ExitNodes) ||
1210 routerset_needs_geoip(options->ExcludeExitNodes) ||
1211 routerset_needs_geoip(options->ExcludeNodes);
1213 if (routerset_usage && reason_out) {
1214 *reason_out = "We've been configured to use (or avoid) nodes in certain "
1215 "countries, and we need GEOIP information to figure out which ones they "
1216 "are.";
1217 } else if (bridge_usage && reason_out) {
1218 *reason_out = "We've been configured to see which countries can access "
1219 "us as a bridge, and we need GEOIP information to tell which countries "
1220 "clients are in.";
1222 return bridge_usage || routerset_usage;
1225 /** Return the bandwidthrate that we are going to report to the authorities
1226 * based on the config options. */
1227 uint32_t
1228 get_effective_bwrate(or_options_t *options)
1230 uint64_t bw = options->BandwidthRate;
1231 if (bw > options->MaxAdvertisedBandwidth)
1232 bw = options->MaxAdvertisedBandwidth;
1233 if (options->RelayBandwidthRate > 0 && bw > options->RelayBandwidthRate)
1234 bw = options->RelayBandwidthRate;
1236 /* ensure_bandwidth_cap() makes sure that this cast can't overflow. */
1237 return (uint32_t)bw;
1240 /** Return the bandwidthburst that we are going to report to the authorities
1241 * based on the config options. */
1242 uint32_t
1243 get_effective_bwburst(or_options_t *options)
1245 uint64_t bw = options->BandwidthBurst;
1246 if (options->RelayBandwidthBurst > 0 && bw > options->RelayBandwidthBurst)
1247 bw = options->RelayBandwidthBurst;
1248 /* ensure_bandwidth_cap() makes sure that this cast can't overflow. */
1249 return (uint32_t)bw;
1252 /** Fetch the active option list, and take actions based on it. All of the
1253 * things we do should survive being done repeatedly. If present,
1254 * <b>old_options</b> contains the previous value of the options.
1256 * Return 0 if all goes well, return -1 if it's time to die.
1258 * Note: We haven't moved all the "act on new configuration" logic
1259 * here yet. Some is still in do_hup() and other places.
1261 static int
1262 options_act(or_options_t *old_options)
1264 config_line_t *cl;
1265 or_options_t *options = get_options();
1266 int running_tor = options->command == CMD_RUN_TOR;
1267 char *msg;
1269 if (running_tor && !have_lockfile()) {
1270 if (try_locking(options, 1) < 0)
1271 return -1;
1274 if (consider_adding_dir_authorities(options, old_options) < 0)
1275 return -1;
1277 if (options->Bridges) {
1278 clear_bridge_list();
1279 for (cl = options->Bridges; cl; cl = cl->next) {
1280 if (parse_bridge_line(cl->value, 0)<0) {
1281 log_warn(LD_BUG,
1282 "Previously validated Bridge line could not be added!");
1283 return -1;
1288 if (running_tor && rend_config_services(options, 0)<0) {
1289 log_warn(LD_BUG,
1290 "Previously validated hidden services line could not be added!");
1291 return -1;
1294 if (running_tor && rend_parse_service_authorization(options, 0) < 0) {
1295 log_warn(LD_BUG, "Previously validated client authorization for "
1296 "hidden services could not be added!");
1297 return -1;
1300 /* Load state */
1301 if (! global_state && running_tor) {
1302 if (or_state_load())
1303 return -1;
1304 rep_hist_load_mtbf_data(time(NULL));
1307 /* Bail out at this point if we're not going to be a client or server:
1308 * we want to not fork, and to log stuff to stderr. */
1309 if (!running_tor)
1310 return 0;
1312 /* Finish backgrounding the process */
1313 if (running_tor && options->RunAsDaemon) {
1314 /* We may be calling this for the n'th time (on SIGHUP), but it's safe. */
1315 finish_daemon(options->DataDirectory);
1318 /* Write our PID to the PID file. If we do not have write permissions we
1319 * will log a warning */
1320 if (running_tor && options->PidFile)
1321 write_pidfile(options->PidFile);
1323 /* Register addressmap directives */
1324 config_register_addressmaps(options);
1325 parse_virtual_addr_network(options->VirtualAddrNetwork, 0, &msg);
1327 /* Update address policies. */
1328 if (policies_parse_from_options(options) < 0) {
1329 /* This should be impossible, but let's be sure. */
1330 log_warn(LD_BUG,"Error parsing already-validated policy options.");
1331 return -1;
1334 if (init_cookie_authentication(options->CookieAuthentication) < 0) {
1335 log_warn(LD_CONFIG,"Error creating cookie authentication file.");
1336 return -1;
1339 /* reload keys as needed for rendezvous services. */
1340 if (rend_service_load_keys()<0) {
1341 log_warn(LD_GENERAL,"Error loading rendezvous service keys");
1342 return -1;
1345 /* Set up accounting */
1346 if (accounting_parse_options(options, 0)<0) {
1347 log_warn(LD_CONFIG,"Error in accounting options");
1348 return -1;
1350 if (accounting_is_enabled(options))
1351 configure_accounting(time(NULL));
1353 /* Check for transitions that need action. */
1354 if (old_options) {
1355 if (options->UseEntryGuards && !old_options->UseEntryGuards) {
1356 log_info(LD_CIRC,
1357 "Switching to entry guards; abandoning previous circuits");
1358 circuit_mark_all_unused_circs();
1359 circuit_expire_all_dirty_circs();
1362 if (! bool_eq(options->BridgeRelay, old_options->BridgeRelay)) {
1363 log_info(LD_GENERAL, "Bridge status changed. Forgetting GeoIP stats.");
1364 geoip_remove_old_clients(time(NULL)+(2*60*60));
1367 if (options_transition_affects_workers(old_options, options)) {
1368 log_info(LD_GENERAL,
1369 "Worker-related options changed. Rotating workers.");
1370 if (server_mode(options) && !server_mode(old_options)) {
1371 if (init_keys() < 0) {
1372 log_warn(LD_BUG,"Error initializing keys; exiting");
1373 return -1;
1375 ip_address_changed(0);
1376 if (has_completed_circuit || !any_predicted_circuits(time(NULL)))
1377 inform_testing_reachability();
1379 cpuworkers_rotate();
1380 if (dns_reset())
1381 return -1;
1382 } else {
1383 if (dns_reset())
1384 return -1;
1387 if (options->V3AuthoritativeDir && !old_options->V3AuthoritativeDir)
1388 init_keys();
1391 /* Maybe load geoip file */
1392 if (options->GeoIPFile &&
1393 ((!old_options || !opt_streq(old_options->GeoIPFile, options->GeoIPFile))
1394 || !geoip_is_loaded())) {
1395 /* XXXX Don't use this "<default>" junk; make our filename options
1396 * understand prefixes somehow. -NM */
1397 /* XXXX021 Reload GeoIPFile on SIGHUP. -NM */
1398 char *actual_fname = tor_strdup(options->GeoIPFile);
1399 #ifdef WIN32
1400 if (!strcmp(actual_fname, "<default>")) {
1401 const char *conf_root = get_windows_conf_root();
1402 size_t len = strlen(conf_root)+16;
1403 tor_free(actual_fname);
1404 actual_fname = tor_malloc(len+1);
1405 tor_snprintf(actual_fname, len, "%s\\geoip", conf_root);
1407 #endif
1408 geoip_load_file(actual_fname, options);
1409 tor_free(actual_fname);
1411 #ifdef ENABLE_GEOIP_STATS
1412 log_warn(LD_CONFIG, "We are configured to measure GeoIP statistics, but "
1413 "the way these statistics are measured has changed "
1414 "significantly in later versions of Tor. The results may not be "
1415 "as expected if you are used to later versions. Be sure you "
1416 "know what you are doing.");
1417 #endif
1418 /* Check if we need to parse and add the EntryNodes config option. */
1419 if (options->EntryNodes &&
1420 (!old_options ||
1421 (!routerset_equal(old_options->EntryNodes,options->EntryNodes))))
1422 entry_nodes_should_be_added();
1424 /* Since our options changed, we might need to regenerate and upload our
1425 * server descriptor.
1427 if (!old_options ||
1428 options_transition_affects_descriptor(old_options, options))
1429 mark_my_descriptor_dirty();
1431 /* We may need to reschedule some directory stuff if our status changed. */
1432 if (old_options) {
1433 if (authdir_mode_v3(options) && !authdir_mode_v3(old_options))
1434 dirvote_recalculate_timing(options, time(NULL));
1435 if (!bool_eq(directory_fetches_dir_info_early(options),
1436 directory_fetches_dir_info_early(old_options)) ||
1437 !bool_eq(directory_fetches_dir_info_later(options),
1438 directory_fetches_dir_info_later(old_options))) {
1439 /* Make sure update_router_have_min_dir_info gets called. */
1440 router_dir_info_changed();
1441 /* We might need to download a new consensus status later or sooner than
1442 * we had expected. */
1443 update_consensus_networkstatus_fetch_time(time(NULL));
1447 /* Load the webpage we're going to serve every time someone asks for '/' on
1448 our DirPort. */
1449 tor_free(global_dirfrontpagecontents);
1450 if (options->DirPortFrontPage) {
1451 global_dirfrontpagecontents =
1452 read_file_to_str(options->DirPortFrontPage, 0, NULL);
1453 if (!global_dirfrontpagecontents) {
1454 log_warn(LD_CONFIG,
1455 "DirPortFrontPage file '%s' not found. Continuing anyway.",
1456 options->DirPortFrontPage);
1460 return 0;
1464 * Functions to parse config options
1467 /** If <b>option</b> is an official abbreviation for a longer option,
1468 * return the longer option. Otherwise return <b>option</b>.
1469 * If <b>command_line</b> is set, apply all abbreviations. Otherwise, only
1470 * apply abbreviations that work for the config file and the command line.
1471 * If <b>warn_obsolete</b> is set, warn about deprecated names. */
1472 static const char *
1473 expand_abbrev(config_format_t *fmt, const char *option, int command_line,
1474 int warn_obsolete)
1476 int i;
1477 if (! fmt->abbrevs)
1478 return option;
1479 for (i=0; fmt->abbrevs[i].abbreviated; ++i) {
1480 /* Abbreviations are case insensitive. */
1481 if (!strcasecmp(option,fmt->abbrevs[i].abbreviated) &&
1482 (command_line || !fmt->abbrevs[i].commandline_only)) {
1483 if (warn_obsolete && fmt->abbrevs[i].warn) {
1484 log_warn(LD_CONFIG,
1485 "The configuration option '%s' is deprecated; "
1486 "use '%s' instead.",
1487 fmt->abbrevs[i].abbreviated,
1488 fmt->abbrevs[i].full);
1490 return fmt->abbrevs[i].full;
1493 return option;
1496 /** Helper: Read a list of configuration options from the command line.
1497 * If successful, put them in *<b>result</b> and return 0, and return
1498 * -1 and leave *<b>result</b> alone. */
1499 static int
1500 config_get_commandlines(int argc, char **argv, config_line_t **result)
1502 config_line_t *front = NULL;
1503 config_line_t **new = &front;
1504 char *s;
1505 int i = 1;
1507 while (i < argc) {
1508 if (!strcmp(argv[i],"-f") ||
1509 !strcmp(argv[i],"--hash-password")) {
1510 i += 2; /* command-line option with argument. ignore them. */
1511 continue;
1512 } else if (!strcmp(argv[i],"--list-fingerprint") ||
1513 !strcmp(argv[i],"--verify-config") ||
1514 !strcmp(argv[i],"--ignore-missing-torrc") ||
1515 !strcmp(argv[i],"--quiet") ||
1516 !strcmp(argv[i],"--hush")) {
1517 i += 1; /* command-line option. ignore it. */
1518 continue;
1519 } else if (!strcmp(argv[i],"--nt-service") ||
1520 !strcmp(argv[i],"-nt-service")) {
1521 i += 1;
1522 continue;
1525 if (i == argc-1) {
1526 log_warn(LD_CONFIG,"Command-line option '%s' with no value. Failing.",
1527 argv[i]);
1528 config_free_lines(front);
1529 return -1;
1532 *new = tor_malloc_zero(sizeof(config_line_t));
1533 s = argv[i];
1535 while (*s == '-')
1536 s++;
1538 (*new)->key = tor_strdup(expand_abbrev(&options_format, s, 1, 1));
1539 (*new)->value = tor_strdup(argv[i+1]);
1540 (*new)->next = NULL;
1541 log(LOG_DEBUG, LD_CONFIG, "command line: parsed keyword '%s', value '%s'",
1542 (*new)->key, (*new)->value);
1544 new = &((*new)->next);
1545 i += 2;
1547 *result = front;
1548 return 0;
1551 /** Helper: allocate a new configuration option mapping 'key' to 'val',
1552 * append it to *<b>lst</b>. */
1553 static void
1554 config_line_append(config_line_t **lst,
1555 const char *key,
1556 const char *val)
1558 config_line_t *newline;
1560 newline = tor_malloc(sizeof(config_line_t));
1561 newline->key = tor_strdup(key);
1562 newline->value = tor_strdup(val);
1563 newline->next = NULL;
1564 while (*lst)
1565 lst = &((*lst)->next);
1567 (*lst) = newline;
1570 /** Helper: parse the config string and strdup into key/value
1571 * strings. Set *result to the list, or NULL if parsing the string
1572 * failed. Return 0 on success, -1 on failure. Warn and ignore any
1573 * misformatted lines. */
1575 config_get_lines(const char *string, config_line_t **result)
1577 config_line_t *list = NULL, **next;
1578 char *k, *v;
1580 next = &list;
1581 do {
1582 k = v = NULL;
1583 string = parse_config_line_from_str(string, &k, &v);
1584 if (!string) {
1585 config_free_lines(list);
1586 tor_free(k);
1587 tor_free(v);
1588 return -1;
1590 if (k && v) {
1591 /* This list can get long, so we keep a pointer to the end of it
1592 * rather than using config_line_append over and over and getting
1593 * n^2 performance. */
1594 *next = tor_malloc(sizeof(config_line_t));
1595 (*next)->key = k;
1596 (*next)->value = v;
1597 (*next)->next = NULL;
1598 next = &((*next)->next);
1599 } else {
1600 tor_free(k);
1601 tor_free(v);
1603 } while (*string);
1605 *result = list;
1606 return 0;
1610 * Free all the configuration lines on the linked list <b>front</b>.
1612 void
1613 config_free_lines(config_line_t *front)
1615 config_line_t *tmp;
1617 while (front) {
1618 tmp = front;
1619 front = tmp->next;
1621 tor_free(tmp->key);
1622 tor_free(tmp->value);
1623 tor_free(tmp);
1627 /** Return the description for a given configuration variable, or NULL if no
1628 * description exists. */
1629 static const char *
1630 config_find_description(config_format_t *fmt, const char *name)
1632 int i;
1633 for (i=0; fmt->descriptions[i].name; ++i) {
1634 if (!strcasecmp(name, fmt->descriptions[i].name))
1635 return fmt->descriptions[i].description;
1637 return NULL;
1640 /** If <b>key</b> is a configuration option, return the corresponding
1641 * config_var_t. Otherwise, if <b>key</b> is a non-standard abbreviation,
1642 * warn, and return the corresponding config_var_t. Otherwise return NULL.
1644 static config_var_t *
1645 config_find_option(config_format_t *fmt, const char *key)
1647 int i;
1648 size_t keylen = strlen(key);
1649 if (!keylen)
1650 return NULL; /* if they say "--" on the command line, it's not an option */
1651 /* First, check for an exact (case-insensitive) match */
1652 for (i=0; fmt->vars[i].name; ++i) {
1653 if (!strcasecmp(key, fmt->vars[i].name)) {
1654 return &fmt->vars[i];
1657 /* If none, check for an abbreviated match */
1658 for (i=0; fmt->vars[i].name; ++i) {
1659 if (!strncasecmp(key, fmt->vars[i].name, keylen)) {
1660 log_warn(LD_CONFIG, "The abbreviation '%s' is deprecated. "
1661 "Please use '%s' instead",
1662 key, fmt->vars[i].name);
1663 return &fmt->vars[i];
1666 /* Okay, unrecognized option */
1667 return NULL;
1671 * Functions to assign config options.
1674 /** <b>c</b>-\>key is known to be a real key. Update <b>options</b>
1675 * with <b>c</b>-\>value and return 0, or return -1 if bad value.
1677 * Called from config_assign_line() and option_reset().
1679 static int
1680 config_assign_value(config_format_t *fmt, or_options_t *options,
1681 config_line_t *c, char **msg)
1683 int i, r, ok;
1684 char buf[1024];
1685 config_var_t *var;
1686 void *lvalue;
1688 CHECK(fmt, options);
1690 var = config_find_option(fmt, c->key);
1691 tor_assert(var);
1693 lvalue = STRUCT_VAR_P(options, var->var_offset);
1695 switch (var->type) {
1697 case CONFIG_TYPE_UINT:
1698 i = (int)tor_parse_long(c->value, 10, 0, INT_MAX, &ok, NULL);
1699 if (!ok) {
1700 r = tor_snprintf(buf, sizeof(buf),
1701 "Int keyword '%s %s' is malformed or out of bounds.",
1702 c->key, c->value);
1703 *msg = tor_strdup(r >= 0 ? buf : "internal error");
1704 return -1;
1706 *(int *)lvalue = i;
1707 break;
1709 case CONFIG_TYPE_INTERVAL: {
1710 i = config_parse_interval(c->value, &ok);
1711 if (!ok) {
1712 r = tor_snprintf(buf, sizeof(buf),
1713 "Interval '%s %s' is malformed or out of bounds.",
1714 c->key, c->value);
1715 *msg = tor_strdup(r >= 0 ? buf : "internal error");
1716 return -1;
1718 *(int *)lvalue = i;
1719 break;
1722 case CONFIG_TYPE_MEMUNIT: {
1723 uint64_t u64 = config_parse_memunit(c->value, &ok);
1724 if (!ok) {
1725 r = tor_snprintf(buf, sizeof(buf),
1726 "Value '%s %s' is malformed or out of bounds.",
1727 c->key, c->value);
1728 *msg = tor_strdup(r >= 0 ? buf : "internal error");
1729 return -1;
1731 *(uint64_t *)lvalue = u64;
1732 break;
1735 case CONFIG_TYPE_BOOL:
1736 i = (int)tor_parse_long(c->value, 10, 0, 1, &ok, NULL);
1737 if (!ok) {
1738 r = tor_snprintf(buf, sizeof(buf),
1739 "Boolean '%s %s' expects 0 or 1.",
1740 c->key, c->value);
1741 *msg = tor_strdup(r >= 0 ? buf : "internal error");
1742 return -1;
1744 *(int *)lvalue = i;
1745 break;
1747 case CONFIG_TYPE_STRING:
1748 case CONFIG_TYPE_FILENAME:
1749 tor_free(*(char **)lvalue);
1750 *(char **)lvalue = tor_strdup(c->value);
1751 break;
1753 case CONFIG_TYPE_DOUBLE:
1754 *(double *)lvalue = atof(c->value);
1755 break;
1757 case CONFIG_TYPE_ISOTIME:
1758 if (parse_iso_time(c->value, (time_t *)lvalue)) {
1759 r = tor_snprintf(buf, sizeof(buf),
1760 "Invalid time '%s' for keyword '%s'", c->value, c->key);
1761 *msg = tor_strdup(r >= 0 ? buf : "internal error");
1762 return -1;
1764 break;
1766 case CONFIG_TYPE_ROUTERSET:
1767 if (*(routerset_t**)lvalue) {
1768 routerset_free(*(routerset_t**)lvalue);
1770 *(routerset_t**)lvalue = routerset_new();
1771 if (routerset_parse(*(routerset_t**)lvalue, c->value, c->key)<0) {
1772 tor_snprintf(buf, sizeof(buf), "Invalid exit list '%s' for option '%s'",
1773 c->value, c->key);
1774 *msg = tor_strdup(buf);
1775 return -1;
1777 break;
1779 case CONFIG_TYPE_CSV:
1780 if (*(smartlist_t**)lvalue) {
1781 SMARTLIST_FOREACH(*(smartlist_t**)lvalue, char *, cp, tor_free(cp));
1782 smartlist_clear(*(smartlist_t**)lvalue);
1783 } else {
1784 *(smartlist_t**)lvalue = smartlist_create();
1787 smartlist_split_string(*(smartlist_t**)lvalue, c->value, ",",
1788 SPLIT_SKIP_SPACE|SPLIT_IGNORE_BLANK, 0);
1789 break;
1791 case CONFIG_TYPE_LINELIST:
1792 case CONFIG_TYPE_LINELIST_S:
1793 config_line_append((config_line_t**)lvalue, c->key, c->value);
1794 break;
1795 case CONFIG_TYPE_OBSOLETE:
1796 log_warn(LD_CONFIG, "Skipping obsolete configuration option '%s'", c->key);
1797 break;
1798 case CONFIG_TYPE_LINELIST_V:
1799 r = tor_snprintf(buf, sizeof(buf),
1800 "You may not provide a value for virtual option '%s'", c->key);
1801 *msg = tor_strdup(r >= 0 ? buf : "internal error");
1802 return -1;
1803 default:
1804 tor_assert(0);
1805 break;
1807 return 0;
1810 /** If <b>c</b> is a syntactically valid configuration line, update
1811 * <b>options</b> with its value and return 0. Otherwise return -1 for bad
1812 * key, -2 for bad value.
1814 * If <b>clear_first</b> is set, clear the value first. Then if
1815 * <b>use_defaults</b> is set, set the value to the default.
1817 * Called from config_assign().
1819 static int
1820 config_assign_line(config_format_t *fmt, or_options_t *options,
1821 config_line_t *c, int use_defaults,
1822 int clear_first, char **msg)
1824 config_var_t *var;
1826 CHECK(fmt, options);
1828 var = config_find_option(fmt, c->key);
1829 if (!var) {
1830 if (fmt->extra) {
1831 void *lvalue = STRUCT_VAR_P(options, fmt->extra->var_offset);
1832 log_info(LD_CONFIG,
1833 "Found unrecognized option '%s'; saving it.", c->key);
1834 config_line_append((config_line_t**)lvalue, c->key, c->value);
1835 return 0;
1836 } else {
1837 char buf[1024];
1838 int tmp = tor_snprintf(buf, sizeof(buf),
1839 "Unknown option '%s'. Failing.", c->key);
1840 *msg = tor_strdup(tmp >= 0 ? buf : "internal error");
1841 return -1;
1844 /* Put keyword into canonical case. */
1845 if (strcmp(var->name, c->key)) {
1846 tor_free(c->key);
1847 c->key = tor_strdup(var->name);
1850 if (!strlen(c->value)) {
1851 /* reset or clear it, then return */
1852 if (!clear_first) {
1853 if (var->type == CONFIG_TYPE_LINELIST ||
1854 var->type == CONFIG_TYPE_LINELIST_S) {
1855 /* We got an empty linelist from the torrc or command line.
1856 As a special case, call this an error. Warn and ignore. */
1857 log_warn(LD_CONFIG,
1858 "Linelist option '%s' has no value. Skipping.", c->key);
1859 } else { /* not already cleared */
1860 option_reset(fmt, options, var, use_defaults);
1863 return 0;
1866 if (config_assign_value(fmt, options, c, msg) < 0)
1867 return -2;
1868 return 0;
1871 /** Restore the option named <b>key</b> in options to its default value.
1872 * Called from config_assign(). */
1873 static void
1874 config_reset_line(config_format_t *fmt, or_options_t *options,
1875 const char *key, int use_defaults)
1877 config_var_t *var;
1879 CHECK(fmt, options);
1881 var = config_find_option(fmt, key);
1882 if (!var)
1883 return; /* give error on next pass. */
1885 option_reset(fmt, options, var, use_defaults);
1888 /** Return true iff key is a valid configuration option. */
1890 option_is_recognized(const char *key)
1892 config_var_t *var = config_find_option(&options_format, key);
1893 return (var != NULL);
1896 /** Return the canonical name of a configuration option, or NULL
1897 * if no such option exists. */
1898 const char *
1899 option_get_canonical_name(const char *key)
1901 config_var_t *var = config_find_option(&options_format, key);
1902 return var ? var->name : NULL;
1905 /** Return a canonical list of the options assigned for key.
1907 config_line_t *
1908 option_get_assignment(or_options_t *options, const char *key)
1910 return get_assigned_option(&options_format, options, key, 1);
1913 /** Return true iff value needs to be quoted and escaped to be used in
1914 * a configuration file. */
1915 static int
1916 config_value_needs_escape(const char *value)
1918 if (*value == '\"')
1919 return 1;
1920 while (*value) {
1921 switch (*value)
1923 case '\r':
1924 case '\n':
1925 case '#':
1926 /* Note: quotes and backspaces need special handling when we are using
1927 * quotes, not otherwise, so they don't trigger escaping on their
1928 * own. */
1929 return 1;
1930 default:
1931 if (!TOR_ISPRINT(*value))
1932 return 1;
1934 ++value;
1936 return 0;
1939 /** Return a newly allocated deep copy of the lines in <b>inp</b>. */
1940 static config_line_t *
1941 config_lines_dup(const config_line_t *inp)
1943 config_line_t *result = NULL;
1944 config_line_t **next_out = &result;
1945 while (inp) {
1946 *next_out = tor_malloc(sizeof(config_line_t));
1947 (*next_out)->key = tor_strdup(inp->key);
1948 (*next_out)->value = tor_strdup(inp->value);
1949 inp = inp->next;
1950 next_out = &((*next_out)->next);
1952 (*next_out) = NULL;
1953 return result;
1956 /** Return newly allocated line or lines corresponding to <b>key</b> in the
1957 * configuration <b>options</b>. If <b>escape_val</b> is true and a
1958 * value needs to be quoted before it's put in a config file, quote and
1959 * escape that value. Return NULL if no such key exists. */
1960 static config_line_t *
1961 get_assigned_option(config_format_t *fmt, void *options,
1962 const char *key, int escape_val)
1964 config_var_t *var;
1965 const void *value;
1966 char buf[32];
1967 config_line_t *result;
1968 tor_assert(options && key);
1970 CHECK(fmt, options);
1972 var = config_find_option(fmt, key);
1973 if (!var) {
1974 log_warn(LD_CONFIG, "Unknown option '%s'. Failing.", key);
1975 return NULL;
1977 value = STRUCT_VAR_P(options, var->var_offset);
1979 result = tor_malloc_zero(sizeof(config_line_t));
1980 result->key = tor_strdup(var->name);
1981 switch (var->type)
1983 case CONFIG_TYPE_STRING:
1984 case CONFIG_TYPE_FILENAME:
1985 if (*(char**)value) {
1986 result->value = tor_strdup(*(char**)value);
1987 } else {
1988 tor_free(result->key);
1989 tor_free(result);
1990 return NULL;
1992 break;
1993 case CONFIG_TYPE_ISOTIME:
1994 if (*(time_t*)value) {
1995 result->value = tor_malloc(ISO_TIME_LEN+1);
1996 format_iso_time(result->value, *(time_t*)value);
1997 } else {
1998 tor_free(result->key);
1999 tor_free(result);
2001 escape_val = 0; /* Can't need escape. */
2002 break;
2003 case CONFIG_TYPE_INTERVAL:
2004 case CONFIG_TYPE_UINT:
2005 /* This means every or_options_t uint or bool element
2006 * needs to be an int. Not, say, a uint16_t or char. */
2007 tor_snprintf(buf, sizeof(buf), "%d", *(int*)value);
2008 result->value = tor_strdup(buf);
2009 escape_val = 0; /* Can't need escape. */
2010 break;
2011 case CONFIG_TYPE_MEMUNIT:
2012 tor_snprintf(buf, sizeof(buf), U64_FORMAT,
2013 U64_PRINTF_ARG(*(uint64_t*)value));
2014 result->value = tor_strdup(buf);
2015 escape_val = 0; /* Can't need escape. */
2016 break;
2017 case CONFIG_TYPE_DOUBLE:
2018 tor_snprintf(buf, sizeof(buf), "%f", *(double*)value);
2019 result->value = tor_strdup(buf);
2020 escape_val = 0; /* Can't need escape. */
2021 break;
2022 case CONFIG_TYPE_BOOL:
2023 result->value = tor_strdup(*(int*)value ? "1" : "0");
2024 escape_val = 0; /* Can't need escape. */
2025 break;
2026 case CONFIG_TYPE_ROUTERSET:
2027 result->value = routerset_to_string(*(routerset_t**)value);
2028 break;
2029 case CONFIG_TYPE_CSV:
2030 if (*(smartlist_t**)value)
2031 result->value =
2032 smartlist_join_strings(*(smartlist_t**)value, ",", 0, NULL);
2033 else
2034 result->value = tor_strdup("");
2035 break;
2036 case CONFIG_TYPE_OBSOLETE:
2037 log_fn(LOG_PROTOCOL_WARN, LD_CONFIG,
2038 "You asked me for the value of an obsolete config option '%s'.",
2039 key);
2040 tor_free(result->key);
2041 tor_free(result);
2042 return NULL;
2043 case CONFIG_TYPE_LINELIST_S:
2044 log_warn(LD_CONFIG,
2045 "Can't return context-sensitive '%s' on its own", key);
2046 tor_free(result->key);
2047 tor_free(result);
2048 return NULL;
2049 case CONFIG_TYPE_LINELIST:
2050 case CONFIG_TYPE_LINELIST_V:
2051 tor_free(result->key);
2052 tor_free(result);
2053 result = config_lines_dup(*(const config_line_t**)value);
2054 break;
2055 default:
2056 tor_free(result->key);
2057 tor_free(result);
2058 log_warn(LD_BUG,"Unknown type %d for known key '%s'",
2059 var->type, key);
2060 return NULL;
2063 if (escape_val) {
2064 config_line_t *line;
2065 for (line = result; line; line = line->next) {
2066 if (line->value && config_value_needs_escape(line->value)) {
2067 char *newval = esc_for_log(line->value);
2068 tor_free(line->value);
2069 line->value = newval;
2074 return result;
2077 /** Iterate through the linked list of requested options <b>list</b>.
2078 * For each item, convert as appropriate and assign to <b>options</b>.
2079 * If an item is unrecognized, set *msg and return -1 immediately,
2080 * else return 0 for success.
2082 * If <b>clear_first</b>, interpret config options as replacing (not
2083 * extending) their previous values. If <b>clear_first</b> is set,
2084 * then <b>use_defaults</b> to decide if you set to defaults after
2085 * clearing, or make the value 0 or NULL.
2087 * Here are the use cases:
2088 * 1. A non-empty AllowInvalid line in your torrc. Appends to current
2089 * if linelist, replaces current if csv.
2090 * 2. An empty AllowInvalid line in your torrc. Should clear it.
2091 * 3. "RESETCONF AllowInvalid" sets it to default.
2092 * 4. "SETCONF AllowInvalid" makes it NULL.
2093 * 5. "SETCONF AllowInvalid=foo" clears it and sets it to "foo".
2095 * Use_defaults Clear_first
2096 * 0 0 "append"
2097 * 1 0 undefined, don't use
2098 * 0 1 "set to null first"
2099 * 1 1 "set to defaults first"
2100 * Return 0 on success, -1 on bad key, -2 on bad value.
2102 * As an additional special case, if a LINELIST config option has
2103 * no value and clear_first is 0, then warn and ignore it.
2107 There are three call cases for config_assign() currently.
2109 Case one: Torrc entry
2110 options_init_from_torrc() calls config_assign(0, 0)
2111 calls config_assign_line(0, 0).
2112 if value is empty, calls option_reset(0) and returns.
2113 calls config_assign_value(), appends.
2115 Case two: setconf
2116 options_trial_assign() calls config_assign(0, 1)
2117 calls config_reset_line(0)
2118 calls option_reset(0)
2119 calls option_clear().
2120 calls config_assign_line(0, 1).
2121 if value is empty, returns.
2122 calls config_assign_value(), appends.
2124 Case three: resetconf
2125 options_trial_assign() calls config_assign(1, 1)
2126 calls config_reset_line(1)
2127 calls option_reset(1)
2128 calls option_clear().
2129 calls config_assign_value(default)
2130 calls config_assign_line(1, 1).
2131 returns.
2133 static int
2134 config_assign(config_format_t *fmt, void *options, config_line_t *list,
2135 int use_defaults, int clear_first, char **msg)
2137 config_line_t *p;
2139 CHECK(fmt, options);
2141 /* pass 1: normalize keys */
2142 for (p = list; p; p = p->next) {
2143 const char *full = expand_abbrev(fmt, p->key, 0, 1);
2144 if (strcmp(full,p->key)) {
2145 tor_free(p->key);
2146 p->key = tor_strdup(full);
2150 /* pass 2: if we're reading from a resetting source, clear all
2151 * mentioned config options, and maybe set to their defaults. */
2152 if (clear_first) {
2153 for (p = list; p; p = p->next)
2154 config_reset_line(fmt, options, p->key, use_defaults);
2157 /* pass 3: assign. */
2158 while (list) {
2159 int r;
2160 if ((r=config_assign_line(fmt, options, list, use_defaults,
2161 clear_first, msg)))
2162 return r;
2163 list = list->next;
2165 return 0;
2168 /** Try assigning <b>list</b> to the global options. You do this by duping
2169 * options, assigning list to the new one, then validating it. If it's
2170 * ok, then throw out the old one and stick with the new one. Else,
2171 * revert to old and return failure. Return SETOPT_OK on success, or
2172 * a setopt_err_t on failure.
2174 * If not success, point *<b>msg</b> to a newly allocated string describing
2175 * what went wrong.
2177 setopt_err_t
2178 options_trial_assign(config_line_t *list, int use_defaults,
2179 int clear_first, char **msg)
2181 int r;
2182 or_options_t *trial_options = options_dup(&options_format, get_options());
2184 if ((r=config_assign(&options_format, trial_options,
2185 list, use_defaults, clear_first, msg)) < 0) {
2186 config_free(&options_format, trial_options);
2187 return r;
2190 if (options_validate(get_options(), trial_options, 1, msg) < 0) {
2191 config_free(&options_format, trial_options);
2192 return SETOPT_ERR_PARSE; /*XXX make this a separate return value. */
2195 if (options_transition_allowed(get_options(), trial_options, msg) < 0) {
2196 config_free(&options_format, trial_options);
2197 return SETOPT_ERR_TRANSITION;
2200 if (set_options(trial_options, msg)<0) {
2201 config_free(&options_format, trial_options);
2202 return SETOPT_ERR_SETTING;
2205 /* we liked it. put it in place. */
2206 return SETOPT_OK;
2209 /** Reset config option <b>var</b> to 0, 0.0, NULL, or the equivalent.
2210 * Called from option_reset() and config_free(). */
2211 static void
2212 option_clear(config_format_t *fmt, or_options_t *options, config_var_t *var)
2214 void *lvalue = STRUCT_VAR_P(options, var->var_offset);
2215 (void)fmt; /* unused */
2216 switch (var->type) {
2217 case CONFIG_TYPE_STRING:
2218 case CONFIG_TYPE_FILENAME:
2219 tor_free(*(char**)lvalue);
2220 break;
2221 case CONFIG_TYPE_DOUBLE:
2222 *(double*)lvalue = 0.0;
2223 break;
2224 case CONFIG_TYPE_ISOTIME:
2225 *(time_t*)lvalue = 0;
2226 case CONFIG_TYPE_INTERVAL:
2227 case CONFIG_TYPE_UINT:
2228 case CONFIG_TYPE_BOOL:
2229 *(int*)lvalue = 0;
2230 break;
2231 case CONFIG_TYPE_MEMUNIT:
2232 *(uint64_t*)lvalue = 0;
2233 break;
2234 case CONFIG_TYPE_ROUTERSET:
2235 if (*(routerset_t**)lvalue) {
2236 routerset_free(*(routerset_t**)lvalue);
2237 *(routerset_t**)lvalue = NULL;
2239 case CONFIG_TYPE_CSV:
2240 if (*(smartlist_t**)lvalue) {
2241 SMARTLIST_FOREACH(*(smartlist_t **)lvalue, char *, cp, tor_free(cp));
2242 smartlist_free(*(smartlist_t **)lvalue);
2243 *(smartlist_t **)lvalue = NULL;
2245 break;
2246 case CONFIG_TYPE_LINELIST:
2247 case CONFIG_TYPE_LINELIST_S:
2248 config_free_lines(*(config_line_t **)lvalue);
2249 *(config_line_t **)lvalue = NULL;
2250 break;
2251 case CONFIG_TYPE_LINELIST_V:
2252 /* handled by linelist_s. */
2253 break;
2254 case CONFIG_TYPE_OBSOLETE:
2255 break;
2259 /** Clear the option indexed by <b>var</b> in <b>options</b>. Then if
2260 * <b>use_defaults</b>, set it to its default value.
2261 * Called by config_init() and option_reset_line() and option_assign_line(). */
2262 static void
2263 option_reset(config_format_t *fmt, or_options_t *options,
2264 config_var_t *var, int use_defaults)
2266 config_line_t *c;
2267 char *msg = NULL;
2268 CHECK(fmt, options);
2269 option_clear(fmt, options, var); /* clear it first */
2270 if (!use_defaults)
2271 return; /* all done */
2272 if (var->initvalue) {
2273 c = tor_malloc_zero(sizeof(config_line_t));
2274 c->key = tor_strdup(var->name);
2275 c->value = tor_strdup(var->initvalue);
2276 if (config_assign_value(fmt, options, c, &msg) < 0) {
2277 log_warn(LD_BUG, "Failed to assign default: %s", msg);
2278 tor_free(msg); /* if this happens it's a bug */
2280 config_free_lines(c);
2284 /** Print a usage message for tor. */
2285 static void
2286 print_usage(void)
2288 printf(
2289 "Copyright (c) 2001-2004, Roger Dingledine\n"
2290 "Copyright (c) 2004-2006, Roger Dingledine, Nick Mathewson\n"
2291 "Copyright (c) 2007-2009, The Tor Project, Inc.\n\n"
2292 "tor -f <torrc> [args]\n"
2293 "See man page for options, or https://www.torproject.org/ for "
2294 "documentation.\n");
2297 /** Print all non-obsolete torrc options. */
2298 static void
2299 list_torrc_options(void)
2301 int i;
2302 smartlist_t *lines = smartlist_create();
2303 for (i = 0; _option_vars[i].name; ++i) {
2304 config_var_t *var = &_option_vars[i];
2305 const char *desc;
2306 if (var->type == CONFIG_TYPE_OBSOLETE ||
2307 var->type == CONFIG_TYPE_LINELIST_V)
2308 continue;
2309 desc = config_find_description(&options_format, var->name);
2310 printf("%s\n", var->name);
2311 if (desc) {
2312 wrap_string(lines, desc, 76, " ", " ");
2313 SMARTLIST_FOREACH(lines, char *, cp, {
2314 printf("%s", cp);
2315 tor_free(cp);
2317 smartlist_clear(lines);
2320 smartlist_free(lines);
2323 /** Last value actually set by resolve_my_address. */
2324 static uint32_t last_resolved_addr = 0;
2326 * Based on <b>options-\>Address</b>, guess our public IP address and put it
2327 * (in host order) into *<b>addr_out</b>. If <b>hostname_out</b> is provided,
2328 * set *<b>hostname_out</b> to a new string holding the hostname we used to
2329 * get the address. Return 0 if all is well, or -1 if we can't find a suitable
2330 * public IP address.
2333 resolve_my_address(int warn_severity, or_options_t *options,
2334 uint32_t *addr_out, char **hostname_out)
2336 struct in_addr in;
2337 struct hostent *rent;
2338 char hostname[256];
2339 int explicit_ip=1;
2340 int explicit_hostname=1;
2341 int from_interface=0;
2342 char tmpbuf[INET_NTOA_BUF_LEN];
2343 const char *address = options->Address;
2344 int notice_severity = warn_severity <= LOG_NOTICE ?
2345 LOG_NOTICE : warn_severity;
2347 tor_assert(addr_out);
2349 if (address && *address) {
2350 strlcpy(hostname, address, sizeof(hostname));
2351 } else { /* then we need to guess our address */
2352 explicit_ip = 0; /* it's implicit */
2353 explicit_hostname = 0; /* it's implicit */
2355 if (gethostname(hostname, sizeof(hostname)) < 0) {
2356 log_fn(warn_severity, LD_NET,"Error obtaining local hostname");
2357 return -1;
2359 log_debug(LD_CONFIG,"Guessed local host name as '%s'",hostname);
2362 /* now we know hostname. resolve it and keep only the IP address */
2364 if (tor_inet_aton(hostname, &in) == 0) {
2365 /* then we have to resolve it */
2366 explicit_ip = 0;
2367 rent = (struct hostent *)gethostbyname(hostname);
2368 if (!rent) {
2369 uint32_t interface_ip;
2371 if (explicit_hostname) {
2372 log_fn(warn_severity, LD_CONFIG,
2373 "Could not resolve local Address '%s'. Failing.", hostname);
2374 return -1;
2376 log_fn(notice_severity, LD_CONFIG,
2377 "Could not resolve guessed local hostname '%s'. "
2378 "Trying something else.", hostname);
2379 if (get_interface_address(warn_severity, &interface_ip)) {
2380 log_fn(warn_severity, LD_CONFIG,
2381 "Could not get local interface IP address. Failing.");
2382 return -1;
2384 from_interface = 1;
2385 in.s_addr = htonl(interface_ip);
2386 tor_inet_ntoa(&in,tmpbuf,sizeof(tmpbuf));
2387 log_fn(notice_severity, LD_CONFIG, "Learned IP address '%s' for "
2388 "local interface. Using that.", tmpbuf);
2389 strlcpy(hostname, "<guessed from interfaces>", sizeof(hostname));
2390 } else {
2391 tor_assert(rent->h_length == 4);
2392 memcpy(&in.s_addr, rent->h_addr, rent->h_length);
2394 if (!explicit_hostname &&
2395 is_internal_IP(ntohl(in.s_addr), 0)) {
2396 uint32_t interface_ip;
2398 tor_inet_ntoa(&in,tmpbuf,sizeof(tmpbuf));
2399 log_fn(notice_severity, LD_CONFIG, "Guessed local hostname '%s' "
2400 "resolves to a private IP address (%s). Trying something "
2401 "else.", hostname, tmpbuf);
2403 if (get_interface_address(warn_severity, &interface_ip)) {
2404 log_fn(warn_severity, LD_CONFIG,
2405 "Could not get local interface IP address. Too bad.");
2406 } else if (is_internal_IP(interface_ip, 0)) {
2407 struct in_addr in2;
2408 in2.s_addr = htonl(interface_ip);
2409 tor_inet_ntoa(&in2,tmpbuf,sizeof(tmpbuf));
2410 log_fn(notice_severity, LD_CONFIG,
2411 "Interface IP address '%s' is a private address too. "
2412 "Ignoring.", tmpbuf);
2413 } else {
2414 from_interface = 1;
2415 in.s_addr = htonl(interface_ip);
2416 tor_inet_ntoa(&in,tmpbuf,sizeof(tmpbuf));
2417 log_fn(notice_severity, LD_CONFIG,
2418 "Learned IP address '%s' for local interface."
2419 " Using that.", tmpbuf);
2420 strlcpy(hostname, "<guessed from interfaces>", sizeof(hostname));
2426 tor_inet_ntoa(&in,tmpbuf,sizeof(tmpbuf));
2427 if (is_internal_IP(ntohl(in.s_addr), 0) &&
2428 options->_PublishServerDescriptor) {
2429 /* make sure we're ok with publishing an internal IP */
2430 if (!options->DirServers && !options->AlternateDirAuthority) {
2431 /* if they are using the default dirservers, disallow internal IPs
2432 * always. */
2433 log_fn(warn_severity, LD_CONFIG,
2434 "Address '%s' resolves to private IP address '%s'. "
2435 "Tor servers that use the default DirServers must have public "
2436 "IP addresses.", hostname, tmpbuf);
2437 return -1;
2439 if (!explicit_ip) {
2440 /* even if they've set their own dirservers, require an explicit IP if
2441 * they're using an internal address. */
2442 log_fn(warn_severity, LD_CONFIG, "Address '%s' resolves to private "
2443 "IP address '%s'. Please set the Address config option to be "
2444 "the IP address you want to use.", hostname, tmpbuf);
2445 return -1;
2449 log_debug(LD_CONFIG, "Resolved Address to '%s'.", tmpbuf);
2450 *addr_out = ntohl(in.s_addr);
2451 if (last_resolved_addr && last_resolved_addr != *addr_out) {
2452 /* Leave this as a notice, regardless of the requested severity,
2453 * at least until dynamic IP address support becomes bulletproof. */
2454 log_notice(LD_NET,
2455 "Your IP address seems to have changed to %s. Updating.",
2456 tmpbuf);
2457 ip_address_changed(0);
2459 if (last_resolved_addr != *addr_out) {
2460 const char *method;
2461 const char *h = hostname;
2462 if (explicit_ip) {
2463 method = "CONFIGURED";
2464 h = NULL;
2465 } else if (explicit_hostname) {
2466 method = "RESOLVED";
2467 } else if (from_interface) {
2468 method = "INTERFACE";
2469 h = NULL;
2470 } else {
2471 method = "GETHOSTNAME";
2473 control_event_server_status(LOG_NOTICE,
2474 "EXTERNAL_ADDRESS ADDRESS=%s METHOD=%s %s%s",
2475 tmpbuf, method, h?"HOSTNAME=":"", h);
2477 last_resolved_addr = *addr_out;
2478 if (hostname_out)
2479 *hostname_out = tor_strdup(hostname);
2480 return 0;
2483 /** Return true iff <b>addr</b> is judged to be on the same network as us, or
2484 * on a private network.
2487 is_local_addr(const tor_addr_t *addr)
2489 if (tor_addr_is_internal(addr, 0))
2490 return 1;
2491 /* Check whether ip is on the same /24 as we are. */
2492 if (get_options()->EnforceDistinctSubnets == 0)
2493 return 0;
2494 if (tor_addr_family(addr) == AF_INET) {
2495 /*XXXX022 IP6 what corresponds to an /24? */
2496 uint32_t ip = tor_addr_to_ipv4h(addr);
2498 /* It's possible that this next check will hit before the first time
2499 * resolve_my_address actually succeeds. (For clients, it is likely that
2500 * resolve_my_address will never be called at all). In those cases,
2501 * last_resolved_addr will be 0, and so checking to see whether ip is on
2502 * the same /24 as last_resolved_addr will be the same as checking whether
2503 * it was on net 0, which is already done by is_internal_IP.
2505 if ((last_resolved_addr & 0xffffff00ul) == (ip & 0xffffff00ul))
2506 return 1;
2508 return 0;
2511 /** Called when we don't have a nickname set. Try to guess a good nickname
2512 * based on the hostname, and return it in a newly allocated string. If we
2513 * can't, return NULL and let the caller warn if it wants to. */
2514 static char *
2515 get_default_nickname(void)
2517 static const char * const bad_default_nicknames[] = {
2518 "localhost",
2519 NULL,
2521 char localhostname[256];
2522 char *cp, *out, *outp;
2523 int i;
2525 if (gethostname(localhostname, sizeof(localhostname)) < 0)
2526 return NULL;
2528 /* Put it in lowercase; stop at the first dot. */
2529 if ((cp = strchr(localhostname, '.')))
2530 *cp = '\0';
2531 tor_strlower(localhostname);
2533 /* Strip invalid characters. */
2534 cp = localhostname;
2535 out = outp = tor_malloc(strlen(localhostname) + 1);
2536 while (*cp) {
2537 if (strchr(LEGAL_NICKNAME_CHARACTERS, *cp))
2538 *outp++ = *cp++;
2539 else
2540 cp++;
2542 *outp = '\0';
2544 /* Enforce length. */
2545 if (strlen(out) > MAX_NICKNAME_LEN)
2546 out[MAX_NICKNAME_LEN]='\0';
2548 /* Check for dumb names. */
2549 for (i = 0; bad_default_nicknames[i]; ++i) {
2550 if (!strcmp(out, bad_default_nicknames[i])) {
2551 tor_free(out);
2552 return NULL;
2556 return out;
2559 /** Release storage held by <b>options</b>. */
2560 static void
2561 config_free(config_format_t *fmt, void *options)
2563 int i;
2565 tor_assert(options);
2567 for (i=0; fmt->vars[i].name; ++i)
2568 option_clear(fmt, options, &(fmt->vars[i]));
2569 if (fmt->extra) {
2570 config_line_t **linep = STRUCT_VAR_P(options, fmt->extra->var_offset);
2571 config_free_lines(*linep);
2572 *linep = NULL;
2574 tor_free(options);
2577 /** Return true iff a and b contain identical keys and values in identical
2578 * order. */
2579 static int
2580 config_lines_eq(config_line_t *a, config_line_t *b)
2582 while (a && b) {
2583 if (strcasecmp(a->key, b->key) || strcmp(a->value, b->value))
2584 return 0;
2585 a = a->next;
2586 b = b->next;
2588 if (a || b)
2589 return 0;
2590 return 1;
2593 /** Return true iff the option <b>name</b> has the same value in <b>o1</b>
2594 * and <b>o2</b>. Must not be called for LINELIST_S or OBSOLETE options.
2596 static int
2597 option_is_same(config_format_t *fmt,
2598 or_options_t *o1, or_options_t *o2, const char *name)
2600 config_line_t *c1, *c2;
2601 int r = 1;
2602 CHECK(fmt, o1);
2603 CHECK(fmt, o2);
2605 c1 = get_assigned_option(fmt, o1, name, 0);
2606 c2 = get_assigned_option(fmt, o2, name, 0);
2607 r = config_lines_eq(c1, c2);
2608 config_free_lines(c1);
2609 config_free_lines(c2);
2610 return r;
2613 /** Copy storage held by <b>old</b> into a new or_options_t and return it. */
2614 static or_options_t *
2615 options_dup(config_format_t *fmt, or_options_t *old)
2617 or_options_t *newopts;
2618 int i;
2619 config_line_t *line;
2621 newopts = config_alloc(fmt);
2622 for (i=0; fmt->vars[i].name; ++i) {
2623 if (fmt->vars[i].type == CONFIG_TYPE_LINELIST_S)
2624 continue;
2625 if (fmt->vars[i].type == CONFIG_TYPE_OBSOLETE)
2626 continue;
2627 line = get_assigned_option(fmt, old, fmt->vars[i].name, 0);
2628 if (line) {
2629 char *msg = NULL;
2630 if (config_assign(fmt, newopts, line, 0, 0, &msg) < 0) {
2631 log_err(LD_BUG, "Config_get_assigned_option() generated "
2632 "something we couldn't config_assign(): %s", msg);
2633 tor_free(msg);
2634 tor_assert(0);
2637 config_free_lines(line);
2639 return newopts;
2642 /** Return a new empty or_options_t. Used for testing. */
2643 or_options_t *
2644 options_new(void)
2646 return config_alloc(&options_format);
2649 /** Set <b>options</b> to hold reasonable defaults for most options.
2650 * Each option defaults to zero. */
2651 void
2652 options_init(or_options_t *options)
2654 config_init(&options_format, options);
2657 /* Check if the port number given in <b>port_option</b> in combination with
2658 * the specified port in <b>listen_options</b> will result in Tor actually
2659 * opening a low port (meaning a port lower than 1024). Return 1 if
2660 * it is, or 0 if it isn't or the concept of a low port isn't applicable for
2661 * the platform we're on. */
2662 static int
2663 is_listening_on_low_port(uint16_t port_option,
2664 const config_line_t *listen_options)
2666 #ifdef MS_WINDOWS
2667 return 0; /* No port is too low for windows. */
2668 #else
2669 const config_line_t *l;
2670 uint16_t p;
2671 if (port_option == 0)
2672 return 0; /* We're not listening */
2673 if (listen_options == NULL)
2674 return (port_option < 1024);
2676 for (l = listen_options; l; l = l->next) {
2677 parse_addr_port(LOG_WARN, l->value, NULL, NULL, &p);
2678 if (p<1024) {
2679 return 1;
2682 return 0;
2683 #endif
2686 /** Set all vars in the configuration object <b>options</b> to their default
2687 * values. */
2688 static void
2689 config_init(config_format_t *fmt, void *options)
2691 int i;
2692 config_var_t *var;
2693 CHECK(fmt, options);
2695 for (i=0; fmt->vars[i].name; ++i) {
2696 var = &fmt->vars[i];
2697 if (!var->initvalue)
2698 continue; /* defaults to NULL or 0 */
2699 option_reset(fmt, options, var, 1);
2703 /** Allocate and return a new string holding the written-out values of the vars
2704 * in 'options'. If 'minimal', do not write out any default-valued vars.
2705 * Else, if comment_defaults, write default values as comments.
2707 static char *
2708 config_dump(config_format_t *fmt, void *options, int minimal,
2709 int comment_defaults)
2711 smartlist_t *elements;
2712 or_options_t *defaults;
2713 config_line_t *line, *assigned;
2714 char *result;
2715 int i;
2716 const char *desc;
2717 char *msg = NULL;
2719 defaults = config_alloc(fmt);
2720 config_init(fmt, defaults);
2722 /* XXX use a 1 here so we don't add a new log line while dumping */
2723 if (fmt->validate_fn(NULL,defaults, 1, &msg) < 0) {
2724 log_err(LD_BUG, "Failed to validate default config.");
2725 tor_free(msg);
2726 tor_assert(0);
2729 elements = smartlist_create();
2730 for (i=0; fmt->vars[i].name; ++i) {
2731 int comment_option = 0;
2732 if (fmt->vars[i].type == CONFIG_TYPE_OBSOLETE ||
2733 fmt->vars[i].type == CONFIG_TYPE_LINELIST_S)
2734 continue;
2735 /* Don't save 'hidden' control variables. */
2736 if (!strcmpstart(fmt->vars[i].name, "__"))
2737 continue;
2738 if (minimal && option_is_same(fmt, options, defaults, fmt->vars[i].name))
2739 continue;
2740 else if (comment_defaults &&
2741 option_is_same(fmt, options, defaults, fmt->vars[i].name))
2742 comment_option = 1;
2744 desc = config_find_description(fmt, fmt->vars[i].name);
2745 line = assigned = get_assigned_option(fmt, options, fmt->vars[i].name, 1);
2747 if (line && desc) {
2748 /* Only dump the description if there's something to describe. */
2749 wrap_string(elements, desc, 78, "# ", "# ");
2752 for (; line; line = line->next) {
2753 size_t len = strlen(line->key) + strlen(line->value) + 5;
2754 char *tmp;
2755 tmp = tor_malloc(len);
2756 if (tor_snprintf(tmp, len, "%s%s %s\n",
2757 comment_option ? "# " : "",
2758 line->key, line->value)<0) {
2759 log_err(LD_BUG,"Internal error writing option value");
2760 tor_assert(0);
2762 smartlist_add(elements, tmp);
2764 config_free_lines(assigned);
2767 if (fmt->extra) {
2768 line = *(config_line_t**)STRUCT_VAR_P(options, fmt->extra->var_offset);
2769 for (; line; line = line->next) {
2770 size_t len = strlen(line->key) + strlen(line->value) + 3;
2771 char *tmp;
2772 tmp = tor_malloc(len);
2773 if (tor_snprintf(tmp, len, "%s %s\n", line->key, line->value)<0) {
2774 log_err(LD_BUG,"Internal error writing option value");
2775 tor_assert(0);
2777 smartlist_add(elements, tmp);
2781 result = smartlist_join_strings(elements, "", 0, NULL);
2782 SMARTLIST_FOREACH(elements, char *, cp, tor_free(cp));
2783 smartlist_free(elements);
2784 config_free(fmt, defaults);
2785 return result;
2788 /** Return a string containing a possible configuration file that would give
2789 * the configuration in <b>options</b>. If <b>minimal</b> is true, do not
2790 * include options that are the same as Tor's defaults.
2792 static char *
2793 options_dump(or_options_t *options, int minimal)
2795 return config_dump(&options_format, options, minimal, 0);
2798 /** Return 0 if every element of sl is a string holding a decimal
2799 * representation of a port number, or if sl is NULL.
2800 * Otherwise set *msg and return -1. */
2801 static int
2802 validate_ports_csv(smartlist_t *sl, const char *name, char **msg)
2804 int i;
2805 char buf[1024];
2806 tor_assert(name);
2808 if (!sl)
2809 return 0;
2811 SMARTLIST_FOREACH(sl, const char *, cp,
2813 i = atoi(cp);
2814 if (i < 1 || i > 65535) {
2815 int r = tor_snprintf(buf, sizeof(buf),
2816 "Port '%s' out of range in %s", cp, name);
2817 *msg = tor_strdup(r >= 0 ? buf : "internal error");
2818 return -1;
2821 return 0;
2824 /** If <b>value</b> exceeds ROUTER_MAX_DECLARED_BANDWIDTH, write
2825 * a complaint into *<b>msg</b> using string <b>desc</b>, and return -1.
2826 * Else return 0.
2828 static int
2829 ensure_bandwidth_cap(uint64_t *value, const char *desc, char **msg)
2831 int r;
2832 char buf[1024];
2833 if (*value > ROUTER_MAX_DECLARED_BANDWIDTH) {
2834 /* This handles an understandable special case where somebody says "2gb"
2835 * whereas our actual maximum is 2gb-1 (INT_MAX) */
2836 --*value;
2838 if (*value > ROUTER_MAX_DECLARED_BANDWIDTH) {
2839 r = tor_snprintf(buf, sizeof(buf), "%s ("U64_FORMAT") must be at most %d",
2840 desc, U64_PRINTF_ARG(*value),
2841 ROUTER_MAX_DECLARED_BANDWIDTH);
2842 *msg = tor_strdup(r >= 0 ? buf : "internal error");
2843 return -1;
2845 return 0;
2848 /** Parse an authority type from <b>options</b>-\>PublishServerDescriptor
2849 * and write it to <b>options</b>-\>_PublishServerDescriptor. Treat "1"
2850 * as "v2,v3" unless BridgeRelay is 1, in which case treat it as "bridge".
2851 * Treat "0" as "".
2852 * Return 0 on success or -1 if not a recognized authority type (in which
2853 * case the value of _PublishServerDescriptor is undefined). */
2854 static int
2855 compute_publishserverdescriptor(or_options_t *options)
2857 smartlist_t *list = options->PublishServerDescriptor;
2858 authority_type_t *auth = &options->_PublishServerDescriptor;
2859 *auth = NO_AUTHORITY;
2860 if (!list) /* empty list, answer is none */
2861 return 0;
2862 SMARTLIST_FOREACH(list, const char *, string, {
2863 if (!strcasecmp(string, "v1"))
2864 *auth |= V1_AUTHORITY;
2865 else if (!strcmp(string, "1"))
2866 if (options->BridgeRelay)
2867 *auth |= BRIDGE_AUTHORITY;
2868 else
2869 *auth |= V2_AUTHORITY | V3_AUTHORITY;
2870 else if (!strcasecmp(string, "v2"))
2871 *auth |= V2_AUTHORITY;
2872 else if (!strcasecmp(string, "v3"))
2873 *auth |= V3_AUTHORITY;
2874 else if (!strcasecmp(string, "bridge"))
2875 *auth |= BRIDGE_AUTHORITY;
2876 else if (!strcasecmp(string, "hidserv"))
2877 *auth |= HIDSERV_AUTHORITY;
2878 else if (!strcasecmp(string, "") || !strcmp(string, "0"))
2879 /* no authority */;
2880 else
2881 return -1;
2883 return 0;
2886 /** Lowest allowable value for RendPostPeriod; if this is too low, hidden
2887 * services can overload the directory system. */
2888 #define MIN_REND_POST_PERIOD (10*60)
2890 /** Highest allowable value for RendPostPeriod. */
2891 #define MAX_DIR_PERIOD (MIN_ONION_KEY_LIFETIME/2)
2893 /** Lowest allowable value for CircuitBuildTimeout; values too low will
2894 * increase network load because of failing connections being retried, and
2895 * might prevent users from connecting to the network at all. */
2896 #define MIN_CIRCUIT_BUILD_TIMEOUT 30
2898 /** Lowest allowable value for MaxCircuitDirtiness; if this is too low, Tor
2899 * will generate too many circuits and potentially overload the network. */
2900 #define MIN_MAX_CIRCUIT_DIRTINESS 10
2902 /** Return 0 if every setting in <b>options</b> is reasonable, and a
2903 * permissible transition from <b>old_options</b>. Else return -1.
2904 * Should have no side effects, except for normalizing the contents of
2905 * <b>options</b>.
2907 * On error, tor_strdup an error explanation into *<b>msg</b>.
2909 * XXX
2910 * If <b>from_setconf</b>, we were called by the controller, and our
2911 * Log line should stay empty. If it's 0, then give us a default log
2912 * if there are no logs defined.
2914 static int
2915 options_validate(or_options_t *old_options, or_options_t *options,
2916 int from_setconf, char **msg)
2918 int i, r;
2919 config_line_t *cl;
2920 const char *uname = get_uname();
2921 char buf[1024];
2922 #define REJECT(arg) \
2923 STMT_BEGIN *msg = tor_strdup(arg); return -1; STMT_END
2924 #define COMPLAIN(arg) STMT_BEGIN log(LOG_WARN, LD_CONFIG, arg); STMT_END
2926 tor_assert(msg);
2927 *msg = NULL;
2929 if (options->ORPort < 0 || options->ORPort > 65535)
2930 REJECT("ORPort option out of bounds.");
2932 if (server_mode(options) &&
2933 (!strcmpstart(uname, "Windows 95") ||
2934 !strcmpstart(uname, "Windows 98") ||
2935 !strcmpstart(uname, "Windows Me"))) {
2936 log(LOG_WARN, LD_CONFIG, "Tor is running as a server, but you are "
2937 "running %s; this probably won't work. See "
2938 "http://wiki.noreply.org/noreply/TheOnionRouter/TorFAQ#ServerOS "
2939 "for details.", uname);
2942 if (options->ORPort == 0 && options->ORListenAddress != NULL)
2943 REJECT("ORPort must be defined if ORListenAddress is defined.");
2945 if (options->DirPort == 0 && options->DirListenAddress != NULL)
2946 REJECT("DirPort must be defined if DirListenAddress is defined.");
2948 if (options->DNSPort == 0 && options->DNSListenAddress != NULL)
2949 REJECT("DNSPort must be defined if DNSListenAddress is defined.");
2951 if (options->ControlPort == 0 && options->ControlListenAddress != NULL)
2952 REJECT("ControlPort must be defined if ControlListenAddress is defined.");
2954 if (options->TransPort == 0 && options->TransListenAddress != NULL)
2955 REJECT("TransPort must be defined if TransListenAddress is defined.");
2957 if (options->NatdPort == 0 && options->NatdListenAddress != NULL)
2958 REJECT("NatdPort must be defined if NatdListenAddress is defined.");
2960 /* Don't gripe about SocksPort 0 with SocksListenAddress set; a standard
2961 * configuration does this. */
2963 for (i = 0; i < 3; ++i) {
2964 int is_socks = i==0;
2965 int is_trans = i==1;
2966 config_line_t *line, *opt, *old;
2967 const char *tp;
2968 if (is_socks) {
2969 opt = options->SocksListenAddress;
2970 old = old_options ? old_options->SocksListenAddress : NULL;
2971 tp = "SOCKS proxy";
2972 } else if (is_trans) {
2973 opt = options->TransListenAddress;
2974 old = old_options ? old_options->TransListenAddress : NULL;
2975 tp = "transparent proxy";
2976 } else {
2977 opt = options->NatdListenAddress;
2978 old = old_options ? old_options->NatdListenAddress : NULL;
2979 tp = "natd proxy";
2982 for (line = opt; line; line = line->next) {
2983 char *address = NULL;
2984 uint16_t port;
2985 uint32_t addr;
2986 if (parse_addr_port(LOG_WARN, line->value, &address, &addr, &port)<0)
2987 continue; /* We'll warn about this later. */
2988 if (!is_internal_IP(addr, 1) &&
2989 (!old_options || !config_lines_eq(old, opt))) {
2990 log_warn(LD_CONFIG,
2991 "You specified a public address '%s' for a %s. Other "
2992 "people on the Internet might find your computer and use it as "
2993 "an open %s. Please don't allow this unless you have "
2994 "a good reason.", address, tp, tp);
2996 tor_free(address);
3000 if (validate_data_directory(options)<0)
3001 REJECT("Invalid DataDirectory");
3003 if (options->Nickname == NULL) {
3004 if (server_mode(options)) {
3005 if (!(options->Nickname = get_default_nickname())) {
3006 log_notice(LD_CONFIG, "Couldn't pick a nickname based on "
3007 "our hostname; using %s instead.", UNNAMED_ROUTER_NICKNAME);
3008 options->Nickname = tor_strdup(UNNAMED_ROUTER_NICKNAME);
3009 } else {
3010 log_notice(LD_CONFIG, "Choosing default nickname '%s'",
3011 options->Nickname);
3014 } else {
3015 if (!is_legal_nickname(options->Nickname)) {
3016 r = tor_snprintf(buf, sizeof(buf),
3017 "Nickname '%s' is wrong length or contains illegal characters.",
3018 options->Nickname);
3019 *msg = tor_strdup(r >= 0 ? buf : "internal error");
3020 return -1;
3024 if (server_mode(options) && !options->ContactInfo)
3025 log(LOG_NOTICE, LD_CONFIG, "Your ContactInfo config option is not set. "
3026 "Please consider setting it, so we can contact you if your server is "
3027 "misconfigured or something else goes wrong.");
3029 /* Special case on first boot if no Log options are given. */
3030 if (!options->Logs && !options->RunAsDaemon && !from_setconf)
3031 config_line_append(&options->Logs, "Log", "notice stdout");
3033 if (options_init_logs(options, 1)<0) /* Validate the log(s) */
3034 REJECT("Failed to validate Log options. See logs for details.");
3036 if (options->NoPublish) {
3037 log(LOG_WARN, LD_CONFIG,
3038 "NoPublish is obsolete. Use PublishServerDescriptor instead.");
3039 SMARTLIST_FOREACH(options->PublishServerDescriptor, char *, s,
3040 tor_free(s));
3041 smartlist_clear(options->PublishServerDescriptor);
3044 if (authdir_mode(options)) {
3045 /* confirm that our address isn't broken, so we can complain now */
3046 uint32_t tmp;
3047 if (resolve_my_address(LOG_WARN, options, &tmp, NULL) < 0)
3048 REJECT("Failed to resolve/guess local address. See logs for details.");
3051 #ifndef MS_WINDOWS
3052 if (options->RunAsDaemon && torrc_fname && path_is_relative(torrc_fname))
3053 REJECT("Can't use a relative path to torrc when RunAsDaemon is set.");
3054 #endif
3056 if (options->SocksPort < 0 || options->SocksPort > 65535)
3057 REJECT("SocksPort option out of bounds.");
3059 if (options->DNSPort < 0 || options->DNSPort > 65535)
3060 REJECT("DNSPort option out of bounds.");
3062 if (options->TransPort < 0 || options->TransPort > 65535)
3063 REJECT("TransPort option out of bounds.");
3065 if (options->NatdPort < 0 || options->NatdPort > 65535)
3066 REJECT("NatdPort option out of bounds.");
3068 if (options->SocksPort == 0 && options->TransPort == 0 &&
3069 options->NatdPort == 0 && options->ORPort == 0 &&
3070 options->DNSPort == 0 && !options->RendConfigLines)
3071 log(LOG_WARN, LD_CONFIG,
3072 "SocksPort, TransPort, NatdPort, DNSPort, and ORPort are all "
3073 "undefined, and there aren't any hidden services configured. "
3074 "Tor will still run, but probably won't do anything.");
3076 if (options->ControlPort < 0 || options->ControlPort > 65535)
3077 REJECT("ControlPort option out of bounds.");
3079 if (options->DirPort < 0 || options->DirPort > 65535)
3080 REJECT("DirPort option out of bounds.");
3082 #ifndef USE_TRANSPARENT
3083 if (options->TransPort || options->TransListenAddress)
3084 REJECT("TransPort and TransListenAddress are disabled in this build.");
3085 #endif
3087 if (options->AccountingMax &&
3088 (is_listening_on_low_port(options->ORPort, options->ORListenAddress) ||
3089 is_listening_on_low_port(options->DirPort, options->DirListenAddress)))
3091 log(LOG_WARN, LD_CONFIG,
3092 "You have set AccountingMax to use hibernation. You have also "
3093 "chosen a low DirPort or OrPort. This combination can make Tor stop "
3094 "working when it tries to re-attach the port after a period of "
3095 "hibernation. Please choose a different port or turn off "
3096 "hibernation unless you know this combination will work on your "
3097 "platform.");
3100 if (options->ExcludeExitNodes || options->ExcludeNodes) {
3101 options->_ExcludeExitNodesUnion = routerset_new();
3102 routerset_union(options->_ExcludeExitNodesUnion,options->ExcludeExitNodes);
3103 routerset_union(options->_ExcludeExitNodesUnion,options->ExcludeNodes);
3106 if (options->StrictExitNodes &&
3107 (!options->ExitNodes) &&
3108 (!old_options ||
3109 (old_options->StrictExitNodes != options->StrictExitNodes) ||
3110 (!routerset_equal(old_options->ExitNodes,options->ExitNodes))))
3111 COMPLAIN("StrictExitNodes set, but no ExitNodes listed.");
3113 if (options->StrictEntryNodes &&
3114 (!options->EntryNodes) &&
3115 (!old_options ||
3116 (old_options->StrictEntryNodes != options->StrictEntryNodes) ||
3117 (!routerset_equal(old_options->EntryNodes,options->EntryNodes))))
3118 COMPLAIN("StrictEntryNodes set, but no EntryNodes listed.");
3120 if (options->EntryNodes && !routerset_is_list(options->EntryNodes)) {
3121 /* XXXX fix this; see entry_guards_prepend_from_config(). */
3122 REJECT("IPs or countries are not yet supported in EntryNodes.");
3125 if (options->AuthoritativeDir) {
3126 if (!options->ContactInfo && !options->TestingTorNetwork)
3127 REJECT("Authoritative directory servers must set ContactInfo");
3128 if (options->V1AuthoritativeDir && !options->RecommendedVersions)
3129 REJECT("V1 authoritative dir servers must set RecommendedVersions.");
3130 if (!options->RecommendedClientVersions)
3131 options->RecommendedClientVersions =
3132 config_lines_dup(options->RecommendedVersions);
3133 if (!options->RecommendedServerVersions)
3134 options->RecommendedServerVersions =
3135 config_lines_dup(options->RecommendedVersions);
3136 if (options->VersioningAuthoritativeDir &&
3137 (!options->RecommendedClientVersions ||
3138 !options->RecommendedServerVersions))
3139 REJECT("Versioning authoritative dir servers must set "
3140 "Recommended*Versions.");
3141 if (options->UseEntryGuards) {
3142 log_info(LD_CONFIG, "Authoritative directory servers can't set "
3143 "UseEntryGuards. Disabling.");
3144 options->UseEntryGuards = 0;
3146 if (!options->DownloadExtraInfo && authdir_mode_any_main(options)) {
3147 log_info(LD_CONFIG, "Authoritative directories always try to download "
3148 "extra-info documents. Setting DownloadExtraInfo.");
3149 options->DownloadExtraInfo = 1;
3151 if (!(options->BridgeAuthoritativeDir || options->HSAuthoritativeDir ||
3152 options->V1AuthoritativeDir || options->V2AuthoritativeDir ||
3153 options->V3AuthoritativeDir))
3154 REJECT("AuthoritativeDir is set, but none of "
3155 "(Bridge/HS/V1/V2/V3)AuthoritativeDir is set.");
3158 if (options->AuthoritativeDir && !options->DirPort)
3159 REJECT("Running as authoritative directory, but no DirPort set.");
3161 if (options->AuthoritativeDir && !options->ORPort)
3162 REJECT("Running as authoritative directory, but no ORPort set.");
3164 if (options->AuthoritativeDir && options->ClientOnly)
3165 REJECT("Running as authoritative directory, but ClientOnly also set.");
3167 if (options->HSAuthorityRecordStats && !options->HSAuthoritativeDir)
3168 REJECT("HSAuthorityRecordStats is set but we're not running as "
3169 "a hidden service authority.");
3171 if (options->ConnLimit <= 0) {
3172 r = tor_snprintf(buf, sizeof(buf),
3173 "ConnLimit must be greater than 0, but was set to %d",
3174 options->ConnLimit);
3175 *msg = tor_strdup(r >= 0 ? buf : "internal error");
3176 return -1;
3179 if (validate_ports_csv(options->FirewallPorts, "FirewallPorts", msg) < 0)
3180 return -1;
3182 if (validate_ports_csv(options->LongLivedPorts, "LongLivedPorts", msg) < 0)
3183 return -1;
3185 if (validate_ports_csv(options->RejectPlaintextPorts,
3186 "RejectPlaintextPorts", msg) < 0)
3187 return -1;
3189 if (validate_ports_csv(options->WarnPlaintextPorts,
3190 "WarnPlaintextPorts", msg) < 0)
3191 return -1;
3193 if (options->FascistFirewall && !options->ReachableAddresses) {
3194 if (options->FirewallPorts && smartlist_len(options->FirewallPorts)) {
3195 /* We already have firewall ports set, so migrate them to
3196 * ReachableAddresses, which will set ReachableORAddresses and
3197 * ReachableDirAddresses if they aren't set explicitly. */
3198 smartlist_t *instead = smartlist_create();
3199 config_line_t *new_line = tor_malloc_zero(sizeof(config_line_t));
3200 new_line->key = tor_strdup("ReachableAddresses");
3201 /* If we're configured with the old format, we need to prepend some
3202 * open ports. */
3203 SMARTLIST_FOREACH(options->FirewallPorts, const char *, portno,
3205 int p = atoi(portno);
3206 char *s;
3207 if (p<0) continue;
3208 s = tor_malloc(16);
3209 tor_snprintf(s, 16, "*:%d", p);
3210 smartlist_add(instead, s);
3212 new_line->value = smartlist_join_strings(instead,",",0,NULL);
3213 /* These have been deprecated since 0.1.1.5-alpha-cvs */
3214 log(LOG_NOTICE, LD_CONFIG,
3215 "Converting FascistFirewall and FirewallPorts "
3216 "config options to new format: \"ReachableAddresses %s\"",
3217 new_line->value);
3218 options->ReachableAddresses = new_line;
3219 SMARTLIST_FOREACH(instead, char *, cp, tor_free(cp));
3220 smartlist_free(instead);
3221 } else {
3222 /* We do not have FirewallPorts set, so add 80 to
3223 * ReachableDirAddresses, and 443 to ReachableORAddresses. */
3224 if (!options->ReachableDirAddresses) {
3225 config_line_t *new_line = tor_malloc_zero(sizeof(config_line_t));
3226 new_line->key = tor_strdup("ReachableDirAddresses");
3227 new_line->value = tor_strdup("*:80");
3228 options->ReachableDirAddresses = new_line;
3229 log(LOG_NOTICE, LD_CONFIG, "Converting FascistFirewall config option "
3230 "to new format: \"ReachableDirAddresses *:80\"");
3232 if (!options->ReachableORAddresses) {
3233 config_line_t *new_line = tor_malloc_zero(sizeof(config_line_t));
3234 new_line->key = tor_strdup("ReachableORAddresses");
3235 new_line->value = tor_strdup("*:443");
3236 options->ReachableORAddresses = new_line;
3237 log(LOG_NOTICE, LD_CONFIG, "Converting FascistFirewall config option "
3238 "to new format: \"ReachableORAddresses *:443\"");
3243 for (i=0; i<3; i++) {
3244 config_line_t **linep =
3245 (i==0) ? &options->ReachableAddresses :
3246 (i==1) ? &options->ReachableORAddresses :
3247 &options->ReachableDirAddresses;
3248 if (!*linep)
3249 continue;
3250 /* We need to end with a reject *:*, not an implicit accept *:* */
3251 for (;;) {
3252 if (!strcmp((*linep)->value, "reject *:*")) /* already there */
3253 break;
3254 linep = &((*linep)->next);
3255 if (!*linep) {
3256 *linep = tor_malloc_zero(sizeof(config_line_t));
3257 (*linep)->key = tor_strdup(
3258 (i==0) ? "ReachableAddresses" :
3259 (i==1) ? "ReachableORAddresses" :
3260 "ReachableDirAddresses");
3261 (*linep)->value = tor_strdup("reject *:*");
3262 break;
3267 if ((options->ReachableAddresses ||
3268 options->ReachableORAddresses ||
3269 options->ReachableDirAddresses) &&
3270 server_mode(options))
3271 REJECT("Servers must be able to freely connect to the rest "
3272 "of the Internet, so they must not set Reachable*Addresses "
3273 "or FascistFirewall.");
3275 if (options->UseBridges &&
3276 server_mode(options))
3277 REJECT("Servers must be able to freely connect to the rest "
3278 "of the Internet, so they must not set UseBridges.");
3280 options->_AllowInvalid = 0;
3281 if (options->AllowInvalidNodes) {
3282 SMARTLIST_FOREACH(options->AllowInvalidNodes, const char *, cp, {
3283 if (!strcasecmp(cp, "entry"))
3284 options->_AllowInvalid |= ALLOW_INVALID_ENTRY;
3285 else if (!strcasecmp(cp, "exit"))
3286 options->_AllowInvalid |= ALLOW_INVALID_EXIT;
3287 else if (!strcasecmp(cp, "middle"))
3288 options->_AllowInvalid |= ALLOW_INVALID_MIDDLE;
3289 else if (!strcasecmp(cp, "introduction"))
3290 options->_AllowInvalid |= ALLOW_INVALID_INTRODUCTION;
3291 else if (!strcasecmp(cp, "rendezvous"))
3292 options->_AllowInvalid |= ALLOW_INVALID_RENDEZVOUS;
3293 else {
3294 r = tor_snprintf(buf, sizeof(buf),
3295 "Unrecognized value '%s' in AllowInvalidNodes", cp);
3296 *msg = tor_strdup(r >= 0 ? buf : "internal error");
3297 return -1;
3302 if (compute_publishserverdescriptor(options) < 0) {
3303 r = tor_snprintf(buf, sizeof(buf),
3304 "Unrecognized value in PublishServerDescriptor");
3305 *msg = tor_strdup(r >= 0 ? buf : "internal error");
3306 return -1;
3309 if ((options->BridgeRelay
3310 || options->_PublishServerDescriptor & BRIDGE_AUTHORITY)
3311 && (options->_PublishServerDescriptor
3312 & (V1_AUTHORITY|V2_AUTHORITY|V3_AUTHORITY))) {
3313 REJECT("Bridges are not supposed to publish router descriptors to the "
3314 "directory authorities. Please correct your "
3315 "PublishServerDescriptor line.");
3318 if (options->MinUptimeHidServDirectoryV2 < 0) {
3319 log_warn(LD_CONFIG, "MinUptimeHidServDirectoryV2 option must be at "
3320 "least 0 seconds. Changing to 0.");
3321 options->MinUptimeHidServDirectoryV2 = 0;
3324 if (options->RendPostPeriod < MIN_REND_POST_PERIOD) {
3325 log(LOG_WARN,LD_CONFIG,"RendPostPeriod option is too short; "
3326 "raising to %d seconds.", MIN_REND_POST_PERIOD);
3327 options->RendPostPeriod = MIN_REND_POST_PERIOD;
3330 if (options->RendPostPeriod > MAX_DIR_PERIOD) {
3331 log(LOG_WARN, LD_CONFIG, "RendPostPeriod is too large; clipping to %ds.",
3332 MAX_DIR_PERIOD);
3333 options->RendPostPeriod = MAX_DIR_PERIOD;
3336 if (options->CircuitBuildTimeout < MIN_CIRCUIT_BUILD_TIMEOUT) {
3337 log(LOG_WARN, LD_CONFIG, "CircuitBuildTimeout option is too short; "
3338 "raising to %d seconds.", MIN_CIRCUIT_BUILD_TIMEOUT);
3339 options->CircuitBuildTimeout = MIN_CIRCUIT_BUILD_TIMEOUT;
3342 if (options->MaxCircuitDirtiness < MIN_MAX_CIRCUIT_DIRTINESS) {
3343 log(LOG_WARN, LD_CONFIG, "MaxCircuitDirtiness option is too short; "
3344 "raising to %d seconds.", MIN_MAX_CIRCUIT_DIRTINESS);
3345 options->MaxCircuitDirtiness = MIN_MAX_CIRCUIT_DIRTINESS;
3348 if (options->KeepalivePeriod < 1)
3349 REJECT("KeepalivePeriod option must be positive.");
3351 if (ensure_bandwidth_cap(&options->BandwidthRate,
3352 "BandwidthRate", msg) < 0)
3353 return -1;
3354 if (ensure_bandwidth_cap(&options->BandwidthBurst,
3355 "BandwidthBurst", msg) < 0)
3356 return -1;
3357 if (ensure_bandwidth_cap(&options->MaxAdvertisedBandwidth,
3358 "MaxAdvertisedBandwidth", msg) < 0)
3359 return -1;
3360 if (ensure_bandwidth_cap(&options->RelayBandwidthRate,
3361 "RelayBandwidthRate", msg) < 0)
3362 return -1;
3363 if (ensure_bandwidth_cap(&options->RelayBandwidthBurst,
3364 "RelayBandwidthBurst", msg) < 0)
3365 return -1;
3367 if (server_mode(options)) {
3368 if (options->BandwidthRate < ROUTER_REQUIRED_MIN_BANDWIDTH) {
3369 r = tor_snprintf(buf, sizeof(buf),
3370 "BandwidthRate is set to %d bytes/second. "
3371 "For servers, it must be at least %d.",
3372 (int)options->BandwidthRate,
3373 ROUTER_REQUIRED_MIN_BANDWIDTH);
3374 *msg = tor_strdup(r >= 0 ? buf : "internal error");
3375 return -1;
3376 } else if (options->MaxAdvertisedBandwidth <
3377 ROUTER_REQUIRED_MIN_BANDWIDTH/2) {
3378 r = tor_snprintf(buf, sizeof(buf),
3379 "MaxAdvertisedBandwidth is set to %d bytes/second. "
3380 "For servers, it must be at least %d.",
3381 (int)options->MaxAdvertisedBandwidth,
3382 ROUTER_REQUIRED_MIN_BANDWIDTH/2);
3383 *msg = tor_strdup(r >= 0 ? buf : "internal error");
3384 return -1;
3386 if (options->RelayBandwidthRate &&
3387 options->RelayBandwidthRate < ROUTER_REQUIRED_MIN_BANDWIDTH) {
3388 r = tor_snprintf(buf, sizeof(buf),
3389 "RelayBandwidthRate is set to %d bytes/second. "
3390 "For servers, it must be at least %d.",
3391 (int)options->RelayBandwidthRate,
3392 ROUTER_REQUIRED_MIN_BANDWIDTH);
3393 *msg = tor_strdup(r >= 0 ? buf : "internal error");
3394 return -1;
3398 if (options->RelayBandwidthRate && !options->RelayBandwidthBurst)
3399 options->RelayBandwidthBurst = options->RelayBandwidthRate;
3401 if (options->RelayBandwidthRate > options->RelayBandwidthBurst)
3402 REJECT("RelayBandwidthBurst must be at least equal "
3403 "to RelayBandwidthRate.");
3405 if (options->BandwidthRate > options->BandwidthBurst)
3406 REJECT("BandwidthBurst must be at least equal to BandwidthRate.");
3408 /* if they set relaybandwidth* really high but left bandwidth*
3409 * at the default, raise the defaults. */
3410 if (options->RelayBandwidthRate > options->BandwidthRate)
3411 options->BandwidthRate = options->RelayBandwidthRate;
3412 if (options->RelayBandwidthBurst > options->BandwidthBurst)
3413 options->BandwidthBurst = options->RelayBandwidthBurst;
3415 if (accounting_parse_options(options, 1)<0)
3416 REJECT("Failed to parse accounting options. See logs for details.");
3418 if (options->HttpProxy) { /* parse it now */
3419 if (parse_addr_port(LOG_WARN, options->HttpProxy, NULL,
3420 &options->HttpProxyAddr, &options->HttpProxyPort) < 0)
3421 REJECT("HttpProxy failed to parse or resolve. Please fix.");
3422 if (options->HttpProxyPort == 0) { /* give it a default */
3423 options->HttpProxyPort = 80;
3427 if (options->HttpProxyAuthenticator) {
3428 if (strlen(options->HttpProxyAuthenticator) >= 48)
3429 REJECT("HttpProxyAuthenticator is too long (>= 48 chars).");
3432 if (options->HttpsProxy) { /* parse it now */
3433 if (parse_addr_port(LOG_WARN, options->HttpsProxy, NULL,
3434 &options->HttpsProxyAddr, &options->HttpsProxyPort) <0)
3435 REJECT("HttpsProxy failed to parse or resolve. Please fix.");
3436 if (options->HttpsProxyPort == 0) { /* give it a default */
3437 options->HttpsProxyPort = 443;
3441 if (options->HttpsProxyAuthenticator) {
3442 if (strlen(options->HttpsProxyAuthenticator) >= 48)
3443 REJECT("HttpsProxyAuthenticator is too long (>= 48 chars).");
3446 if (options->HashedControlPassword) {
3447 smartlist_t *sl = decode_hashed_passwords(options->HashedControlPassword);
3448 if (!sl) {
3449 REJECT("Bad HashedControlPassword: wrong length or bad encoding");
3450 } else {
3451 SMARTLIST_FOREACH(sl, char*, cp, tor_free(cp));
3452 smartlist_free(sl);
3456 if (options->HashedControlSessionPassword) {
3457 smartlist_t *sl = decode_hashed_passwords(
3458 options->HashedControlSessionPassword);
3459 if (!sl) {
3460 REJECT("Bad HashedControlSessionPassword: wrong length or bad encoding");
3461 } else {
3462 SMARTLIST_FOREACH(sl, char*, cp, tor_free(cp));
3463 smartlist_free(sl);
3467 if (options->ControlListenAddress) {
3468 int all_are_local = 1;
3469 config_line_t *ln;
3470 for (ln = options->ControlListenAddress; ln; ln = ln->next) {
3471 if (strcmpstart(ln->value, "127."))
3472 all_are_local = 0;
3474 if (!all_are_local) {
3475 if (!options->HashedControlPassword &&
3476 !options->HashedControlSessionPassword &&
3477 !options->CookieAuthentication) {
3478 log_warn(LD_CONFIG,
3479 "You have a ControlListenAddress set to accept "
3480 "unauthenticated connections from a non-local address. "
3481 "This means that programs not running on your computer "
3482 "can reconfigure your Tor, without even having to guess a "
3483 "password. That's so bad that I'm closing your ControlPort "
3484 "for you. If you need to control your Tor remotely, try "
3485 "enabling authentication and using a tool like stunnel or "
3486 "ssh to encrypt remote access.");
3487 options->ControlPort = 0;
3488 } else {
3489 log_warn(LD_CONFIG, "You have a ControlListenAddress set to accept "
3490 "connections from a non-local address. This means that "
3491 "programs not running on your computer can reconfigure your "
3492 "Tor. That's pretty bad, since the controller "
3493 "protocol isn't encrypted! Maybe you should just listen on "
3494 "127.0.0.1 and use a tool like stunnel or ssh to encrypt "
3495 "remote connections to your control port.");
3500 if (options->ControlPort && !options->HashedControlPassword &&
3501 !options->HashedControlSessionPassword &&
3502 !options->CookieAuthentication) {
3503 log_warn(LD_CONFIG, "ControlPort is open, but no authentication method "
3504 "has been configured. This means that any program on your "
3505 "computer can reconfigure your Tor. That's bad! You should "
3506 "upgrade your Tor controller as soon as possible.");
3509 if (options->UseEntryGuards && ! options->NumEntryGuards)
3510 REJECT("Cannot enable UseEntryGuards with NumEntryGuards set to 0");
3512 if (check_nickname_list(options->MyFamily, "MyFamily", msg))
3513 return -1;
3514 for (cl = options->NodeFamilies; cl; cl = cl->next) {
3515 if (check_nickname_list(cl->value, "NodeFamily", msg))
3516 return -1;
3519 if (validate_addr_policies(options, msg) < 0)
3520 return -1;
3522 if (validate_dir_authorities(options, old_options) < 0)
3523 REJECT("Directory authority line did not parse. See logs for details.");
3525 if (options->UseBridges && !options->Bridges)
3526 REJECT("If you set UseBridges, you must specify at least one bridge.");
3527 if (options->UseBridges && !options->TunnelDirConns)
3528 REJECT("If you set UseBridges, you must set TunnelDirConns.");
3529 if (options->Bridges) {
3530 for (cl = options->Bridges; cl; cl = cl->next) {
3531 if (parse_bridge_line(cl->value, 1)<0)
3532 REJECT("Bridge line did not parse. See logs for details.");
3536 if (options->ConstrainedSockets) {
3537 /* If the user wants to constrain socket buffer use, make sure the desired
3538 * limit is between MIN|MAX_TCPSOCK_BUFFER in k increments. */
3539 if (options->ConstrainedSockSize < MIN_CONSTRAINED_TCP_BUFFER ||
3540 options->ConstrainedSockSize > MAX_CONSTRAINED_TCP_BUFFER ||
3541 options->ConstrainedSockSize % 1024) {
3542 r = tor_snprintf(buf, sizeof(buf),
3543 "ConstrainedSockSize is invalid. Must be a value between %d and %d "
3544 "in 1024 byte increments.",
3545 MIN_CONSTRAINED_TCP_BUFFER, MAX_CONSTRAINED_TCP_BUFFER);
3546 *msg = tor_strdup(r >= 0 ? buf : "internal error");
3547 return -1;
3549 if (options->DirPort) {
3550 /* Providing cached directory entries while system TCP buffers are scarce
3551 * will exacerbate the socket errors. Suggest that this be disabled. */
3552 COMPLAIN("You have requested constrained socket buffers while also "
3553 "serving directory entries via DirPort. It is strongly "
3554 "suggested that you disable serving directory requests when "
3555 "system TCP buffer resources are scarce.");
3559 if (options->V3AuthVoteDelay + options->V3AuthDistDelay >=
3560 options->V3AuthVotingInterval/2) {
3561 REJECT("V3AuthVoteDelay plus V3AuthDistDelay must be less than half "
3562 "V3AuthVotingInterval");
3564 if (options->V3AuthVoteDelay < MIN_VOTE_SECONDS)
3565 REJECT("V3AuthVoteDelay is way too low.");
3566 if (options->V3AuthDistDelay < MIN_DIST_SECONDS)
3567 REJECT("V3AuthDistDelay is way too low.");
3569 if (options->V3AuthNIntervalsValid < 2)
3570 REJECT("V3AuthNIntervalsValid must be at least 2.");
3572 if (options->V3AuthVotingInterval < MIN_VOTE_INTERVAL) {
3573 REJECT("V3AuthVotingInterval is insanely low.");
3574 } else if (options->V3AuthVotingInterval > 24*60*60) {
3575 REJECT("V3AuthVotingInterval is insanely high.");
3576 } else if (((24*60*60) % options->V3AuthVotingInterval) != 0) {
3577 COMPLAIN("V3AuthVotingInterval does not divide evenly into 24 hours.");
3580 if (rend_config_services(options, 1) < 0)
3581 REJECT("Failed to configure rendezvous options. See logs for details.");
3583 /* Parse client-side authorization for hidden services. */
3584 if (rend_parse_service_authorization(options, 1) < 0)
3585 REJECT("Failed to configure client authorization for hidden services. "
3586 "See logs for details.");
3588 if (parse_virtual_addr_network(options->VirtualAddrNetwork, 1, NULL)<0)
3589 return -1;
3591 if (options->PreferTunneledDirConns && !options->TunnelDirConns)
3592 REJECT("Must set TunnelDirConns if PreferTunneledDirConns is set.");
3594 if (options->AutomapHostsSuffixes) {
3595 SMARTLIST_FOREACH(options->AutomapHostsSuffixes, char *, suf,
3597 size_t len = strlen(suf);
3598 if (len && suf[len-1] == '.')
3599 suf[len-1] = '\0';
3603 if (options->TestingTorNetwork && !options->DirServers) {
3604 REJECT("TestingTorNetwork may only be configured in combination with "
3605 "a non-default set of DirServers.");
3608 /*XXXX022 checking for defaults manually like this is a bit fragile.*/
3610 /* Keep changes to hard-coded values synchronous to man page and default
3611 * values table. */
3612 if (options->TestingV3AuthInitialVotingInterval != 30*60 &&
3613 !options->TestingTorNetwork) {
3614 REJECT("TestingV3AuthInitialVotingInterval may only be changed in testing "
3615 "Tor networks!");
3616 } else if (options->TestingV3AuthInitialVotingInterval < MIN_VOTE_INTERVAL) {
3617 REJECT("TestingV3AuthInitialVotingInterval is insanely low.");
3618 } else if (((30*60) % options->TestingV3AuthInitialVotingInterval) != 0) {
3619 REJECT("TestingV3AuthInitialVotingInterval does not divide evenly into "
3620 "30 minutes.");
3623 if (options->TestingV3AuthInitialVoteDelay != 5*60 &&
3624 !options->TestingTorNetwork) {
3625 REJECT("TestingV3AuthInitialVoteDelay may only be changed in testing "
3626 "Tor networks!");
3627 } else if (options->TestingV3AuthInitialVoteDelay < MIN_VOTE_SECONDS) {
3628 REJECT("TestingV3AuthInitialVoteDelay is way too low.");
3631 if (options->TestingV3AuthInitialDistDelay != 5*60 &&
3632 !options->TestingTorNetwork) {
3633 REJECT("TestingV3AuthInitialDistDelay may only be changed in testing "
3634 "Tor networks!");
3635 } else if (options->TestingV3AuthInitialDistDelay < MIN_DIST_SECONDS) {
3636 REJECT("TestingV3AuthInitialDistDelay is way too low.");
3639 if (options->TestingV3AuthInitialVoteDelay +
3640 options->TestingV3AuthInitialDistDelay >=
3641 options->TestingV3AuthInitialVotingInterval/2) {
3642 REJECT("TestingV3AuthInitialVoteDelay plus TestingV3AuthInitialDistDelay "
3643 "must be less than half TestingV3AuthInitialVotingInterval");
3646 if (options->TestingAuthDirTimeToLearnReachability != 30*60 &&
3647 !options->TestingTorNetwork) {
3648 REJECT("TestingAuthDirTimeToLearnReachability may only be changed in "
3649 "testing Tor networks!");
3650 } else if (options->TestingAuthDirTimeToLearnReachability < 0) {
3651 REJECT("TestingAuthDirTimeToLearnReachability must be non-negative.");
3652 } else if (options->TestingAuthDirTimeToLearnReachability > 2*60*60) {
3653 COMPLAIN("TestingAuthDirTimeToLearnReachability is insanely high.");
3656 if (options->TestingEstimatedDescriptorPropagationTime != 10*60 &&
3657 !options->TestingTorNetwork) {
3658 REJECT("TestingEstimatedDescriptorPropagationTime may only be changed in "
3659 "testing Tor networks!");
3660 } else if (options->TestingEstimatedDescriptorPropagationTime < 0) {
3661 REJECT("TestingEstimatedDescriptorPropagationTime must be non-negative.");
3662 } else if (options->TestingEstimatedDescriptorPropagationTime > 60*60) {
3663 COMPLAIN("TestingEstimatedDescriptorPropagationTime is insanely high.");
3666 if (options->TestingTorNetwork) {
3667 log_warn(LD_CONFIG, "TestingTorNetwork is set. This will make your node "
3668 "almost unusable in the public Tor network, and is "
3669 "therefore only advised if you are building a "
3670 "testing Tor network!");
3673 return 0;
3674 #undef REJECT
3675 #undef COMPLAIN
3678 /** Helper: return true iff s1 and s2 are both NULL, or both non-NULL
3679 * equal strings. */
3680 static int
3681 opt_streq(const char *s1, const char *s2)
3683 if (!s1 && !s2)
3684 return 1;
3685 else if (s1 && s2 && !strcmp(s1,s2))
3686 return 1;
3687 else
3688 return 0;
3691 /** Check if any of the previous options have changed but aren't allowed to. */
3692 static int
3693 options_transition_allowed(or_options_t *old, or_options_t *new_val,
3694 char **msg)
3696 if (!old)
3697 return 0;
3699 if (!opt_streq(old->PidFile, new_val->PidFile)) {
3700 *msg = tor_strdup("PidFile is not allowed to change.");
3701 return -1;
3704 if (old->RunAsDaemon != new_val->RunAsDaemon) {
3705 *msg = tor_strdup("While Tor is running, changing RunAsDaemon "
3706 "is not allowed.");
3707 return -1;
3710 if (strcmp(old->DataDirectory,new_val->DataDirectory)!=0) {
3711 char buf[1024];
3712 int r = tor_snprintf(buf, sizeof(buf),
3713 "While Tor is running, changing DataDirectory "
3714 "(\"%s\"->\"%s\") is not allowed.",
3715 old->DataDirectory, new_val->DataDirectory);
3716 *msg = tor_strdup(r >= 0 ? buf : "internal error");
3717 return -1;
3720 if (!opt_streq(old->User, new_val->User)) {
3721 *msg = tor_strdup("While Tor is running, changing User is not allowed.");
3722 return -1;
3725 if (!opt_streq(old->Group, new_val->Group)) {
3726 *msg = tor_strdup("While Tor is running, changing Group is not allowed.");
3727 return -1;
3730 if (old->HardwareAccel != new_val->HardwareAccel) {
3731 *msg = tor_strdup("While Tor is running, changing HardwareAccel is "
3732 "not allowed.");
3733 return -1;
3736 if (old->TestingTorNetwork != new_val->TestingTorNetwork) {
3737 *msg = tor_strdup("While Tor is running, changing TestingTorNetwork "
3738 "is not allowed.");
3739 return -1;
3742 return 0;
3745 /** Return 1 if any change from <b>old_options</b> to <b>new_options</b>
3746 * will require us to rotate the CPU and DNS workers; else return 0. */
3747 static int
3748 options_transition_affects_workers(or_options_t *old_options,
3749 or_options_t *new_options)
3751 if (!opt_streq(old_options->DataDirectory, new_options->DataDirectory) ||
3752 old_options->NumCpus != new_options->NumCpus ||
3753 old_options->ORPort != new_options->ORPort ||
3754 old_options->ServerDNSSearchDomains !=
3755 new_options->ServerDNSSearchDomains ||
3756 old_options->SafeLogging != new_options->SafeLogging ||
3757 old_options->ClientOnly != new_options->ClientOnly ||
3758 !config_lines_eq(old_options->Logs, new_options->Logs))
3759 return 1;
3761 /* Check whether log options match. */
3763 /* Nothing that changed matters. */
3764 return 0;
3767 /** Return 1 if any change from <b>old_options</b> to <b>new_options</b>
3768 * will require us to generate a new descriptor; else return 0. */
3769 static int
3770 options_transition_affects_descriptor(or_options_t *old_options,
3771 or_options_t *new_options)
3773 /* XXX We can be smarter here. If your DirPort isn't being
3774 * published and you just turned it off, no need to republish. Etc. */
3775 if (!opt_streq(old_options->DataDirectory, new_options->DataDirectory) ||
3776 !opt_streq(old_options->Nickname,new_options->Nickname) ||
3777 !opt_streq(old_options->Address,new_options->Address) ||
3778 !config_lines_eq(old_options->ExitPolicy,new_options->ExitPolicy) ||
3779 old_options->ExitPolicyRejectPrivate !=
3780 new_options->ExitPolicyRejectPrivate ||
3781 old_options->ORPort != new_options->ORPort ||
3782 old_options->DirPort != new_options->DirPort ||
3783 old_options->ClientOnly != new_options->ClientOnly ||
3784 old_options->NoPublish != new_options->NoPublish ||
3785 old_options->_PublishServerDescriptor !=
3786 new_options->_PublishServerDescriptor ||
3787 get_effective_bwrate(old_options) != get_effective_bwrate(new_options) ||
3788 get_effective_bwburst(old_options) !=
3789 get_effective_bwburst(new_options) ||
3790 !opt_streq(old_options->ContactInfo, new_options->ContactInfo) ||
3791 !opt_streq(old_options->MyFamily, new_options->MyFamily) ||
3792 !opt_streq(old_options->AccountingStart, new_options->AccountingStart) ||
3793 old_options->AccountingMax != new_options->AccountingMax)
3794 return 1;
3796 return 0;
3799 #ifdef MS_WINDOWS
3800 /** Return the directory on windows where we expect to find our application
3801 * data. */
3802 static char *
3803 get_windows_conf_root(void)
3805 static int is_set = 0;
3806 static char path[MAX_PATH+1];
3808 LPITEMIDLIST idl;
3809 IMalloc *m;
3810 HRESULT result;
3812 if (is_set)
3813 return path;
3815 /* Find X:\documents and settings\username\application data\ .
3816 * We would use SHGetSpecialFolder path, but that wasn't added until IE4.
3818 #ifdef ENABLE_LOCAL_APPDATA
3819 #define APPDATA_PATH CSIDL_LOCAL_APPDATA
3820 #else
3821 #define APPDATA_PATH CSIDL_APPDATA
3822 #endif
3823 if (!SUCCEEDED(SHGetSpecialFolderLocation(NULL, APPDATA_PATH, &idl))) {
3824 GetCurrentDirectory(MAX_PATH, path);
3825 is_set = 1;
3826 log_warn(LD_CONFIG,
3827 "I couldn't find your application data folder: are you "
3828 "running an ancient version of Windows 95? Defaulting to \"%s\"",
3829 path);
3830 return path;
3832 /* Convert the path from an "ID List" (whatever that is!) to a path. */
3833 result = SHGetPathFromIDList(idl, path);
3834 /* Now we need to free the */
3835 SHGetMalloc(&m);
3836 if (m) {
3837 m->lpVtbl->Free(m, idl);
3838 m->lpVtbl->Release(m);
3840 if (!SUCCEEDED(result)) {
3841 return NULL;
3843 strlcat(path,"\\tor",MAX_PATH);
3844 is_set = 1;
3845 return path;
3847 #endif
3849 /** Return the default location for our torrc file. */
3850 static const char *
3851 get_default_conf_file(void)
3853 #ifdef MS_WINDOWS
3854 static char path[MAX_PATH+1];
3855 strlcpy(path, get_windows_conf_root(), MAX_PATH);
3856 strlcat(path,"\\torrc",MAX_PATH);
3857 return path;
3858 #else
3859 return (CONFDIR "/torrc");
3860 #endif
3863 /** Verify whether lst is a string containing valid-looking comma-separated
3864 * nicknames, or NULL. Return 0 on success. Warn and return -1 on failure.
3866 static int
3867 check_nickname_list(const char *lst, const char *name, char **msg)
3869 int r = 0;
3870 smartlist_t *sl;
3872 if (!lst)
3873 return 0;
3874 sl = smartlist_create();
3876 smartlist_split_string(sl, lst, ",",
3877 SPLIT_SKIP_SPACE|SPLIT_IGNORE_BLANK|SPLIT_STRIP_SPACE, 0);
3879 SMARTLIST_FOREACH(sl, const char *, s,
3881 if (!is_legal_nickname_or_hexdigest(s)) {
3882 char buf[1024];
3883 int tmp = tor_snprintf(buf, sizeof(buf),
3884 "Invalid nickname '%s' in %s line", s, name);
3885 *msg = tor_strdup(tmp >= 0 ? buf : "internal error");
3886 r = -1;
3887 break;
3890 SMARTLIST_FOREACH(sl, char *, s, tor_free(s));
3891 smartlist_free(sl);
3892 return r;
3895 /** Learn config file name from command line arguments, or use the default */
3896 static char *
3897 find_torrc_filename(int argc, char **argv,
3898 int *using_default_torrc, int *ignore_missing_torrc)
3900 char *fname=NULL;
3901 int i;
3903 for (i = 1; i < argc; ++i) {
3904 if (i < argc-1 && !strcmp(argv[i],"-f")) {
3905 if (fname) {
3906 log(LOG_WARN, LD_CONFIG, "Duplicate -f options on command line.");
3907 tor_free(fname);
3909 #ifdef MS_WINDOWS
3910 /* XXX one day we might want to extend expand_filename to work
3911 * under Windows as well. */
3912 fname = tor_strdup(argv[i+1]);
3913 #else
3914 fname = expand_filename(argv[i+1]);
3915 #endif
3916 *using_default_torrc = 0;
3917 ++i;
3918 } else if (!strcmp(argv[i],"--ignore-missing-torrc")) {
3919 *ignore_missing_torrc = 1;
3923 if (*using_default_torrc) {
3924 /* didn't find one, try CONFDIR */
3925 const char *dflt = get_default_conf_file();
3926 if (dflt && file_status(dflt) == FN_FILE) {
3927 fname = tor_strdup(dflt);
3928 } else {
3929 #ifndef MS_WINDOWS
3930 char *fn;
3931 fn = expand_filename("~/.torrc");
3932 if (fn && file_status(fn) == FN_FILE) {
3933 fname = fn;
3934 } else {
3935 tor_free(fn);
3936 fname = tor_strdup(dflt);
3938 #else
3939 fname = tor_strdup(dflt);
3940 #endif
3943 return fname;
3946 /** Load torrc from disk, setting torrc_fname if successful */
3947 static char *
3948 load_torrc_from_disk(int argc, char **argv)
3950 char *fname=NULL;
3951 char *cf = NULL;
3952 int using_default_torrc = 1;
3953 int ignore_missing_torrc = 0;
3955 fname = find_torrc_filename(argc, argv,
3956 &using_default_torrc, &ignore_missing_torrc);
3957 tor_assert(fname);
3958 log(LOG_DEBUG, LD_CONFIG, "Opening config file \"%s\"", fname);
3960 tor_free(torrc_fname);
3961 torrc_fname = fname;
3963 /* Open config file */
3964 if (file_status(fname) != FN_FILE ||
3965 !(cf = read_file_to_str(fname,0,NULL))) {
3966 if (using_default_torrc == 1 || ignore_missing_torrc ) {
3967 log(LOG_NOTICE, LD_CONFIG, "Configuration file \"%s\" not present, "
3968 "using reasonable defaults.", fname);
3969 tor_free(fname); /* sets fname to NULL */
3970 torrc_fname = NULL;
3971 cf = tor_strdup("");
3972 } else {
3973 log(LOG_WARN, LD_CONFIG,
3974 "Unable to open configuration file \"%s\".", fname);
3975 goto err;
3979 return cf;
3980 err:
3981 tor_free(fname);
3982 torrc_fname = NULL;
3983 return NULL;
3986 /** Read a configuration file into <b>options</b>, finding the configuration
3987 * file location based on the command line. After loading the file
3988 * call options_init_from_string() to load the config.
3989 * Return 0 if success, -1 if failure. */
3991 options_init_from_torrc(int argc, char **argv)
3993 char *cf=NULL;
3994 int i, retval, command;
3995 static char **backup_argv;
3996 static int backup_argc;
3997 char *command_arg = NULL;
3998 char *errmsg=NULL;
4000 if (argv) { /* first time we're called. save command line args */
4001 backup_argv = argv;
4002 backup_argc = argc;
4003 } else { /* we're reloading. need to clean up old options first. */
4004 argv = backup_argv;
4005 argc = backup_argc;
4007 if (argc > 1 && (!strcmp(argv[1], "-h") || !strcmp(argv[1],"--help"))) {
4008 print_usage();
4009 exit(0);
4011 if (argc > 1 && !strcmp(argv[1], "--list-torrc-options")) {
4012 /* For documenting validating whether we've documented everything. */
4013 list_torrc_options();
4014 exit(0);
4017 if (argc > 1 && (!strcmp(argv[1],"--version"))) {
4018 printf("Tor version %s.\n",get_version());
4019 exit(0);
4022 /* Go through command-line variables */
4023 if (!global_cmdline_options) {
4024 /* Or we could redo the list every time we pass this place.
4025 * It does not really matter */
4026 if (config_get_commandlines(argc, argv, &global_cmdline_options) < 0) {
4027 goto err;
4031 command = CMD_RUN_TOR;
4032 for (i = 1; i < argc; ++i) {
4033 if (!strcmp(argv[i],"--list-fingerprint")) {
4034 command = CMD_LIST_FINGERPRINT;
4035 } else if (!strcmp(argv[i],"--hash-password")) {
4036 command = CMD_HASH_PASSWORD;
4037 command_arg = tor_strdup( (i < argc-1) ? argv[i+1] : "");
4038 ++i;
4039 } else if (!strcmp(argv[i],"--verify-config")) {
4040 command = CMD_VERIFY_CONFIG;
4044 if (command == CMD_HASH_PASSWORD) {
4045 cf = tor_strdup("");
4046 } else {
4047 cf = load_torrc_from_disk(argc, argv);
4048 if (!cf)
4049 goto err;
4052 retval = options_init_from_string(cf, command, command_arg, &errmsg);
4053 tor_free(cf);
4054 if (retval < 0)
4055 goto err;
4057 return 0;
4059 err:
4060 if (errmsg) {
4061 log(LOG_WARN,LD_CONFIG,"%s", errmsg);
4062 tor_free(errmsg);
4064 return -1;
4067 /** Load the options from the configuration in <b>cf</b>, validate
4068 * them for consistency and take actions based on them.
4070 * Return 0 if success, negative on error:
4071 * * -1 for general errors.
4072 * * -2 for failure to parse/validate,
4073 * * -3 for transition not allowed
4074 * * -4 for error while setting the new options
4076 setopt_err_t
4077 options_init_from_string(const char *cf,
4078 int command, const char *command_arg,
4079 char **msg)
4081 or_options_t *oldoptions, *newoptions;
4082 config_line_t *cl;
4083 int retval;
4084 setopt_err_t err = SETOPT_ERR_MISC;
4085 tor_assert(msg);
4087 oldoptions = global_options; /* get_options unfortunately asserts if
4088 this is the first time we run*/
4090 newoptions = tor_malloc_zero(sizeof(or_options_t));
4091 newoptions->_magic = OR_OPTIONS_MAGIC;
4092 options_init(newoptions);
4093 newoptions->command = command;
4094 newoptions->command_arg = command_arg;
4096 /* get config lines, assign them */
4097 retval = config_get_lines(cf, &cl);
4098 if (retval < 0) {
4099 err = SETOPT_ERR_PARSE;
4100 goto err;
4102 retval = config_assign(&options_format, newoptions, cl, 0, 0, msg);
4103 config_free_lines(cl);
4104 if (retval < 0) {
4105 err = SETOPT_ERR_PARSE;
4106 goto err;
4109 /* Go through command-line variables too */
4110 retval = config_assign(&options_format, newoptions,
4111 global_cmdline_options, 0, 0, msg);
4112 if (retval < 0) {
4113 err = SETOPT_ERR_PARSE;
4114 goto err;
4117 /* If this is a testing network configuration, change defaults
4118 * for a list of dependent config options, re-initialize newoptions
4119 * with the new defaults, and assign all options to it second time. */
4120 if (newoptions->TestingTorNetwork) {
4121 /* XXXX this is a bit of a kludge. perhaps there's a better way to do
4122 * this? We could, for example, make the parsing algorithm do two passes
4123 * over the configuration. If it finds any "suite" options like
4124 * TestingTorNetwork, it could change the defaults before its second pass.
4125 * Not urgent so long as this seems to work, but at any sign of trouble,
4126 * let's clean it up. -NM */
4128 /* Change defaults. */
4129 int i;
4130 for (i = 0; testing_tor_network_defaults[i].name; ++i) {
4131 config_var_t *new_var = &testing_tor_network_defaults[i];
4132 config_var_t *old_var =
4133 config_find_option(&options_format, new_var->name);
4134 tor_assert(new_var);
4135 tor_assert(old_var);
4136 old_var->initvalue = new_var->initvalue;
4139 /* Clear newoptions and re-initialize them with new defaults. */
4140 config_free(&options_format, newoptions);
4141 newoptions = tor_malloc_zero(sizeof(or_options_t));
4142 newoptions->_magic = OR_OPTIONS_MAGIC;
4143 options_init(newoptions);
4144 newoptions->command = command;
4145 newoptions->command_arg = command_arg;
4147 /* Assign all options a second time. */
4148 retval = config_get_lines(cf, &cl);
4149 if (retval < 0) {
4150 err = SETOPT_ERR_PARSE;
4151 goto err;
4153 retval = config_assign(&options_format, newoptions, cl, 0, 0, msg);
4154 config_free_lines(cl);
4155 if (retval < 0) {
4156 err = SETOPT_ERR_PARSE;
4157 goto err;
4159 retval = config_assign(&options_format, newoptions,
4160 global_cmdline_options, 0, 0, msg);
4161 if (retval < 0) {
4162 err = SETOPT_ERR_PARSE;
4163 goto err;
4167 /* Validate newoptions */
4168 if (options_validate(oldoptions, newoptions, 0, msg) < 0) {
4169 err = SETOPT_ERR_PARSE; /*XXX make this a separate return value.*/
4170 goto err;
4173 if (options_transition_allowed(oldoptions, newoptions, msg) < 0) {
4174 err = SETOPT_ERR_TRANSITION;
4175 goto err;
4178 if (set_options(newoptions, msg)) {
4179 err = SETOPT_ERR_SETTING;
4180 goto err; /* frees and replaces old options */
4183 return SETOPT_OK;
4185 err:
4186 config_free(&options_format, newoptions);
4187 if (*msg) {
4188 int len = strlen(*msg)+256;
4189 char *newmsg = tor_malloc(len);
4191 tor_snprintf(newmsg, len, "Failed to parse/validate config: %s", *msg);
4192 tor_free(*msg);
4193 *msg = newmsg;
4195 return err;
4198 /** Return the location for our configuration file.
4200 const char *
4201 get_torrc_fname(void)
4203 if (torrc_fname)
4204 return torrc_fname;
4205 else
4206 return get_default_conf_file();
4209 /** Adjust the address map based on the MapAddress elements in the
4210 * configuration <b>options</b>
4212 static void
4213 config_register_addressmaps(or_options_t *options)
4215 smartlist_t *elts;
4216 config_line_t *opt;
4217 char *from, *to;
4219 addressmap_clear_configured();
4220 elts = smartlist_create();
4221 for (opt = options->AddressMap; opt; opt = opt->next) {
4222 smartlist_split_string(elts, opt->value, NULL,
4223 SPLIT_SKIP_SPACE|SPLIT_IGNORE_BLANK, 2);
4224 if (smartlist_len(elts) >= 2) {
4225 from = smartlist_get(elts,0);
4226 to = smartlist_get(elts,1);
4227 if (address_is_invalid_destination(to, 1)) {
4228 log_warn(LD_CONFIG,
4229 "Skipping invalid argument '%s' to MapAddress", to);
4230 } else {
4231 addressmap_register(from, tor_strdup(to), 0, ADDRMAPSRC_TORRC);
4232 if (smartlist_len(elts)>2) {
4233 log_warn(LD_CONFIG,"Ignoring extra arguments to MapAddress.");
4236 } else {
4237 log_warn(LD_CONFIG,"MapAddress '%s' has too few arguments. Ignoring.",
4238 opt->value);
4240 SMARTLIST_FOREACH(elts, char*, cp, tor_free(cp));
4241 smartlist_clear(elts);
4243 smartlist_free(elts);
4247 * Initialize the logs based on the configuration file.
4249 static int
4250 options_init_logs(or_options_t *options, int validate_only)
4252 config_line_t *opt;
4253 int ok;
4254 smartlist_t *elts;
4255 int daemon =
4256 #ifdef MS_WINDOWS
4258 #else
4259 options->RunAsDaemon;
4260 #endif
4262 ok = 1;
4263 elts = smartlist_create();
4265 for (opt = options->Logs; opt; opt = opt->next) {
4266 log_severity_list_t *severity;
4267 const char *cfg = opt->value;
4268 severity = tor_malloc_zero(sizeof(log_severity_list_t));
4269 if (parse_log_severity_config(&cfg, severity) < 0) {
4270 log_warn(LD_CONFIG, "Couldn't parse log levels in Log option 'Log %s'",
4271 opt->value);
4272 ok = 0; goto cleanup;
4275 smartlist_split_string(elts, cfg, NULL,
4276 SPLIT_SKIP_SPACE|SPLIT_IGNORE_BLANK, 2);
4278 if (smartlist_len(elts) == 0)
4279 smartlist_add(elts, tor_strdup("stdout"));
4281 if (smartlist_len(elts) == 1 &&
4282 (!strcasecmp(smartlist_get(elts,0), "stdout") ||
4283 !strcasecmp(smartlist_get(elts,0), "stderr"))) {
4284 int err = smartlist_len(elts) &&
4285 !strcasecmp(smartlist_get(elts,0), "stderr");
4286 if (!validate_only) {
4287 if (daemon) {
4288 log_warn(LD_CONFIG,
4289 "Can't log to %s with RunAsDaemon set; skipping stdout",
4290 err?"stderr":"stdout");
4291 } else {
4292 add_stream_log(severity, err?"<stderr>":"<stdout>",
4293 fileno(err?stderr:stdout));
4296 goto cleanup;
4298 if (smartlist_len(elts) == 1 &&
4299 !strcasecmp(smartlist_get(elts,0), "syslog")) {
4300 #ifdef HAVE_SYSLOG_H
4301 if (!validate_only) {
4302 add_syslog_log(severity);
4304 #else
4305 log_warn(LD_CONFIG, "Syslog is not supported on this system. Sorry.");
4306 #endif
4307 goto cleanup;
4310 if (smartlist_len(elts) == 2 &&
4311 !strcasecmp(smartlist_get(elts,0), "file")) {
4312 if (!validate_only) {
4313 if (add_file_log(severity, smartlist_get(elts, 1)) < 0) {
4314 log_warn(LD_CONFIG, "Couldn't open file for 'Log %s': %s",
4315 opt->value, strerror(errno));
4316 ok = 0;
4319 goto cleanup;
4322 log_warn(LD_CONFIG, "Bad syntax on file Log option 'Log %s'",
4323 opt->value);
4324 ok = 0; goto cleanup;
4326 cleanup:
4327 SMARTLIST_FOREACH(elts, char*, cp, tor_free(cp));
4328 smartlist_clear(elts);
4329 tor_free(severity);
4331 smartlist_free(elts);
4333 return ok?0:-1;
4336 /** Read the contents of a Bridge line from <b>line</b>. Return 0
4337 * if the line is well-formed, and -1 if it isn't. If
4338 * <b>validate_only</b> is 0, and the line is well-formed, then add
4339 * the bridge described in the line to our internal bridge list. */
4340 static int
4341 parse_bridge_line(const char *line, int validate_only)
4343 smartlist_t *items = NULL;
4344 int r;
4345 char *addrport=NULL, *fingerprint=NULL;
4346 tor_addr_t addr;
4347 uint16_t port = 0;
4348 char digest[DIGEST_LEN];
4350 items = smartlist_create();
4351 smartlist_split_string(items, line, NULL,
4352 SPLIT_SKIP_SPACE|SPLIT_IGNORE_BLANK, -1);
4353 if (smartlist_len(items) < 1) {
4354 log_warn(LD_CONFIG, "Too few arguments to Bridge line.");
4355 goto err;
4357 addrport = smartlist_get(items, 0);
4358 smartlist_del_keeporder(items, 0);
4359 if (tor_addr_port_parse(addrport, &addr, &port)<0) {
4360 log_warn(LD_CONFIG, "Error parsing Bridge address '%s'", addrport);
4361 goto err;
4363 if (!port) {
4364 log_info(LD_CONFIG,
4365 "Bridge address '%s' has no port; using default port 443.",
4366 addrport);
4367 port = 443;
4370 if (smartlist_len(items)) {
4371 fingerprint = smartlist_join_strings(items, "", 0, NULL);
4372 if (strlen(fingerprint) != HEX_DIGEST_LEN) {
4373 log_warn(LD_CONFIG, "Key digest for Bridge is wrong length.");
4374 goto err;
4376 if (base16_decode(digest, DIGEST_LEN, fingerprint, HEX_DIGEST_LEN)<0) {
4377 log_warn(LD_CONFIG, "Unable to decode Bridge key digest.");
4378 goto err;
4382 if (!validate_only) {
4383 log_debug(LD_DIR, "Bridge at %s:%d (%s)", fmt_addr(&addr),
4384 (int)port,
4385 fingerprint ? fingerprint : "no key listed");
4386 bridge_add_from_config(&addr, port, fingerprint ? digest : NULL);
4389 r = 0;
4390 goto done;
4392 err:
4393 r = -1;
4395 done:
4396 SMARTLIST_FOREACH(items, char*, s, tor_free(s));
4397 smartlist_free(items);
4398 tor_free(addrport);
4399 tor_free(fingerprint);
4400 return r;
4403 /** Read the contents of a DirServer line from <b>line</b>. If
4404 * <b>validate_only</b> is 0, and the line is well-formed, and it
4405 * shares any bits with <b>required_type</b> or <b>required_type</b>
4406 * is 0, then add the dirserver described in the line (minus whatever
4407 * bits it's missing) as a valid authority. Return 0 on success,
4408 * or -1 if the line isn't well-formed or if we can't add it. */
4409 static int
4410 parse_dir_server_line(const char *line, authority_type_t required_type,
4411 int validate_only)
4413 smartlist_t *items = NULL;
4414 int r;
4415 char *addrport=NULL, *address=NULL, *nickname=NULL, *fingerprint=NULL;
4416 uint16_t dir_port = 0, or_port = 0;
4417 char digest[DIGEST_LEN];
4418 char v3_digest[DIGEST_LEN];
4419 authority_type_t type = V2_AUTHORITY;
4420 int is_not_hidserv_authority = 0, is_not_v2_authority = 0;
4422 items = smartlist_create();
4423 smartlist_split_string(items, line, NULL,
4424 SPLIT_SKIP_SPACE|SPLIT_IGNORE_BLANK, -1);
4425 if (smartlist_len(items) < 1) {
4426 log_warn(LD_CONFIG, "No arguments on DirServer line.");
4427 goto err;
4430 if (is_legal_nickname(smartlist_get(items, 0))) {
4431 nickname = smartlist_get(items, 0);
4432 smartlist_del_keeporder(items, 0);
4435 while (smartlist_len(items)) {
4436 char *flag = smartlist_get(items, 0);
4437 if (TOR_ISDIGIT(flag[0]))
4438 break;
4439 if (!strcasecmp(flag, "v1")) {
4440 type |= (V1_AUTHORITY | HIDSERV_AUTHORITY);
4441 } else if (!strcasecmp(flag, "hs")) {
4442 type |= HIDSERV_AUTHORITY;
4443 } else if (!strcasecmp(flag, "no-hs")) {
4444 is_not_hidserv_authority = 1;
4445 } else if (!strcasecmp(flag, "bridge")) {
4446 type |= BRIDGE_AUTHORITY;
4447 } else if (!strcasecmp(flag, "no-v2")) {
4448 is_not_v2_authority = 1;
4449 } else if (!strcasecmpstart(flag, "orport=")) {
4450 int ok;
4451 char *portstring = flag + strlen("orport=");
4452 or_port = (uint16_t) tor_parse_long(portstring, 10, 1, 65535, &ok, NULL);
4453 if (!ok)
4454 log_warn(LD_CONFIG, "Invalid orport '%s' on DirServer line.",
4455 portstring);
4456 } else if (!strcasecmpstart(flag, "v3ident=")) {
4457 char *idstr = flag + strlen("v3ident=");
4458 if (strlen(idstr) != HEX_DIGEST_LEN ||
4459 base16_decode(v3_digest, DIGEST_LEN, idstr, HEX_DIGEST_LEN)<0) {
4460 log_warn(LD_CONFIG, "Bad v3 identity digest '%s' on DirServer line",
4461 flag);
4462 } else {
4463 type |= V3_AUTHORITY;
4465 } else {
4466 log_warn(LD_CONFIG, "Unrecognized flag '%s' on DirServer line",
4467 flag);
4469 tor_free(flag);
4470 smartlist_del_keeporder(items, 0);
4472 if (is_not_hidserv_authority)
4473 type &= ~HIDSERV_AUTHORITY;
4474 if (is_not_v2_authority)
4475 type &= ~V2_AUTHORITY;
4477 if (smartlist_len(items) < 2) {
4478 log_warn(LD_CONFIG, "Too few arguments to DirServer line.");
4479 goto err;
4481 addrport = smartlist_get(items, 0);
4482 smartlist_del_keeporder(items, 0);
4483 if (parse_addr_port(LOG_WARN, addrport, &address, NULL, &dir_port)<0) {
4484 log_warn(LD_CONFIG, "Error parsing DirServer address '%s'", addrport);
4485 goto err;
4487 if (!dir_port) {
4488 log_warn(LD_CONFIG, "Missing port in DirServer address '%s'",addrport);
4489 goto err;
4492 fingerprint = smartlist_join_strings(items, "", 0, NULL);
4493 if (strlen(fingerprint) != HEX_DIGEST_LEN) {
4494 log_warn(LD_CONFIG, "Key digest for DirServer is wrong length %d.",
4495 (int)strlen(fingerprint));
4496 goto err;
4498 if (!strcmp(fingerprint, "E623F7625FBE0C87820F11EC5F6D5377ED816294")) {
4499 /* a known bad fingerprint. refuse to use it. We can remove this
4500 * clause once Tor 0.1.2.17 is obsolete. */
4501 log_warn(LD_CONFIG, "Dangerous dirserver line. To correct, erase your "
4502 "torrc file (%s), or reinstall Tor and use the default torrc.",
4503 get_torrc_fname());
4504 goto err;
4506 if (base16_decode(digest, DIGEST_LEN, fingerprint, HEX_DIGEST_LEN)<0) {
4507 log_warn(LD_CONFIG, "Unable to decode DirServer key digest.");
4508 goto err;
4511 if (!validate_only && (!required_type || required_type & type)) {
4512 if (required_type)
4513 type &= required_type; /* pare down what we think of them as an
4514 * authority for. */
4515 log_debug(LD_DIR, "Trusted %d dirserver at %s:%d (%s)", (int)type,
4516 address, (int)dir_port, (char*)smartlist_get(items,0));
4517 if (!add_trusted_dir_server(nickname, address, dir_port, or_port,
4518 digest, v3_digest, type))
4519 goto err;
4522 r = 0;
4523 goto done;
4525 err:
4526 r = -1;
4528 done:
4529 SMARTLIST_FOREACH(items, char*, s, tor_free(s));
4530 smartlist_free(items);
4531 tor_free(addrport);
4532 tor_free(address);
4533 tor_free(nickname);
4534 tor_free(fingerprint);
4535 return r;
4538 /** Adjust the value of options->DataDirectory, or fill it in if it's
4539 * absent. Return 0 on success, -1 on failure. */
4540 static int
4541 normalize_data_directory(or_options_t *options)
4543 #ifdef MS_WINDOWS
4544 char *p;
4545 if (options->DataDirectory)
4546 return 0; /* all set */
4547 p = tor_malloc(MAX_PATH);
4548 strlcpy(p,get_windows_conf_root(),MAX_PATH);
4549 options->DataDirectory = p;
4550 return 0;
4551 #else
4552 const char *d = options->DataDirectory;
4553 if (!d)
4554 d = "~/.tor";
4556 if (strncmp(d,"~/",2) == 0) {
4557 char *fn = expand_filename(d);
4558 if (!fn) {
4559 log_warn(LD_CONFIG,"Failed to expand filename \"%s\".", d);
4560 return -1;
4562 if (!options->DataDirectory && !strcmp(fn,"/.tor")) {
4563 /* If our homedir is /, we probably don't want to use it. */
4564 /* Default to LOCALSTATEDIR/tor which is probably closer to what we
4565 * want. */
4566 log_warn(LD_CONFIG,
4567 "Default DataDirectory is \"~/.tor\". This expands to "
4568 "\"%s\", which is probably not what you want. Using "
4569 "\"%s"PATH_SEPARATOR"tor\" instead", fn, LOCALSTATEDIR);
4570 tor_free(fn);
4571 fn = tor_strdup(LOCALSTATEDIR PATH_SEPARATOR "tor");
4573 tor_free(options->DataDirectory);
4574 options->DataDirectory = fn;
4576 return 0;
4577 #endif
4580 /** Check and normalize the value of options->DataDirectory; return 0 if it
4581 * sane, -1 otherwise. */
4582 static int
4583 validate_data_directory(or_options_t *options)
4585 if (normalize_data_directory(options) < 0)
4586 return -1;
4587 tor_assert(options->DataDirectory);
4588 if (strlen(options->DataDirectory) > (512-128)) {
4589 log_warn(LD_CONFIG, "DataDirectory is too long.");
4590 return -1;
4592 return 0;
4595 /** This string must remain the same forevermore. It is how we
4596 * recognize that the torrc file doesn't need to be backed up. */
4597 #define GENERATED_FILE_PREFIX "# This file was generated by Tor; " \
4598 "if you edit it, comments will not be preserved"
4599 /** This string can change; it tries to give the reader an idea
4600 * that editing this file by hand is not a good plan. */
4601 #define GENERATED_FILE_COMMENT "# The old torrc file was renamed " \
4602 "to torrc.orig.1 or similar, and Tor will ignore it"
4604 /** Save a configuration file for the configuration in <b>options</b>
4605 * into the file <b>fname</b>. If the file already exists, and
4606 * doesn't begin with GENERATED_FILE_PREFIX, rename it. Otherwise
4607 * replace it. Return 0 on success, -1 on failure. */
4608 static int
4609 write_configuration_file(const char *fname, or_options_t *options)
4611 char *old_val=NULL, *new_val=NULL, *new_conf=NULL;
4612 int rename_old = 0, r;
4613 size_t len;
4615 tor_assert(fname);
4617 switch (file_status(fname)) {
4618 case FN_FILE:
4619 old_val = read_file_to_str(fname, 0, NULL);
4620 if (strcmpstart(old_val, GENERATED_FILE_PREFIX)) {
4621 rename_old = 1;
4623 tor_free(old_val);
4624 break;
4625 case FN_NOENT:
4626 break;
4627 case FN_ERROR:
4628 case FN_DIR:
4629 default:
4630 log_warn(LD_CONFIG,
4631 "Config file \"%s\" is not a file? Failing.", fname);
4632 return -1;
4635 if (!(new_conf = options_dump(options, 1))) {
4636 log_warn(LD_BUG, "Couldn't get configuration string");
4637 goto err;
4640 len = strlen(new_conf)+256;
4641 new_val = tor_malloc(len);
4642 tor_snprintf(new_val, len, "%s\n%s\n\n%s",
4643 GENERATED_FILE_PREFIX, GENERATED_FILE_COMMENT, new_conf);
4645 if (rename_old) {
4646 int i = 1;
4647 size_t fn_tmp_len = strlen(fname)+32;
4648 char *fn_tmp;
4649 tor_assert(fn_tmp_len > strlen(fname)); /*check for overflow*/
4650 fn_tmp = tor_malloc(fn_tmp_len);
4651 while (1) {
4652 if (tor_snprintf(fn_tmp, fn_tmp_len, "%s.orig.%d", fname, i)<0) {
4653 log_warn(LD_BUG, "tor_snprintf failed inexplicably");
4654 tor_free(fn_tmp);
4655 goto err;
4657 if (file_status(fn_tmp) == FN_NOENT)
4658 break;
4659 ++i;
4661 log_notice(LD_CONFIG, "Renaming old configuration file to \"%s\"", fn_tmp);
4662 if (rename(fname, fn_tmp) < 0) {
4663 log_warn(LD_FS,
4664 "Couldn't rename configuration file \"%s\" to \"%s\": %s",
4665 fname, fn_tmp, strerror(errno));
4666 tor_free(fn_tmp);
4667 goto err;
4669 tor_free(fn_tmp);
4672 if (write_str_to_file(fname, new_val, 0) < 0)
4673 goto err;
4675 r = 0;
4676 goto done;
4677 err:
4678 r = -1;
4679 done:
4680 tor_free(new_val);
4681 tor_free(new_conf);
4682 return r;
4686 * Save the current configuration file value to disk. Return 0 on
4687 * success, -1 on failure.
4690 options_save_current(void)
4692 if (torrc_fname) {
4693 /* This fails if we can't write to our configuration file.
4695 * If we try falling back to datadirectory or something, we have a better
4696 * chance of saving the configuration, but a better chance of doing
4697 * something the user never expected. Let's just warn instead. */
4698 return write_configuration_file(torrc_fname, get_options());
4700 return write_configuration_file(get_default_conf_file(), get_options());
4703 /** Mapping from a unit name to a multiplier for converting that unit into a
4704 * base unit. */
4705 struct unit_table_t {
4706 const char *unit;
4707 uint64_t multiplier;
4710 /** Table to map the names of memory units to the number of bytes they
4711 * contain. */
4712 static struct unit_table_t memory_units[] = {
4713 { "", 1 },
4714 { "b", 1<< 0 },
4715 { "byte", 1<< 0 },
4716 { "bytes", 1<< 0 },
4717 { "kb", 1<<10 },
4718 { "kbyte", 1<<10 },
4719 { "kbytes", 1<<10 },
4720 { "kilobyte", 1<<10 },
4721 { "kilobytes", 1<<10 },
4722 { "m", 1<<20 },
4723 { "mb", 1<<20 },
4724 { "mbyte", 1<<20 },
4725 { "mbytes", 1<<20 },
4726 { "megabyte", 1<<20 },
4727 { "megabytes", 1<<20 },
4728 { "gb", 1<<30 },
4729 { "gbyte", 1<<30 },
4730 { "gbytes", 1<<30 },
4731 { "gigabyte", 1<<30 },
4732 { "gigabytes", 1<<30 },
4733 { "tb", U64_LITERAL(1)<<40 },
4734 { "terabyte", U64_LITERAL(1)<<40 },
4735 { "terabytes", U64_LITERAL(1)<<40 },
4736 { NULL, 0 },
4739 /** Table to map the names of time units to the number of seconds they
4740 * contain. */
4741 static struct unit_table_t time_units[] = {
4742 { "", 1 },
4743 { "second", 1 },
4744 { "seconds", 1 },
4745 { "minute", 60 },
4746 { "minutes", 60 },
4747 { "hour", 60*60 },
4748 { "hours", 60*60 },
4749 { "day", 24*60*60 },
4750 { "days", 24*60*60 },
4751 { "week", 7*24*60*60 },
4752 { "weeks", 7*24*60*60 },
4753 { NULL, 0 },
4756 /** Parse a string <b>val</b> containing a number, zero or more
4757 * spaces, and an optional unit string. If the unit appears in the
4758 * table <b>u</b>, then multiply the number by the unit multiplier.
4759 * On success, set *<b>ok</b> to 1 and return this product.
4760 * Otherwise, set *<b>ok</b> to 0.
4762 static uint64_t
4763 config_parse_units(const char *val, struct unit_table_t *u, int *ok)
4765 uint64_t v;
4766 char *cp;
4768 tor_assert(ok);
4770 v = tor_parse_uint64(val, 10, 0, UINT64_MAX, ok, &cp);
4771 if (!*ok)
4772 return 0;
4773 if (!cp) {
4774 *ok = 1;
4775 return v;
4777 while (TOR_ISSPACE(*cp))
4778 ++cp;
4779 for ( ;u->unit;++u) {
4780 if (!strcasecmp(u->unit, cp)) {
4781 v *= u->multiplier;
4782 *ok = 1;
4783 return v;
4786 log_warn(LD_CONFIG, "Unknown unit '%s'.", cp);
4787 *ok = 0;
4788 return 0;
4791 /** Parse a string in the format "number unit", where unit is a unit of
4792 * information (byte, KB, M, etc). On success, set *<b>ok</b> to true
4793 * and return the number of bytes specified. Otherwise, set
4794 * *<b>ok</b> to false and return 0. */
4795 static uint64_t
4796 config_parse_memunit(const char *s, int *ok)
4798 return config_parse_units(s, memory_units, ok);
4801 /** Parse a string in the format "number unit", where unit is a unit of time.
4802 * On success, set *<b>ok</b> to true and return the number of seconds in
4803 * the provided interval. Otherwise, set *<b>ok</b> to 0 and return -1.
4805 static int
4806 config_parse_interval(const char *s, int *ok)
4808 uint64_t r;
4809 r = config_parse_units(s, time_units, ok);
4810 if (!ok)
4811 return -1;
4812 if (r > INT_MAX) {
4813 log_warn(LD_CONFIG, "Interval '%s' is too long", s);
4814 *ok = 0;
4815 return -1;
4817 return (int)r;
4820 /* This is what passes for version detection on OSX. We set
4821 * MACOSX_KQUEUE_IS_BROKEN to true iff we're on a version of OSX before
4822 * 10.4.0 (aka 1040). */
4823 #ifdef __APPLE__
4824 #ifdef __ENVIRONMENT_MAC_OS_X_VERSION_MIN_REQUIRED__
4825 #define MACOSX_KQUEUE_IS_BROKEN \
4826 (__ENVIRONMENT_MAC_OS_X_VERSION_MIN_REQUIRED__ < 1040)
4827 #else
4828 #define MACOSX_KQUEUE_IS_BROKEN 0
4829 #endif
4830 #endif
4833 * Initialize the libevent library.
4835 static void
4836 init_libevent(void)
4838 configure_libevent_logging();
4839 /* If the kernel complains that some method (say, epoll) doesn't
4840 * exist, we don't care about it, since libevent will cope.
4842 suppress_libevent_log_msg("Function not implemented");
4843 #ifdef __APPLE__
4844 if (MACOSX_KQUEUE_IS_BROKEN ||
4845 decode_libevent_version(event_get_version(), NULL) < LE_11B) {
4846 setenv("EVENT_NOKQUEUE","1",1);
4848 #endif
4850 /* In libevent versions before 2.0, it's hard to keep binary compatibility
4851 * between upgrades, and unpleasant to detect when the version we compiled
4852 * against is unlike the version we have linked against. Here's how. */
4853 #if defined(_EVENT_VERSION) && defined(HAVE_EVENT_GET_VERSION)
4854 /* We have a header-file version and a function-call version. Easy. */
4855 if (strcmp(_EVENT_VERSION, event_get_version())) {
4856 int compat1 = -1, compat2 = -1;
4857 int verybad, prettybad ;
4858 decode_libevent_version(_EVENT_VERSION, &compat1);
4859 decode_libevent_version(event_get_version(), &compat2);
4860 verybad = compat1 != compat2;
4861 prettybad = (compat1 == -1 || compat2 == -1) && compat1 != compat2;
4863 log(verybad ? LOG_WARN : (prettybad ? LOG_NOTICE : LOG_INFO),
4864 LD_GENERAL, "We were compiled with headers from version %s "
4865 "of Libevent, but we're using a Libevent library that says it's "
4866 "version %s.", _EVENT_VERSION, event_get_version());
4867 if (verybad)
4868 log_warn(LD_GENERAL, "This will almost certainly make Tor crash.");
4869 else if (prettybad)
4870 log_notice(LD_GENERAL, "If Tor crashes, this might be why.");
4871 else
4872 log_info(LD_GENERAL, "I think these versions are binary-compatible.");
4874 #elif defined(HAVE_EVENT_GET_VERSION)
4875 /* event_get_version but no _EVENT_VERSION. We might be in 1.4.0-beta or
4876 earlier, where that's normal. To see whether we were compiled with an
4877 earlier version, let's see whether the struct event defines MIN_HEAP_IDX.
4879 #ifdef HAVE_STRUCT_EVENT_MIN_HEAP_IDX
4880 /* The header files are 1.4.0-beta or later. If the version is not
4881 * 1.4.0-beta, we are incompatible. */
4883 if (strcmp(event_get_version(), "1.4.0-beta")) {
4884 log_warn(LD_GENERAL, "It's a little hard to tell, but you seem to have "
4885 "Libevent 1.4.0-beta header files, whereas you have linked "
4886 "against Libevent %s. This will probably make Tor crash.",
4887 event_get_version());
4890 #else
4891 /* Our headers are 1.3e or earlier. If the library version is not 1.4.x or
4892 later, we're probably fine. */
4894 const char *v = event_get_version();
4895 if ((v[0] == '1' && v[2] == '.' && v[3] > '3') || v[0] > '1') {
4896 log_warn(LD_GENERAL, "It's a little hard to tell, but you seem to have "
4897 "Libevent header file from 1.3e or earlier, whereas you have "
4898 "linked against Libevent %s. This will probably make Tor "
4899 "crash.", event_get_version());
4902 #endif
4904 #elif defined(_EVENT_VERSION)
4905 #warn "_EVENT_VERSION is defined but not get_event_version(): Libevent is odd."
4906 #else
4907 /* Your libevent is ancient. */
4908 #endif
4910 event_init();
4911 suppress_libevent_log_msg(NULL);
4912 #if defined(HAVE_EVENT_GET_VERSION) && defined(HAVE_EVENT_GET_METHOD)
4913 /* Making this a NOTICE for now so we can link bugs to a libevent versions
4914 * or methods better. */
4915 log(LOG_NOTICE, LD_GENERAL,
4916 "Initialized libevent version %s using method %s. Good.",
4917 event_get_version(), event_get_method());
4918 check_libevent_version(event_get_method(), get_options()->ORPort != 0);
4919 #else
4920 log(LOG_NOTICE, LD_GENERAL,
4921 "Initialized old libevent (version 1.0b or earlier).");
4922 log(LOG_WARN, LD_GENERAL,
4923 "You have a *VERY* old version of libevent. It is likely to be buggy; "
4924 "please build Tor with a more recent version.");
4925 #endif
4928 /** Table mapping return value of event_get_version() to le_version_t. */
4929 static const struct {
4930 const char *name; le_version_t version; int bincompat;
4931 } le_version_table[] = {
4932 /* earlier versions don't have get_version. */
4933 { "1.0c", LE_10C, 1},
4934 { "1.0d", LE_10D, 1},
4935 { "1.0e", LE_10E, 1},
4936 { "1.1", LE_11, 1 },
4937 { "1.1a", LE_11A, 1 },
4938 { "1.1b", LE_11B, 1 },
4939 { "1.2", LE_12, 1 },
4940 { "1.2a", LE_12A, 1 },
4941 { "1.3", LE_13, 1 },
4942 { "1.3a", LE_13A, 1 },
4943 { "1.3b", LE_13B, 1 },
4944 { "1.3c", LE_13C, 1 },
4945 { "1.3d", LE_13D, 1 },
4946 { "1.3e", LE_13E, 1 },
4947 { "1.4.0-beta", LE_140, 2 },
4948 { "1.4.1-beta", LE_141, 2 },
4949 { "1.4.2-rc", LE_142, 2 },
4950 { "1.4.3-stable", LE_143, 2 },
4951 { "1.4.4-stable", LE_144, 2 },
4952 { "1.4.5-stable", LE_145, 2 },
4953 { "1.4.6-stable", LE_146, 2 },
4954 { "1.4.7-stable", LE_147, 2 },
4955 { "1.4.8-stable", LE_148, 2 },
4956 { "1.4.99-trunk", LE_1499, 3 },
4957 { NULL, LE_OTHER, 0 }
4960 /** Return the le_version_t for the current version of libevent. If the
4961 * version is very new, return LE_OTHER. If the version is so old that it
4962 * doesn't support event_get_version(), return LE_OLD. */
4963 static le_version_t
4964 decode_libevent_version(const char *v, int *bincompat_out)
4966 int i;
4967 for (i=0; le_version_table[i].name; ++i) {
4968 if (!strcmp(le_version_table[i].name, v)) {
4969 if (bincompat_out)
4970 *bincompat_out = le_version_table[i].bincompat;
4971 return le_version_table[i].version;
4974 if (v[0] != '1' && bincompat_out)
4975 *bincompat_out = 100;
4976 else if (!strcmpstart(v, "1.4") && bincompat_out)
4977 *bincompat_out = 2;
4978 return LE_OTHER;
4981 #if defined(HAVE_EVENT_GET_VERSION) && defined(HAVE_EVENT_GET_METHOD)
4983 * Compare the given libevent method and version to a list of versions
4984 * which are known not to work. Warn the user as appropriate.
4986 static void
4987 check_libevent_version(const char *m, int server)
4989 int buggy = 0, iffy = 0, slow = 0, thread_unsafe = 0;
4990 le_version_t version;
4991 const char *v = event_get_version();
4992 const char *badness = NULL;
4993 const char *sad_os = "";
4995 version = decode_libevent_version(v, NULL);
4997 /* XXX Would it be worthwhile disabling the methods that we know
4998 * are buggy, rather than just warning about them and then proceeding
4999 * to use them? If so, we should probably not wrap this whole thing
5000 * in HAVE_EVENT_GET_VERSION and HAVE_EVENT_GET_METHOD. -RD */
5001 /* XXXX The problem is that it's not trivial to get libevent to change it's
5002 * method once it's initialized, and it's not trivial to tell what method it
5003 * will use without initializing it. I guess we could preemptively disable
5004 * buggy libevent modes based on the version _before_ initializing it,
5005 * though, but then there's no good way (afaict) to warn "I would have used
5006 * kqueue, but instead I'm using select." -NM */
5007 if (!strcmp(m, "kqueue")) {
5008 if (version < LE_11B)
5009 buggy = 1;
5010 } else if (!strcmp(m, "epoll")) {
5011 if (version < LE_11)
5012 iffy = 1;
5013 } else if (!strcmp(m, "poll")) {
5014 if (version < LE_10E)
5015 buggy = 1;
5016 else if (version < LE_11)
5017 slow = 1;
5018 } else if (!strcmp(m, "select")) {
5019 if (version < LE_11)
5020 slow = 1;
5021 } else if (!strcmp(m, "win32")) {
5022 if (version < LE_11B)
5023 buggy = 1;
5026 /* Libevent versions before 1.3b do very badly on operating systems with
5027 * user-space threading implementations. */
5028 #if defined(__OpenBSD__) || defined(__FreeBSD__) || defined(__NetBSD__)
5029 if (server && version < LE_13B) {
5030 thread_unsafe = 1;
5031 sad_os = "BSD variants";
5033 #elif defined(__APPLE__) || defined(__darwin__)
5034 if (server && version < LE_13B) {
5035 thread_unsafe = 1;
5036 sad_os = "Mac OS X";
5038 #endif
5040 if (thread_unsafe) {
5041 log(LOG_WARN, LD_GENERAL,
5042 "Libevent version %s often crashes when running a Tor server with %s. "
5043 "Please use the latest version of libevent (1.3b or later)",v,sad_os);
5044 badness = "BROKEN";
5045 } else if (buggy) {
5046 log(LOG_WARN, LD_GENERAL,
5047 "There are serious bugs in using %s with libevent %s. "
5048 "Please use the latest version of libevent.", m, v);
5049 badness = "BROKEN";
5050 } else if (iffy) {
5051 log(LOG_WARN, LD_GENERAL,
5052 "There are minor bugs in using %s with libevent %s. "
5053 "You may want to use the latest version of libevent.", m, v);
5054 badness = "BUGGY";
5055 } else if (slow && server) {
5056 log(LOG_WARN, LD_GENERAL,
5057 "libevent %s can be very slow with %s. "
5058 "When running a server, please use the latest version of libevent.",
5059 v,m);
5060 badness = "SLOW";
5062 if (badness) {
5063 control_event_general_status(LOG_WARN,
5064 "BAD_LIBEVENT VERSION=%s METHOD=%s BADNESS=%s RECOVERED=NO",
5065 v, m, badness);
5069 #endif
5071 /** Return the persistent state struct for this Tor. */
5072 or_state_t *
5073 get_or_state(void)
5075 tor_assert(global_state);
5076 return global_state;
5079 /** Return a newly allocated string holding a filename relative to the data
5080 * directory. If <b>sub1</b> is present, it is the first path component after
5081 * the data directory. If <b>sub2</b> is also present, it is the second path
5082 * component after the data directory. If <b>suffix</b> is present, it
5083 * is appended to the filename.
5085 * Examples:
5086 * get_datadir_fname2_suffix("a", NULL, NULL) -> $DATADIR/a
5087 * get_datadir_fname2_suffix("a", NULL, ".tmp") -> $DATADIR/a.tmp
5088 * get_datadir_fname2_suffix("a", "b", ".tmp") -> $DATADIR/a/b/.tmp
5089 * get_datadir_fname2_suffix("a", "b", NULL) -> $DATADIR/a/b
5091 * Note: Consider using the get_datadir_fname* macros in or.h.
5093 char *
5094 options_get_datadir_fname2_suffix(or_options_t *options,
5095 const char *sub1, const char *sub2,
5096 const char *suffix)
5098 char *fname = NULL;
5099 size_t len;
5100 tor_assert(options);
5101 tor_assert(options->DataDirectory);
5102 tor_assert(sub1 || !sub2); /* If sub2 is present, sub1 must be present. */
5103 len = strlen(options->DataDirectory);
5104 if (sub1) {
5105 len += strlen(sub1)+1;
5106 if (sub2)
5107 len += strlen(sub2)+1;
5109 if (suffix)
5110 len += strlen(suffix);
5111 len++;
5112 fname = tor_malloc(len);
5113 if (sub1) {
5114 if (sub2) {
5115 tor_snprintf(fname, len, "%s"PATH_SEPARATOR"%s"PATH_SEPARATOR"%s",
5116 options->DataDirectory, sub1, sub2);
5117 } else {
5118 tor_snprintf(fname, len, "%s"PATH_SEPARATOR"%s",
5119 options->DataDirectory, sub1);
5121 } else {
5122 strlcpy(fname, options->DataDirectory, len);
5124 if (suffix)
5125 strlcat(fname, suffix, len);
5126 return fname;
5129 /** Return 0 if every setting in <b>state</b> is reasonable, and a
5130 * permissible transition from <b>old_state</b>. Else warn and return -1.
5131 * Should have no side effects, except for normalizing the contents of
5132 * <b>state</b>.
5134 /* XXX from_setconf is here because of bug 238 */
5135 static int
5136 or_state_validate(or_state_t *old_state, or_state_t *state,
5137 int from_setconf, char **msg)
5139 /* We don't use these; only options do. Still, we need to match that
5140 * signature. */
5141 (void) from_setconf;
5142 (void) old_state;
5144 if (entry_guards_parse_state(state, 0, msg)<0)
5145 return -1;
5147 return 0;
5150 /** Replace the current persistent state with <b>new_state</b> */
5151 static void
5152 or_state_set(or_state_t *new_state)
5154 char *err = NULL;
5155 tor_assert(new_state);
5156 if (global_state)
5157 config_free(&state_format, global_state);
5158 global_state = new_state;
5159 if (entry_guards_parse_state(global_state, 1, &err)<0) {
5160 log_warn(LD_GENERAL,"%s",err);
5161 tor_free(err);
5163 if (rep_hist_load_state(global_state, &err)<0) {
5164 log_warn(LD_GENERAL,"Unparseable bandwidth history state: %s",err);
5165 tor_free(err);
5169 /** Reload the persistent state from disk, generating a new state as needed.
5170 * Return 0 on success, less than 0 on failure.
5172 static int
5173 or_state_load(void)
5175 or_state_t *new_state = NULL;
5176 char *contents = NULL, *fname;
5177 char *errmsg = NULL;
5178 int r = -1, badstate = 0;
5180 fname = get_datadir_fname("state");
5181 switch (file_status(fname)) {
5182 case FN_FILE:
5183 if (!(contents = read_file_to_str(fname, 0, NULL))) {
5184 log_warn(LD_FS, "Unable to read state file \"%s\"", fname);
5185 goto done;
5187 break;
5188 case FN_NOENT:
5189 break;
5190 case FN_ERROR:
5191 case FN_DIR:
5192 default:
5193 log_warn(LD_GENERAL,"State file \"%s\" is not a file? Failing.", fname);
5194 goto done;
5196 new_state = tor_malloc_zero(sizeof(or_state_t));
5197 new_state->_magic = OR_STATE_MAGIC;
5198 config_init(&state_format, new_state);
5199 if (contents) {
5200 config_line_t *lines=NULL;
5201 int assign_retval;
5202 if (config_get_lines(contents, &lines)<0)
5203 goto done;
5204 assign_retval = config_assign(&state_format, new_state,
5205 lines, 0, 0, &errmsg);
5206 config_free_lines(lines);
5207 if (assign_retval<0)
5208 badstate = 1;
5209 if (errmsg) {
5210 log_warn(LD_GENERAL, "%s", errmsg);
5211 tor_free(errmsg);
5215 if (!badstate && or_state_validate(NULL, new_state, 1, &errmsg) < 0)
5216 badstate = 1;
5218 if (errmsg) {
5219 log_warn(LD_GENERAL, "%s", errmsg);
5220 tor_free(errmsg);
5223 if (badstate && !contents) {
5224 log_warn(LD_BUG, "Uh oh. We couldn't even validate our own default state."
5225 " This is a bug in Tor.");
5226 goto done;
5227 } else if (badstate && contents) {
5228 int i;
5229 file_status_t status;
5230 size_t len = strlen(fname)+16;
5231 char *fname2 = tor_malloc(len);
5232 for (i = 0; i < 100; ++i) {
5233 tor_snprintf(fname2, len, "%s.%d", fname, i);
5234 status = file_status(fname2);
5235 if (status == FN_NOENT)
5236 break;
5238 if (i == 100) {
5239 log_warn(LD_BUG, "Unable to parse state in \"%s\"; too many saved bad "
5240 "state files to move aside. Discarding the old state file.",
5241 fname);
5242 unlink(fname);
5243 } else {
5244 log_warn(LD_BUG, "Unable to parse state in \"%s\". Moving it aside "
5245 "to \"%s\". This could be a bug in Tor; please tell "
5246 "the developers.", fname, fname2);
5247 if (rename(fname, fname2) < 0) {
5248 log_warn(LD_BUG, "Weirdly, I couldn't even move the state aside. The "
5249 "OS gave an error of %s", strerror(errno));
5252 tor_free(fname2);
5253 tor_free(contents);
5254 config_free(&state_format, new_state);
5256 new_state = tor_malloc_zero(sizeof(or_state_t));
5257 new_state->_magic = OR_STATE_MAGIC;
5258 config_init(&state_format, new_state);
5259 } else if (contents) {
5260 log_info(LD_GENERAL, "Loaded state from \"%s\"", fname);
5261 } else {
5262 log_info(LD_GENERAL, "Initialized state");
5264 or_state_set(new_state);
5265 new_state = NULL;
5266 if (!contents) {
5267 global_state->next_write = 0;
5268 or_state_save(time(NULL));
5270 r = 0;
5272 done:
5273 tor_free(fname);
5274 tor_free(contents);
5275 if (new_state)
5276 config_free(&state_format, new_state);
5278 return r;
5281 /** Write the persistent state to disk. Return 0 for success, <0 on failure. */
5283 or_state_save(time_t now)
5285 char *state, *contents;
5286 char tbuf[ISO_TIME_LEN+1];
5287 size_t len;
5288 char *fname;
5290 tor_assert(global_state);
5292 if (global_state->next_write > now)
5293 return 0;
5295 /* Call everything else that might dirty the state even more, in order
5296 * to avoid redundant writes. */
5297 entry_guards_update_state(global_state);
5298 rep_hist_update_state(global_state);
5299 if (accounting_is_enabled(get_options()))
5300 accounting_run_housekeeping(now);
5302 global_state->LastWritten = time(NULL);
5303 tor_free(global_state->TorVersion);
5304 len = strlen(get_version())+8;
5305 global_state->TorVersion = tor_malloc(len);
5306 tor_snprintf(global_state->TorVersion, len, "Tor %s", get_version());
5308 state = config_dump(&state_format, global_state, 1, 0);
5309 len = strlen(state)+256;
5310 contents = tor_malloc(len);
5311 format_local_iso_time(tbuf, time(NULL));
5312 tor_snprintf(contents, len,
5313 "# Tor state file last generated on %s local time\n"
5314 "# Other times below are in GMT\n"
5315 "# You *do not* need to edit this file.\n\n%s",
5316 tbuf, state);
5317 tor_free(state);
5318 fname = get_datadir_fname("state");
5319 if (write_str_to_file(fname, contents, 0)<0) {
5320 log_warn(LD_FS, "Unable to write state to file \"%s\"", fname);
5321 tor_free(fname);
5322 tor_free(contents);
5323 return -1;
5325 log_info(LD_GENERAL, "Saved state to \"%s\"", fname);
5326 tor_free(fname);
5327 tor_free(contents);
5329 global_state->next_write = TIME_MAX;
5330 return 0;
5333 /** Given a file name check to see whether the file exists but has not been
5334 * modified for a very long time. If so, remove it. */
5335 void
5336 remove_file_if_very_old(const char *fname, time_t now)
5338 #define VERY_OLD_FILE_AGE (28*24*60*60)
5339 struct stat st;
5341 if (stat(fname, &st)==0 && st.st_mtime < now-VERY_OLD_FILE_AGE) {
5342 char buf[ISO_TIME_LEN+1];
5343 format_local_iso_time(buf, st.st_mtime);
5344 log_notice(LD_GENERAL, "Obsolete file %s hasn't been modified since %s. "
5345 "Removing it.", fname, buf);
5346 unlink(fname);
5350 /** Helper to implement GETINFO functions about configuration variables (not
5351 * their values). Given a "config/names" question, set *<b>answer</b> to a
5352 * new string describing the supported configuration variables and their
5353 * types. */
5355 getinfo_helper_config(control_connection_t *conn,
5356 const char *question, char **answer)
5358 (void) conn;
5359 if (!strcmp(question, "config/names")) {
5360 smartlist_t *sl = smartlist_create();
5361 int i;
5362 for (i = 0; _option_vars[i].name; ++i) {
5363 config_var_t *var = &_option_vars[i];
5364 const char *type, *desc;
5365 char *line;
5366 size_t len;
5367 desc = config_find_description(&options_format, var->name);
5368 switch (var->type) {
5369 case CONFIG_TYPE_STRING: type = "String"; break;
5370 case CONFIG_TYPE_FILENAME: type = "Filename"; break;
5371 case CONFIG_TYPE_UINT: type = "Integer"; break;
5372 case CONFIG_TYPE_INTERVAL: type = "TimeInterval"; break;
5373 case CONFIG_TYPE_MEMUNIT: type = "DataSize"; break;
5374 case CONFIG_TYPE_DOUBLE: type = "Float"; break;
5375 case CONFIG_TYPE_BOOL: type = "Boolean"; break;
5376 case CONFIG_TYPE_ISOTIME: type = "Time"; break;
5377 case CONFIG_TYPE_ROUTERSET: type = "RouterList"; break;
5378 case CONFIG_TYPE_CSV: type = "CommaList"; break;
5379 case CONFIG_TYPE_LINELIST: type = "LineList"; break;
5380 case CONFIG_TYPE_LINELIST_S: type = "Dependant"; break;
5381 case CONFIG_TYPE_LINELIST_V: type = "Virtual"; break;
5382 default:
5383 case CONFIG_TYPE_OBSOLETE:
5384 type = NULL; break;
5386 if (!type)
5387 continue;
5388 len = strlen(var->name)+strlen(type)+16;
5389 if (desc)
5390 len += strlen(desc);
5391 line = tor_malloc(len);
5392 if (desc)
5393 tor_snprintf(line, len, "%s %s %s\n",var->name,type,desc);
5394 else
5395 tor_snprintf(line, len, "%s %s\n",var->name,type);
5396 smartlist_add(sl, line);
5398 *answer = smartlist_join_strings(sl, "", 0, NULL);
5399 SMARTLIST_FOREACH(sl, char *, c, tor_free(c));
5400 smartlist_free(sl);
5402 return 0;