Bitcoin Core Fuzz Coverage Report

Coverage Report

Created: 2026-03-24 13:57

next uncovered line (L), next uncovered region (R), next uncovered branch (B)
/root/bitcoin/src/logging.cpp
Line
Count
Source
1
// Copyright (c) 2009-2010 Satoshi Nakamoto
2
// Copyright (c) 2009-present 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
#include <logging.h>
7
#include <memusage.h>
8
#include <util/check.h>
9
#include <util/fs.h>
10
#include <util/string.h>
11
#include <util/threadnames.h>
12
#include <util/time.h>
13
14
#include <array>
15
#include <cstring>
16
#include <map>
17
#include <optional>
18
#include <utility>
19
20
using util::Join;
21
using util::RemovePrefixView;
22
23
const char * const DEFAULT_DEBUGLOGFILE = "debug.log";
24
constexpr auto MAX_USER_SETABLE_SEVERITY_LEVEL{BCLog::Level::Info};
25
26
BCLog::Logger& LogInstance()
27
0
{
28
/**
29
 * NOTE: the logger instances is leaked on exit. This is ugly, but will be
30
 * cleaned up by the OS/libc. Defining a logger as a global object doesn't work
31
 * since the order of destruction of static/global objects is undefined.
32
 * Consider if the logger gets destroyed, and then some later destructor calls
33
 * LogInfo, maybe indirectly, and you get a core dump at shutdown trying to
34
 * access the logger. When the shutdown sequence is fully audited and tested,
35
 * explicit destruction of these objects can be implemented by changing this
36
 * from a raw pointer to a std::unique_ptr.
37
 * Since the ~Logger() destructor is never called, the Logger class and all
38
 * its subclasses must have implicitly-defined destructors.
39
 *
40
 * This method of initialization was originally introduced in
41
 * ee3374234c60aba2cc4c5cd5cac1c0aefc2d817c.
42
 */
43
0
    static BCLog::Logger* g_logger{new BCLog::Logger()};
44
0
    return *g_logger;
45
0
}
46
47
bool fLogIPs = DEFAULT_LOGIPS;
48
49
static int FileWriteStr(std::string_view str, FILE *fp)
50
0
{
51
0
    return fwrite(str.data(), 1, str.size(), fp);
52
0
}
53
54
bool BCLog::Logger::StartLogging()
55
0
{
56
0
    StdLockGuard scoped_lock(m_cs);
57
58
0
    assert(m_buffering);
59
0
    assert(m_fileout == nullptr);
60
61
0
    if (m_print_to_file) {
62
0
        assert(!m_file_path.empty());
63
0
        m_fileout = fsbridge::fopen(m_file_path, "a");
64
0
        if (!m_fileout) {
65
0
            return false;
66
0
        }
67
68
0
        setbuf(m_fileout, nullptr); // unbuffered
69
70
        // Add newlines to the logfile to distinguish this execution from the
71
        // last one.
72
0
        FileWriteStr("\n\n\n\n\n", m_fileout);
73
0
    }
74
75
    // dump buffered messages from before we opened the log
76
0
    m_buffering = false;
77
0
    if (m_buffer_lines_discarded > 0) {
78
0
        LogPrintStr_(strprintf("Early logging buffer overflowed, %d log lines discarded.\n", m_buffer_lines_discarded), SourceLocation{__func__}, BCLog::ALL, Level::Info, /*should_ratelimit=*/false);
Line
Count
Source
1172
0
#define strprintf tfm::format
79
0
    }
80
0
    while (!m_msgs_before_open.empty()) {
81
0
        const auto& buflog = m_msgs_before_open.front();
82
0
        std::string s{buflog.str};
83
0
        FormatLogStrInPlace(s, buflog.category, buflog.level, buflog.source_loc, buflog.threadname, buflog.now, buflog.mocktime);
84
0
        m_msgs_before_open.pop_front();
85
86
0
        if (m_print_to_file) FileWriteStr(s, m_fileout);
87
0
        if (m_print_to_console) fwrite(s.data(), 1, s.size(), stdout);
88
0
        for (const auto& cb : m_print_callbacks) {
89
0
            cb(s);
90
0
        }
91
0
    }
92
0
    m_cur_buffer_memusage = 0;
93
0
    if (m_print_to_console) fflush(stdout);
94
95
0
    return true;
96
0
}
97
98
void BCLog::Logger::DisconnectTestLogger()
99
0
{
100
0
    StdLockGuard scoped_lock(m_cs);
101
0
    m_buffering = true;
102
0
    if (m_fileout != nullptr) fclose(m_fileout);
103
0
    m_fileout = nullptr;
104
0
    m_print_callbacks.clear();
105
0
    m_max_buffer_memusage = DEFAULT_MAX_LOG_BUFFER;
106
0
    m_cur_buffer_memusage = 0;
107
0
    m_buffer_lines_discarded = 0;
108
0
    m_msgs_before_open.clear();
109
0
}
110
111
void BCLog::Logger::DisableLogging()
112
0
{
113
0
    {
114
0
        StdLockGuard scoped_lock(m_cs);
115
0
        assert(m_buffering);
116
0
        assert(m_print_callbacks.empty());
117
0
    }
118
0
    m_print_to_file = false;
119
0
    m_print_to_console = false;
120
0
    StartLogging();
121
0
}
122
123
void BCLog::Logger::EnableCategory(BCLog::LogFlags flag)
124
0
{
125
0
    m_categories |= flag;
126
0
}
127
128
bool BCLog::Logger::EnableCategory(std::string_view str)
129
0
{
130
0
    BCLog::LogFlags flag;
131
0
    if (!GetLogCategory(flag, str)) return false;
132
0
    EnableCategory(flag);
133
0
    return true;
134
0
}
135
136
void BCLog::Logger::DisableCategory(BCLog::LogFlags flag)
137
0
{
138
0
    m_categories &= ~flag;
139
0
}
140
141
bool BCLog::Logger::DisableCategory(std::string_view str)
142
0
{
143
0
    BCLog::LogFlags flag;
144
0
    if (!GetLogCategory(flag, str)) return false;
145
0
    DisableCategory(flag);
146
0
    return true;
147
0
}
148
149
bool BCLog::Logger::WillLogCategory(BCLog::LogFlags category) const
150
0
{
151
0
    return (m_categories.load(std::memory_order_relaxed) & category) != 0;
152
0
}
153
154
bool BCLog::Logger::WillLogCategoryLevel(BCLog::LogFlags category, BCLog::Level level) const
155
0
{
156
    // Log messages at Info, Warning and Error level unconditionally, so that
157
    // important troubleshooting information doesn't get lost.
158
0
    if (level >= BCLog::Level::Info) return true;
159
160
0
    if (!WillLogCategory(category)) return false;
161
162
0
    StdLockGuard scoped_lock(m_cs);
163
0
    const auto it{m_category_log_levels.find(category)};
164
0
    return level >= (it == m_category_log_levels.end() ? LogLevel() : it->second);
165
0
}
166
167
bool BCLog::Logger::DefaultShrinkDebugFile() const
168
0
{
169
0
    return m_categories == BCLog::NONE;
170
0
}
171
172
static const std::map<std::string, BCLog::LogFlags, std::less<>> LOG_CATEGORIES_BY_STR{
173
    {"net", BCLog::NET},
174
    {"tor", BCLog::TOR},
175
    {"mempool", BCLog::MEMPOOL},
176
    {"http", BCLog::HTTP},
177
    {"bench", BCLog::BENCH},
178
    {"zmq", BCLog::ZMQ},
179
    {"walletdb", BCLog::WALLETDB},
180
    {"rpc", BCLog::RPC},
181
    {"estimatefee", BCLog::ESTIMATEFEE},
182
    {"addrman", BCLog::ADDRMAN},
183
    {"selectcoins", BCLog::SELECTCOINS},
184
    {"reindex", BCLog::REINDEX},
185
    {"cmpctblock", BCLog::CMPCTBLOCK},
186
    {"rand", BCLog::RAND},
187
    {"prune", BCLog::PRUNE},
188
    {"proxy", BCLog::PROXY},
189
    {"mempoolrej", BCLog::MEMPOOLREJ},
190
    {"libevent", BCLog::LIBEVENT},
191
    {"coindb", BCLog::COINDB},
192
    {"qt", BCLog::QT},
193
    {"leveldb", BCLog::LEVELDB},
194
    {"validation", BCLog::VALIDATION},
195
    {"i2p", BCLog::I2P},
196
    {"ipc", BCLog::IPC},
197
#ifdef DEBUG_LOCKCONTENTION
198
    {"lock", BCLog::LOCK},
199
#endif
200
    {"blockstorage", BCLog::BLOCKSTORAGE},
201
    {"txreconciliation", BCLog::TXRECONCILIATION},
202
    {"scan", BCLog::SCAN},
203
    {"txpackages", BCLog::TXPACKAGES},
204
    {"kernel", BCLog::KERNEL},
205
    {"privatebroadcast", BCLog::PRIVBROADCAST},
206
};
207
208
static const std::unordered_map<BCLog::LogFlags, std::string> LOG_CATEGORIES_BY_FLAG{
209
    // Swap keys and values from LOG_CATEGORIES_BY_STR.
210
0
    [](const auto& in) {
211
0
        std::unordered_map<BCLog::LogFlags, std::string> out;
212
0
        for (const auto& [k, v] : in) {
213
0
            const bool inserted{out.emplace(v, k).second};
214
0
            assert(inserted);
215
0
        }
216
0
        return out;
217
0
    }(LOG_CATEGORIES_BY_STR)
218
};
219
220
bool GetLogCategory(BCLog::LogFlags& flag, std::string_view str)
221
0
{
222
0
    if (str.empty() || str == "1" || str == "all") {
223
0
        flag = BCLog::ALL;
224
0
        return true;
225
0
    }
226
0
    auto it = LOG_CATEGORIES_BY_STR.find(str);
227
0
    if (it != LOG_CATEGORIES_BY_STR.end()) {
228
0
        flag = it->second;
229
0
        return true;
230
0
    }
231
0
    return false;
232
0
}
233
234
std::string BCLog::Logger::LogLevelToStr(BCLog::Level level)
235
0
{
236
0
    switch (level) {
237
0
    case BCLog::Level::Trace:
238
0
        return "trace";
239
0
    case BCLog::Level::Debug:
240
0
        return "debug";
241
0
    case BCLog::Level::Info:
242
0
        return "info";
243
0
    case BCLog::Level::Warning:
244
0
        return "warning";
245
0
    case BCLog::Level::Error:
246
0
        return "error";
247
0
    }
248
0
    assert(false);
249
0
}
250
251
static std::string LogCategoryToStr(BCLog::LogFlags category)
252
0
{
253
0
    if (category == BCLog::ALL) {
254
0
        return "all";
255
0
    }
256
0
    auto it = LOG_CATEGORIES_BY_FLAG.find(category);
257
0
    assert(it != LOG_CATEGORIES_BY_FLAG.end());
258
0
    return it->second;
259
0
}
260
261
static std::optional<BCLog::Level> GetLogLevel(std::string_view level_str)
262
0
{
263
0
    if (level_str == "trace") {
264
0
        return BCLog::Level::Trace;
265
0
    } else if (level_str == "debug") {
266
0
        return BCLog::Level::Debug;
267
0
    } else if (level_str == "info") {
268
0
        return BCLog::Level::Info;
269
0
    } else if (level_str == "warning") {
270
0
        return BCLog::Level::Warning;
271
0
    } else if (level_str == "error") {
272
0
        return BCLog::Level::Error;
273
0
    } else {
274
0
        return std::nullopt;
275
0
    }
276
0
}
277
278
std::vector<LogCategory> BCLog::Logger::LogCategoriesList() const
279
0
{
280
0
    std::vector<LogCategory> ret;
281
0
    ret.reserve(LOG_CATEGORIES_BY_STR.size());
282
0
    for (const auto& [category, flag] : LOG_CATEGORIES_BY_STR) {
283
0
        ret.push_back(LogCategory{.category = category, .active = WillLogCategory(flag)});
284
0
    }
285
0
    return ret;
286
0
}
287
288
/** Log severity levels that can be selected by the user. */
289
static constexpr std::array<BCLog::Level, 3> LogLevelsList()
290
0
{
291
0
    return {BCLog::Level::Info, BCLog::Level::Debug, BCLog::Level::Trace};
292
0
}
293
294
std::string BCLog::Logger::LogLevelsString() const
295
0
{
296
0
    const auto& levels = LogLevelsList();
297
0
    return Join(std::vector<BCLog::Level>{levels.begin(), levels.end()}, ", ", [](BCLog::Level level) { return LogLevelToStr(level); });
298
0
}
299
300
std::string BCLog::Logger::LogTimestampStr(SystemClock::time_point now, std::chrono::seconds mocktime) const
301
0
{
302
0
    std::string strStamped;
303
304
0
    if (!m_log_timestamps)
305
0
        return strStamped;
306
307
0
    const auto now_seconds{std::chrono::time_point_cast<std::chrono::seconds>(now)};
308
0
    strStamped = FormatISO8601DateTime(TicksSinceEpoch<std::chrono::seconds>(now_seconds));
309
0
    if (m_log_time_micros && !strStamped.empty()) {
310
0
        strStamped.pop_back();
311
0
        strStamped += strprintf(".%06dZ", Ticks<std::chrono::microseconds>(now - now_seconds));
Line
Count
Source
1172
0
#define strprintf tfm::format
312
0
    }
313
0
    if (mocktime > 0s) {
314
0
        strStamped += " (mocktime: " + FormatISO8601DateTime(count_seconds(mocktime)) + ")";
315
0
    }
316
0
    strStamped += ' ';
317
318
0
    return strStamped;
319
0
}
320
321
namespace BCLog {
322
    /** Belts and suspenders: make sure outgoing log messages don't contain
323
     * potentially suspicious characters, such as terminal control codes.
324
     *
325
     * This escapes control characters except newline ('\n') in C syntax.
326
     * It escapes instead of removes them to still allow for troubleshooting
327
     * issues where they accidentally end up in strings.
328
     */
329
0
    std::string LogEscapeMessage(std::string_view str) {
330
0
        std::string ret;
331
0
        for (char ch_in : str) {
332
0
            uint8_t ch = (uint8_t)ch_in;
333
0
            if ((ch >= 32 || ch == '\n') && ch != '\x7f') {
334
0
                ret += ch_in;
335
0
            } else {
336
0
                ret += strprintf("\\x%02x", ch);
Line
Count
Source
1172
0
#define strprintf tfm::format
337
0
            }
338
0
        }
339
0
        return ret;
340
0
    }
341
} // namespace BCLog
342
343
std::string BCLog::Logger::GetLogPrefix(BCLog::LogFlags category, BCLog::Level level) const
344
0
{
345
0
    if (category == LogFlags::NONE) category = LogFlags::ALL;
346
347
0
    const bool has_category{m_always_print_category_level || category != LogFlags::ALL};
348
349
    // If there is no category, Info is implied
350
0
    if (!has_category && level == Level::Info) return {};
351
352
0
    std::string s{"["};
353
0
    if (has_category) {
354
0
        s += LogCategoryToStr(category);
355
0
    }
356
357
0
    if (m_always_print_category_level || !has_category || level != Level::Debug) {
358
        // If there is a category, Debug is implied, so don't add the level
359
360
        // Only add separator if we have a category
361
0
        if (has_category) s += ":";
362
0
        s += Logger::LogLevelToStr(level);
363
0
    }
364
365
0
    s += "] ";
366
0
    return s;
367
0
}
368
369
static size_t MemUsage(const BCLog::Logger::BufferedLog& buflog)
370
0
{
371
0
    return memusage::DynamicUsage(buflog.str) +
372
0
           memusage::DynamicUsage(buflog.threadname) +
373
0
           memusage::MallocUsage(sizeof(memusage::list_node<BCLog::Logger::BufferedLog>));
374
0
}
375
376
BCLog::LogRateLimiter::LogRateLimiter(uint64_t max_bytes, std::chrono::seconds reset_window)
377
0
    : m_max_bytes{max_bytes}, m_reset_window{reset_window} {}
