Bitcoin Core  25.99.0
P2P Digital Currency
bitcoind.cpp
Go to the documentation of this file.
1 // Copyright (c) 2009-2010 Satoshi Nakamoto
2 // Copyright (c) 2009-2022 The Bitcoin Core developers
3 // Distributed under the MIT software license, see the accompanying
4 // file COPYING or http://www.opensource.org/licenses/mit-license.php.
5 
6 #if defined(HAVE_CONFIG_H)
8 #endif
9 
10 #include <chainparams.h>
11 #include <clientversion.h>
12 #include <common/args.h>
13 #include <common/init.h>
14 #include <common/system.h>
15 #include <common/url.h>
16 #include <compat/compat.h>
17 #include <init.h>
18 #include <interfaces/chain.h>
19 #include <interfaces/init.h>
20 #include <node/context.h>
21 #include <node/interface_ui.h>
22 #include <noui.h>
23 #include <shutdown.h>
24 #include <util/check.h>
25 #include <util/exception.h>
26 #include <util/strencodings.h>
27 #include <util/syscall_sandbox.h>
28 #include <util/syserror.h>
29 #include <util/threadnames.h>
30 #include <util/tokenpipe.h>
31 #include <util/translation.h>
32 
33 #include <any>
34 #include <functional>
35 #include <optional>
36 
37 using node::NodeContext;
38 
39 const std::function<std::string(const char*)> G_TRANSLATION_FUN = nullptr;
41 
42 #if HAVE_DECL_FORK
43 
54 int fork_daemon(bool nochdir, bool noclose, TokenPipeEnd& endpoint)
55 {
56  // communication pipe with child process
57  std::optional<TokenPipe> umbilical = TokenPipe::Make();
58  if (!umbilical) {
59  return -1; // pipe or pipe2 failed.
60  }
61 
62  int pid = fork();
63  if (pid < 0) {
64  return -1; // fork failed.
65  }
66  if (pid != 0) {
67  // Parent process gets read end, closes write end.
68  endpoint = umbilical->TakeReadEnd();
69  umbilical->TakeWriteEnd().Close();
70 
71  int status = endpoint.TokenRead();
72  if (status != 0) { // Something went wrong while setting up child process.
73  endpoint.Close();
74  return -1;
75  }
76 
77  return pid;
78  }
79  // Child process gets write end, closes read end.
80  endpoint = umbilical->TakeWriteEnd();
81  umbilical->TakeReadEnd().Close();
82 
83 #if HAVE_DECL_SETSID
84  if (setsid() < 0) {
85  exit(1); // setsid failed.
86  }
87 #endif
88 
89  if (!nochdir) {
90  if (chdir("/") != 0) {
91  exit(1); // chdir failed.
92  }
93  }
94  if (!noclose) {
95  // Open /dev/null, and clone it into STDIN, STDOUT and STDERR to detach
96  // from terminal.
97  int fd = open("/dev/null", O_RDWR);
98  if (fd >= 0) {
99  bool err = dup2(fd, STDIN_FILENO) < 0 || dup2(fd, STDOUT_FILENO) < 0 || dup2(fd, STDERR_FILENO) < 0;
100  // Don't close if fd<=2 to try to handle the case where the program was invoked without any file descriptors open.
101  if (fd > 2) close(fd);
102  if (err) {
103  exit(1); // dup2 failed.
104  }
105  } else {
106  exit(1); // open /dev/null failed.
107  }
108  }
109  endpoint.TokenWrite(0); // Success
110  return 0;
111 }
112 
113 #endif
114 
115 static bool AppInit(NodeContext& node, int argc, char* argv[])
116 {
117  bool fRet = false;
118 
120 
121  // If Qt is used, parameters/bitcoin.conf are parsed in qt/bitcoin.cpp's main()
122  ArgsManager& args = *Assert(node.args);
124  std::string error;
125  if (!args.ParseParameters(argc, argv, error)) {
126  return InitError(Untranslated(strprintf("Error parsing command line arguments: %s", error)));
127  }
128 
129  // Process help and version before taking care about datadir
130  if (HelpRequested(args) || args.IsArgSet("-version")) {
131  std::string strUsage = PACKAGE_NAME " version " + FormatFullVersion() + "\n";
132 
133  if (args.IsArgSet("-version")) {
134  strUsage += FormatParagraph(LicenseInfo());
135  } else {
136  strUsage += "\nUsage: bitcoind [options] Start " PACKAGE_NAME "\n"
137  "\n";
138  strUsage += args.GetHelpMessage();
139  }
140 
141  tfm::format(std::cout, "%s", strUsage);
142  return true;
143  }
144 
145 #if HAVE_DECL_FORK
146  // Communication with parent after daemonizing. This is used for signalling in the following ways:
147  // - a boolean token is sent when the initialization process (all the Init* functions) have finished to indicate
148  // that the parent process can quit, and whether it was successful/unsuccessful.
149  // - an unexpected shutdown of the child process creates an unexpected end of stream at the parent
150  // end, which is interpreted as failure to start.
151  TokenPipeEnd daemon_ep;
152 #endif
153  std::any context{&node};
154  try
155  {
156  if (auto error = common::InitConfig(args)) {
157  return InitError(error->message, error->details);
158  }
159 
160  // Error out when loose non-argument tokens are encountered on command line
161  for (int i = 1; i < argc; i++) {
162  if (!IsSwitchChar(argv[i][0])) {
163  return InitError(Untranslated(strprintf("Command line contains unexpected token '%s', see bitcoind -h for a list of options.", argv[i])));
164  }
165  }
166 
167  // -server defaults to true for bitcoind but not for the GUI so do this here
168  args.SoftSetBoolArg("-server", true);
169  // Set this early so that parameter interactions go to console
170  InitLogging(args);
172  if (!AppInitBasicSetup(args)) {
173  // InitError will have been called with detailed error, which ends up on console
174  return false;
175  }
177  // InitError will have been called with detailed error, which ends up on console
178  return false;
179  }
180 
181  node.kernel = std::make_unique<kernel::Context>();
182  if (!AppInitSanityChecks(*node.kernel))
183  {
184  // InitError will have been called with detailed error, which ends up on console
185  return false;
186  }
187 
188  if (args.GetBoolArg("-daemon", DEFAULT_DAEMON) || args.GetBoolArg("-daemonwait", DEFAULT_DAEMONWAIT)) {
189 #if HAVE_DECL_FORK
190  tfm::format(std::cout, PACKAGE_NAME " starting\n");
191 
192  // Daemonize
193  switch (fork_daemon(1, 0, daemon_ep)) { // don't chdir (1), do close FDs (0)
194  case 0: // Child: continue.
195  // If -daemonwait is not enabled, immediately send a success token the parent.
196  if (!args.GetBoolArg("-daemonwait", DEFAULT_DAEMONWAIT)) {
197  daemon_ep.TokenWrite(1);
198  daemon_ep.Close();
199  }
200  break;
201  case -1: // Error happened.
202  return InitError(Untranslated(strprintf("fork_daemon() failed: %s", SysErrorString(errno))));
203  default: { // Parent: wait and exit.
204  int token = daemon_ep.TokenRead();
205  if (token) { // Success
206  exit(EXIT_SUCCESS);
207  } else { // fRet = false or token read error (premature exit).
208  tfm::format(std::cerr, "Error during initialization - check debug.log for details\n");
209  exit(EXIT_FAILURE);
210  }
211  }
212  }
213 #else
214  return InitError(Untranslated("-daemon is not supported on this operating system"));
215 #endif // HAVE_DECL_FORK
216  }
217  // Lock data directory after daemonization
219  {
220  // If locking the data directory failed, exit immediately
221  return false;
222  }
224  }
225  catch (const std::exception& e) {
226  PrintExceptionContinue(&e, "AppInit()");
227  } catch (...) {
228  PrintExceptionContinue(nullptr, "AppInit()");
229  }
230 
231 #if HAVE_DECL_FORK
232  if (daemon_ep.IsOpen()) {
233  // Signal initialization status to parent, then close pipe.
234  daemon_ep.TokenWrite(fRet);
235  daemon_ep.Close();
236  }
237 #endif
239  if (fRet) {
240  WaitForShutdown();
241  }
242  Interrupt(node);
243  Shutdown(node);
244 
245  return fRet;
246 }
247 
249 {
250 #ifdef WIN32
251  common::WinCmdLineArgs winArgs;
252  std::tie(argc, argv) = winArgs.get();
253 #endif
254 
257  std::unique_ptr<interfaces::Init> init = interfaces::MakeNodeInit(node, argc, argv, exit_status);
258  if (!init) {
259  return exit_status;
260  }
261 
263 
264  // Connect bitcoind signal handlers
265  noui_connect();
266 
267  return (AppInit(node, argc, argv) ? EXIT_SUCCESS : EXIT_FAILURE);
268 }
bool HelpRequested(const ArgsManager &args)
Definition: args.cpp:660
bool IsSwitchChar(char c)
Definition: args.h:43
#define PACKAGE_NAME
return EXIT_SUCCESS
UrlDecodeFn *const URL_DECODE
Definition: bitcoind.cpp:40
static bool AppInit(NodeContext &node, int argc, char *argv[])
Definition: bitcoind.cpp:115
noui_connect()
Definition: noui.cpp:59
const std::function< std::string(const char *)> G_TRANSLATION_FUN
Translate string to current locale using Qt.
Definition: bitcoind.cpp:39
SetupEnvironment()
Definition: system.cpp:54
int exit_status
Definition: bitcoind.cpp:256
MAIN_FUNCTION
Definition: bitcoind.cpp:249
#define Assert(val)
Identity function.
Definition: check.h:73
bool ParseParameters(int argc, const char *const argv[], std::string &error)
Definition: args.cpp:178
std::string GetHelpMessage() const
Get the help string.
Definition: args.cpp:591
bool IsArgSet(const std::string &strArg) const
Return true if the given argument has been manually set.
Definition: args.cpp:370
bool SoftSetBoolArg(const std::string &strArg, bool fValue)
Set a boolean argument if it doesn't already have a value.
Definition: args.cpp:537
bool GetBoolArg(const std::string &strArg, bool fDefault) const
Return boolean argument or default value.
Definition: args.cpp:506
One end of a token pipe.
Definition: tokenpipe.h:15
bool IsOpen()
Return whether endpoint is open.
Definition: tokenpipe.h:53
int TokenWrite(uint8_t token)
Write token to endpoint.
Definition: tokenpipe.cpp:40
void Close()
Explicit close function.
Definition: tokenpipe.cpp:78
int TokenRead()
Read token from endpoint.
Definition: tokenpipe.cpp:58
static std::optional< TokenPipe > Make()
Create a new pipe.
Definition: tokenpipe.cpp:84
std::string FormatFullVersion()
std::string LicenseInfo()
Returns licensing information (for -version)
void PrintExceptionContinue(const std::exception *pex, std::string_view thread_name)
Definition: exception.cpp:36
void Interrupt(NodeContext &node)
Interrupt threads.
Definition: init.cpp:214
void InitLogging(const ArgsManager &args)
Initialize global loggers.
Definition: init.cpp:773
bool AppInitLockDataDirectory()
Lock bitcoin core data directory.
Definition: init.cpp:1076
void SetupServerArgs(ArgsManager &argsman)
Register all arguments with the ArgsManager.
Definition: init.cpp:409
void Shutdown(NodeContext &node)
Definition: init.cpp:236
bool AppInitBasicSetup(const ArgsManager &args)
Initialize bitcoin core: Basic context setup.
Definition: init.cpp:803
bool AppInitInterfaces(NodeContext &node)
Initialize node and wallet interface pointers.
Definition: init.cpp:1088
void InitParameterInteraction(ArgsManager &args)
Parameter interaction: change current parameters depending on various rules.
Definition: init.cpp:681
bool AppInitMain(NodeContext &node, interfaces::BlockAndHeaderTipInfo *tip_info)
Bitcoin core main initialization.
Definition: init.cpp:1094
bool AppInitSanityChecks(const kernel::Context &kernel)
Initialization sanity checks.
Definition: init.cpp:1061
bool AppInitParameterInteraction(const ArgsManager &args, bool use_syscall_sandbox)
Initialization: parameter interaction.
Definition: init.cpp:844
static constexpr bool DEFAULT_DAEMON
Default value for -daemon option.
Definition: init.h:14
static constexpr bool DEFAULT_DAEMONWAIT
Default value for -daemonwait option.
Definition: init.h:16
bool InitError(const bilingual_str &str)
Show error message.
bool error(const char *fmt, const Args &... args)
Definition: logging.h:261
std::optional< ConfigError > InitConfig(ArgsManager &args, SettingsAbortFn settings_abort_fn)
Definition: init.cpp:18
std::unique_ptr< Init > MakeNodeInit(node::NodeContext &node, int argc, char *argv[], int &exit_status)
Return implementation of Init interface for the node process.
Definition: init.h:25
void format(std::ostream &out, const char *fmt, const Args &... args)
Format list of arguments to the stream according to given format string.
Definition: tinyformat.h:1060
void ThreadSetInternalName(std::string &&)
Set the internal (in-memory) name of the current thread only.
Definition: threadnames.cpp:65
WalletContext context
ArgsManager args
void WaitForShutdown()
Wait for StartShutdown to be called in any thread.
Definition: shutdown.cpp:94
NodeContext struct containing references to chain state and connection state.
Definition: context.h:45
void SetSyscallSandboxPolicy(SyscallSandboxPolicy syscall_policy)
Force the current thread (and threads created from the current thread) into a restricted-service oper...
std::string SysErrorString(int err)
Return system error string from errno value.
Definition: syserror.cpp:15
#define strprintf
Format arguments and return the string or write to given std::ostream (see tinyformat::format doc for...
Definition: tinyformat.h:1162
bilingual_str Untranslated(std::string original)
Mark a bilingual_str as untranslated.
Definition: translation.h:48
UrlDecodeFn urlDecode
Definition: url.h:11
std::string(const std::string &url_encoded) UrlDecodeFn
Definition: url.h:10
std::string FormatParagraph(std::string_view in, size_t width, size_t indent)
Format a paragraph of text to a fixed width, adding spaces for indentation to any added line.