touch-fish 27
逆向工程intro
consteval & constexpr & constinit
c++里的ub,编译器是怎么对待UB的
circular que
不动态分配内存的实现就比较简单
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
#pragma once
#include <stdexcept>
/*
* A fixed capacity circular buffer or queue. When the buffer is full, adding
* a new value overwrites the oldest value. No heap allocation or memory copy is done.
*/
template <size_t CAPACITY, class T>
struct CircBuff {
T data[CAPACITY];
size_t start = 0;
size_t capacity = CAPACITY;
size_t size = 0;
size_t end = 0;
void stats() {
std::cout << "Cap: " << capacity << " Start: " << start << " End: " << end << " Sz: " << size << std::endl;
}
/*
* Empties out the buffer.
*/
void clear() {
start = 0;
end = 0;
size = 0;
}
/*
* Adds a value to the end of the buffer. If the buffer is already
* full capacity then this will overwrite the current first value in the buffer.
*/
void add(const T& value) {
//Set value at the current end position
data[end] = value;
if (size < capacity) {
//Grow size
++size;
}
//Move end forward
end = (end + 1) % capacity;
if (size == capacity) {
//At full capacity start and end
//must coincide
start = end;
}
}
/*
* Returns the first value in the buffer and removes it.
*/
T& take() {
if (size == 0) {
throw std::out_of_range("Buffer is empty.");
}
//Get the value at the front
T& result = at(0);
//Shrink
--size;
//Move start forward
start = (start + 1) % capacity;
return result;
}
/*
* Returns the current first value in the buffer without removing it.
*/
T& peek() {
return at(0);
}
/*
* Returns a value at a given position in the buffer. The value of
* pos must be [0, size).
*/
T& at(size_t pos) {
if (pos >= size) {
throw std::out_of_range("Index is outside the size of buffer.");
}
size_t i = (start + pos) % capacity;
return data[i];
}
bool empty() {
return size == 0;
}
};
shared_ptr导致的析构延迟
1
2
3
4
5
6
7
8
9
10
11
void ObjectA::Func() {
Item b;
b.obj = shared_from_this();
....
item_list.emplace_back(b);
}
void ObjectA::~ObjectA() {
item_list.clear();
}
这种因为item_list持有了A的shared_ptr,在A的ptr做reset的时候,实质上因为item_list里的shared_ptr并没有被释放,所以ObjectA实质上是没法走到析构的
如何判断系统有多少张网卡和相应的状态
- 查看所有网络接口:
1
ip a
或者
1
ip addr
这将列出所有网络接口,包括它们的状态(UP/DOWN)、IP地址、子网掩码等信息。
- 查看网络接口的统计信息:
1
ip -s link
这会显示每个网络接口的统计数据,如接收/发送的字节数、错误数等。
判断网卡状态的关键点: UP/DOWN状态:最基本的状态是查看接口是否处于UP(启用)或DOWN(禁用)状态。这个在ip a或ifconfig的输出中可以看到。
是否有IP地址:网络接口是否被配置了有效的IP地址。
This post is licensed under CC BY 4.0 by the author.