pool接口:头文件为<boost/pool/pool.hpp>,主要用于快速分配小块内存,使用时需要指定每次要分配的内存块的大 小。其malloc函数用于从内存池中分配内存;free函数用于释放内存,并交还给内存池,而不是系统;release_memory函数用于释放所有 未被分配的内存;purge_memory函数用于释放所有内存。当然,也可以不调用free或release_memory等函数,pool接口对象在 析构时会调用purge_memory自动释放所有内存。示例代码如下:
pool <> myPool( sizeof ( int )); for ( int i = 0 ; i < 10 ; i ++ ) { int * pnNum = ( int * )myPool.malloc(); * pnNum = i + 1 ; cout << * pnNum << endl; }
object_pool < CTest > myObjectPool; for ( int j = 0 ; j < 10 ; j ++ ) { CTest * pTest = (CTest * )myObjectPool.construct(j * j); if (j == 5 ) { myObjectPool.destroy(pTest); } }
struct intpool { }; struct intpool2 { }; typedef singleton_pool < intpool, sizeof ( int ) > ipool1; typedef singleton_pool < intpool2, sizeof ( int ) > ipool2; for ( int i = 0 ; i < 10 ; ++ i) { int * q1 = ( int * )ipool1::malloc(); int * q2 = ( int * )ipool2::malloc(); * q1 = i; * q2 = i * i; cout << * q1 << " and " << * q2 << endl; } ipool1::purge_memory(); ipool2::purge_memory();
-------------------------------------------------------分割线-----------------------------------------------------------------------------------
Pool分配是一种分配内存方法,用于快速分配同样大小的内存块,
尤其是反复分配/释放同样大小的内存块的情况。
1. pool
快速分配小块内存,如果pool无法提供小块内存给用户,返回0。
Example:
void func() { boost::pool <> p( sizeof ( int )); ^^^^^^^^^^^ 指定每次分配的块的大小 for ( int i = 0 ; i < 10000 ; ++ i) { int * const t = p.malloc(); pool分配指定大小的内存块;需要的时候,pool会向系统 申请大块内存。 ... // Do something with t; don't take the time to free() it p.free( t ); // 释放内存块,交还给pool,不是返回给系统。 }
2. object_pool
与pool的区别在于:pool需要指定每次分配的块的大小,object_pool需要指定
每次分配的对象的类型。
Example:
struct X { ... }; // has destructor with side-effects void func() { boost::object_pool < X > p; ^ for ( int i = 0 ; i < 10000 ; ++ i) { X * const t = p.malloc(); 注意;X的构造函数不会被调用,仅仅是分配大小为sizeof(X) 的内存块。如果需要调用构造函数(像new一样),应该调用 construct。比如: X * const t = p.construct(); ... } }
struct MyPoolTag { }; typedef boost::singleton_pool < MyPoolTag, sizeof ( int ) > my_pool; void func() { for ( int i = 0 ; i < 10000 ; ++ i) { int * const t = my_pool::malloc(); // ^^^^^^^^^ // 和pool不一样。 ... } my_pool::purge_memory(); // 释放my_pool申请的内存。 }
void func() { std::vector < int , boost::pool_allocator < int > > v; for ( int i = 0 ; i < 10000 ; ++ i) v.push_back( 13 ); }
实现原理
pool每次向系统申请一大块内存,然后分成同样大小的多个小块,形成链表连接起来。每次分配的时候,从链表中取出头上一块,提供给用户。链表为空的时候,pool继续向系统申请大块内存。一个小问题:在pool的实现中,在申请到大块内存后,马上把它分成小块形成链表。这个过程开销比较大。即你需要分配一小块内存时,却需要生成一个大的链表。用如下代码测试:
boost::pool <> mem_pool( 16 ); for (i = 0 ; i < NPASS; i ++ ) { period = clock(); for (n = 0 ; n < NITEM; n ++ ) { array_ptr[n] = ( int * )mem_pool.malloc(); } for (n = 0 ; n < NITEM; n ++ ) { mem_pool.free(array_ptr[n]); } period = clock() - period; printf( " pool<> : period = %5d ms " , period); }
【转自:http://blog.csdn.net/seawt/article/details/5147946】