作为 c++ 新人,写一些简单的小工具,项目地址: https://github.com/yemingfeng/cmm/
mkdir build
cd build
cmake -j 6 ..
make
./cmm
class Node {
public:
// 真实开辟的空间
char *data;
// 开辟空间的大小
size_t size;
// 指向下一块的 node
Node *next;
Node() {
data = nullptr;
size = 0;
next = nullptr;
}
Node(size_t size) {
this->size = size;
this->data = new char[size];
next = nullptr;
}
~Node() {
delete data;
}
};
pool 维护一个 Node* free,用于表示当前已经申请并且可用的 Node 列表,注意这是一个哨兵 node
Node *findCanUse(size_t size) {
Node *result = nullptr;
// 查找能够满足此次开辟空间的 node
// 注意:这里是判断 it->next 是否满足条件,这样的好处是易于根据 it 节点移除 it->next 节点
Node *it = free;
while (it) {
if (it->next && it->next->size >= size) {
// 将这个节点移除
result = it->next;
it->next = it->next->next;
break;
}
it = it->next;
}
return result;
}
// 申请一块内存空间
Node *allocate(size_t size) {
// 查找 free 列表可用的 node
Node *result = findCanUse(size);
// 说明 free 列表未找到可用的 node,需要重新开辟这块空间
if (!result) {
std::cout << "未找到合适的空间,需要重新开辟:" << size << std::endl;
result = new Node(size);
}
return result;
}
直接将 node 加入到 free 列表中
// 释放一块内存空间
void deallocate(Node *node) {
// 简单的时间:将 node 加入到 free 列表最后
Node *it = free;
while (it->next) {
it = it->next;
}
it->next = node;
}
class Person {
public:
int id;
int sex;
friend std::ostream &operator<<(std::ostream &out, Person &p) {
out << "id = " << p.id << "\tsex = " << p.sex << "\tpointer = " << (&p) << std::endl;
return out;
}
};
void mock(Person *person) {
srand((unsigned) time(nullptr));
int id = std::abs(std::rand() % 100);
person->id = id;
person->sex = id;
}
int main() {
CMM::Pool pool;
size_t size = sizeof(Person);
auto oneNode = pool.allocate(size);
auto *one = reinterpret_cast<Person *>(oneNode->data);
mock(one);
std::cout << *one;
// 测试释放内存逻辑
pool.deallocate(oneNode);
auto twoNode = pool.allocate(size);
auto *two = reinterpret_cast<Person *>(twoNode->data);
mock(two);
// 这里输出的内存地址和 oneNode 是一样的
std::cout << *two;
auto threeNode = pool.allocate(size);
auto *three = reinterpret_cast<Person *>(threeNode->data);
mock(three);
// 这里输出的内存地址和 oneNode 是不一样的
std::cout << *three;
return 0;
}
这是一个专为移动设备优化的页面(即为了让你能够在 Google 搜索结果里秒开这个页面),如果你希望参与 V2EX 社区的讨论,你可以继续到 V2EX 上打开本讨论主题的完整版本。
V2EX 是创意工作者们的社区,是一个分享自己正在做的有趣事物、交流想法,可以遇见新朋友甚至新机会的地方。
V2EX is a community of developers, designers and creative people.