Coverage Report

Created: 2026-01-17 06:38

next uncovered line (L), next uncovered region (R), next uncovered branch (B)
/src/leveldb/util/logging.cc
Line
Count
Source
1
// Copyright (c) 2011 The LevelDB Authors. All rights reserved.
2
// Use of this source code is governed by a BSD-style license that can be
3
// found in the LICENSE file. See the AUTHORS file for names of contributors.
4
5
#include "util/logging.h"
6
7
#include <cstdarg>
8
#include <cstdio>
9
#include <cstdlib>
10
#include <limits>
11
12
#include "leveldb/env.h"
13
#include "leveldb/slice.h"
14
15
namespace leveldb {
16
17
5.76k
void AppendNumberTo(std::string* str, uint64_t num) {
18
5.76k
  char buf[30];
19
5.76k
  std::snprintf(buf, sizeof(buf), "%llu", static_cast<unsigned long long>(num));
20
5.76k
  str->append(buf);
21
5.76k
}
22
23
147k
void AppendEscapedStringTo(std::string* str, const Slice& value) {
24
69.1M
  for (size_t i = 0; i < value.size(); i++) {
25
69.0M
    char c = value[i];
26
69.0M
    if (c >= ' ' && c <= '~') {
27
7.77M
      str->push_back(c);
28
61.2M
    } else {
29
61.2M
      char buf[10];
30
61.2M
      std::snprintf(buf, sizeof(buf), "\\x%02x",
31
61.2M
                    static_cast<unsigned int>(c) & 0xff);
32
61.2M
      str->append(buf);
33
61.2M
    }
34
69.0M
  }
35
147k
}
36
37
0
std::string NumberToString(uint64_t num) {
38
0
  std::string r;
39
0
  AppendNumberTo(&r, num);
40
0
  return r;
41
0
}
42
43
147k
std::string EscapeString(const Slice& value) {
44
147k
  std::string r;
45
147k
  AppendEscapedStringTo(&r, value);
46
147k
  return r;
47
147k
}
48
49
3.51M
bool ConsumeDecimalNumber(Slice* in, uint64_t* val) {
50
  // Constants that will be optimized away.
51
3.51M
  constexpr const uint64_t kMaxUint64 = std::numeric_limits<uint64_t>::max();
52
3.51M
  constexpr const char kLastDigitOfMaxUint64 =
53
3.51M
      '0' + static_cast<char>(kMaxUint64 % 10);
54
55
3.51M
  uint64_t value = 0;
56
57
  // reinterpret_cast-ing from char* to uint8_t* to avoid signedness.
58
3.51M
  const uint8_t* start = reinterpret_cast<const uint8_t*>(in->data());
59
60
3.51M
  const uint8_t* end = start + in->size();
61
3.51M
  const uint8_t* current = start;
62
21.1M
  for (; current != end; ++current) {
63
20.6M
    const uint8_t ch = *current;
64
20.6M
    if (ch < '0' || ch > '9') break;
65
66
    // Overflow check.
67
    // kMaxUint64 / 10 is also constant and will be optimized away.
68
17.5M
    if (value > kMaxUint64 / 10 ||
69
17.5M
        (value == kMaxUint64 / 10 && ch > kLastDigitOfMaxUint64)) {
70
146
      return false;
71
146
    }
72
73
17.5M
    value = (value * 10) + (ch - '0');
74
17.5M
  }
75
76
3.51M
  *val = value;
77
3.51M
  const size_t digits_consumed = current - start;
78
3.51M
  in->remove_prefix(digits_consumed);
79
3.51M
  return digits_consumed != 0;
80
3.51M
}
81
82
}  // namespace leveldb