378
379
std::shared_ptr<BCLog::LogRateLimiter> BCLog::LogRateLimiter::Create(
380
    SchedulerFunction&& scheduler_func, uint64_t max_bytes, std::chrono::seconds reset_window)
381
0
{
382
0
    auto limiter{std::shared_ptr<LogRateLimiter>(new LogRateLimiter(max_bytes, reset_window))};
383
0
    std::weak_ptr<LogRateLimiter> weak_limiter{limiter};
384
0
    auto reset = [weak_limiter] {
385
0
        if (auto shared_limiter{weak_limiter.lock()}) shared_limiter->Reset();
386
0
    };
387
0
    scheduler_func(reset, limiter->m_reset_window);
388
0
    return limiter;
389
0
}
390
391
BCLog::LogRateLimiter::Status BCLog::LogRateLimiter::Consume(
392
    const SourceLocation& source_loc,
393
    const std::string& str)
394
0
{
395
0
    StdLockGuard scoped_lock(m_mutex);
396
0
    auto& stats{m_source_locations.try_emplace(source_loc, m_max_bytes).first->second};
397
0
    Status status{stats.m_dropped_bytes > 0 ? Status::STILL_SUPPRESSED : Status::UNSUPPRESSED};
398
399
0
    if (!stats.Consume(str.size()) && status == Status::UNSUPPRESSED) {
400
0
        status = Status::NEWLY_SUPPRESSED;
401
0
        m_suppression_active = true;
402
0
    }
403
404
0
    return status;
405
0
}
406
407
void BCLog::Logger::FormatLogStrInPlace(std::string& str, BCLog::LogFlags category, BCLog::Level level, const SourceLocation& source_loc, std::string_view threadname, SystemClock::time_point now, std::chrono::seconds mocktime) const
408
0
{
409
0
    if (!str.ends_with('\n')) str.push_back('\n');
410
411
0
    str.insert(0, GetLogPrefix(category, level));
412
413
0
    if (m_log_sourcelocations) {
414
0
        str.insert(0, strprintf("[%s:%d] [%s] ", RemovePrefixView(source_loc.file_name(), "./"), source_loc.line(), source_loc.function_name_short()));
Line
Count
Source
1172
0
#define strprintf tfm::format
415
0
    }
416
417
0
    if (m_log_threadnames) {
418
0
        str.insert(0, strprintf("[%s] ", (threadname.empty() ? "unknown" : threadname)));
Line
Count
Source
1172
0
#define strprintf tfm::format
419
0
    }
420
421
0
    str.insert(0, LogTimestampStr(now, mocktime));
422
0
}
423
424
void BCLog::Logger::LogPrintStr(std::string_view str, SourceLocation&& source_loc, BCLog::LogFlags category, BCLog::Level level, bool should_ratelimit)
425
0
{
426
0
    StdLockGuard scoped_lock(m_cs);
427
0
    return LogPrintStr_(str, std::move(source_loc), category, level, should_ratelimit);
428
0
}
429
430
// NOLINTNEXTLINE(misc-no-recursion)
431
void BCLog::Logger::LogPrintStr_(std::string_view str, SourceLocation&& source_loc, BCLog::LogFlags category, BCLog::Level level, bool should_ratelimit)
432
0
{
433
0
    std::string str_prefixed = LogEscapeMessage(str);
434
435
0
    if (m_buffering) {
436
0
        {
437
0
            BufferedLog buf{
438
0
                .now = SystemClock::now(),
439
0
                .mocktime = GetMockTime(),
440
0
                .str = str_prefixed,
441
0
                .threadname = util::ThreadGetInternalName(),
442
0
                .source_loc = std::move(source_loc),
443
0
                .category = category,
444
0
                .level = level,
445
0
            };
446
0
            m_cur_buffer_memusage += MemUsage(buf);
447
0
            m_msgs_before_open.push_back(std::move(buf));
448
0
        }
449
450
0
        while (m_cur_buffer_memusage > m_max_buffer_memusage) {
451
0
            if (m_msgs_before_open.empty()) {
452
0
                m_cur_buffer_memusage = 0;
453
0
                break;
454
0
            }
455
0
            m_cur_buffer_memusage -= MemUsage(m_msgs_before_open.front());
456
0
            m_msgs_before_open.pop_front();
457
0
            ++m_buffer_lines_discarded;
458
0
        }
459
460
0
        return;
461
0
    }
462
463
0
    FormatLogStrInPlace(str_prefixed, category, level, source_loc, util::ThreadGetInternalName(), SystemClock::now(), GetMockTime());
464
0
    bool ratelimit{false};
465
0
    if (should_ratelimit && m_limiter) {
466
0
        auto status{m_limiter->Consume(source_loc, str_prefixed)};
467
0
        if (status == LogRateLimiter::Status::NEWLY_SUPPRESSED) {
468
            // NOLINTNEXTLINE(misc-no-recursion)
469
0
            LogPrintStr_(strprintf(
Line
Count
Source
1172
0
#define strprintf tfm::format
470
0
                             "Excessive logging detected from %s:%d (%s): >%d bytes logged during "
471
0
                             "the last time window of %is. Suppressing logging to disk from this "
472
0
                             "source location until time window resets. Console logging "
473
0
                             "unaffected. Last log entry.",
474
0
                             source_loc.file_name(), source_loc.line(), source_loc.function_name_short(),
475
0
                             m_limiter->m_max_bytes,
476
0
                             Ticks<std::chrono::seconds>(m_limiter->m_reset_window)),
477
0
                         SourceLocation{__func__}, LogFlags::ALL, Level::Warning, /*should_ratelimit=*/false); // with should_ratelimit=false, this cannot lead to infinite recursion
478
0
        } else if (status == LogRateLimiter::Status::STILL_SUPPRESSED) {
479
0
            ratelimit = true;
480
0
        }
481
0
    }
482
483
    // To avoid confusion caused by dropped log messages when debugging an issue,
484
    // we prefix log lines with "[*]" when there are any suppressed source locations.
485
0
    if (m_limiter && m_limiter->SuppressionsActive()) {
486
0
        str_prefixed.insert(0, "[*] ");
487
0
    }
488
489
0
    if (m_print_to_console) {
490
        // print to console
491
0
        fwrite(str_prefixed.data(), 1, str_prefixed.size(), stdout);
492
0
        fflush(stdout);
493
0
    }
494
0
    for (const auto& cb : m_print_callbacks) {
495
0
        cb(str_prefixed);
496
0
    }
497
0
    if (m_print_to_file && !ratelimit) {
498
0
        assert(m_fileout != nullptr);
499
500
        // reopen the log file, if requested
501
0
        if (m_reopen_file) {
502
0
            m_reopen_file = false;
503
0
            FILE* new_fileout = fsbridge::fopen(m_file_path, "a");
504
0
            if (new_fileout) {
505
0
                setbuf(new_fileout, nullptr); // unbuffered
506
0
                fclose(m_fileout);
507
0
                m_fileout = new_fileout;
508
0
            }
509
0
        }
510
0
        FileWriteStr(str_prefixed, m_fileout);
511
0
    }
512
0
}
513
514
void BCLog::Logger::ShrinkDebugFile()
515
0
{
516
    // Amount of debug.log to save at end when shrinking (must fit in memory)
517
0
    constexpr size_t RECENT_DEBUG_HISTORY_SIZE = 10 * 1000000;
518
519
0
    assert(!m_file_path.empty());
520
521
    // Scroll debug.log if it's getting too big
522
0
    FILE* file = fsbridge::fopen(m_file_path, "r");
523
524
    // Special files (e.g. device nodes) may not have a size.
525
0
    size_t log_size = 0;
526
0
    try {
527
0
        log_size = fs::file_size(m_file_path);
528
0
    } catch (const fs::filesystem_error&) {}
529
530
    // If debug.log file is more than 10% bigger the RECENT_DEBUG_HISTORY_SIZE
531
    // trim it down by saving only the last RECENT_DEBUG_HISTORY_SIZE bytes
532
0
    if (file && log_size > 11 * (RECENT_DEBUG_HISTORY_SIZE / 10))
533
0
    {
534
        // Restart the file with some of the end
535
0
        std::vector<char> vch(RECENT_DEBUG_HISTORY_SIZE, 0);
536
0
        if (fseek(file, -((long)vch.size()), SEEK_END)) {
537
0
            LogWarning("Failed to shrink debug log file: fseek(...) failed");
Line
Count
Source
96
0
#define LogWarning(...) LogPrintLevel_(BCLog::LogFlags::ALL, BCLog::Level::Warning, /*should_ratelimit=*/true, __VA_ARGS__)
Line
Count
Source
89
0
#define LogPrintLevel_(category, level, should_ratelimit, ...) LogPrintFormatInternal(SourceLocation{__func__}, category, level, should_ratelimit, __VA_ARGS__)
538
0
            fclose(file);
539
0
            return;
540
0
        }
541
0
        int nBytes = fread(vch.data(), 1, vch.size(), file);
542
0
        fclose(file);
543
544
0
        file = fsbridge::fopen(m_file_path, "w");
545
0
        if (file)
546
0
        {
547
0
            fwrite(vch.data(), 1, nBytes, file);
548
0
            fclose(file);
549
0
        }
550
0
    }
551
0
    else if (file != nullptr)
552
0
        fclose(file);
553
0
}
554
555
void BCLog::LogRateLimiter::Reset()
556
0
{
557
0
    decltype(m_source_locations) source_locations;
558
0
    {
559
0
        StdLockGuard scoped_lock(m_mutex);
560
0
        source_locations.swap(m_source_locations);
561
0
        m_suppression_active = false;
562
0
    }
563
0
    for (const auto& [source_loc, stats] : source_locations) {
564
0
        if (stats.m_dropped_bytes == 0) continue;
565
0
        LogPrintLevel_(
Line
Count
Source
89
0
#define LogPrintLevel_(category, level, should_ratelimit, ...) LogPrintFormatInternal(SourceLocation{__func__}, category, level, should_ratelimit, __VA_ARGS__)
566
0
            LogFlags::ALL, Level::Warning, /*should_ratelimit=*/false,
567
0
            "Restarting logging from %s:%d (%s): %d bytes were dropped during the last %ss.",
568
0
            source_loc.file_name(), source_loc.line(), source_loc.function_name_short(),
569
0
            stats.m_dropped_bytes, Ticks<std::chrono::seconds>(m_reset_window));
570
0
    }
571
0
}
572
573
bool BCLog::LogRateLimiter::Stats::Consume(uint64_t bytes)
574
0
{
575
0
    if (bytes > m_available_bytes) {
576
0
        m_dropped_bytes += bytes;
577
0
        m_available_bytes = 0;
578
0
        return false;
579
0
    }
580
581
0
    m_available_bytes -= bytes;
582
0
    return true;
583
0
}
584
585
bool BCLog::Logger::SetLogLevel(std::string_view level_str)
586
0
{
587
0
    const auto level = GetLogLevel(level_str);
588
0
    if (!level.has_value() || level.value() > MAX_USER_SETABLE_SEVERITY_LEVEL) return false;
589
0
    m_log_level = level.value();
590
0
    return true;
591
0
}
592
593
bool BCLog::Logger::SetCategoryLogLevel(std::string_view category_str, std::string_view level_str)
594
0
{
595
0
    BCLog::LogFlags flag;
596
0
    if (!GetLogCategory(flag, category_str)) return false;
597
598
0
    const auto level = GetLogLevel(level_str);
599
0
    if (!level.has_value() || level.value() > MAX_USER_SETABLE_SEVERITY_LEVEL) return false;
600
601
0
    StdLockGuard scoped_lock(m_cs);
602
0
    m_category_log_levels[flag] = level.value();
603
0
    return true;
604
0
}
605
606
bool util::log::ShouldLog(Category category, Level level)
607
0
{
608
0
    return LogInstance().WillLogCategoryLevel(static_cast<BCLog::LogFlags>(category), level);
609
0
}
610
611
void util::log::Log(util::log::Entry entry)
612
0
{
613
0
    BCLog::Logger& logger{LogInstance()};
614
0
    if (logger.Enabled()) {
615
0
        logger.LogPrintStr(std::move(entry.message), std::move(entry.source_loc), static_cast<BCLog::LogFlags>(entry.category), entry.level, entry.should_ratelimit);
616
0
    }
617
0
}