本代码应该是ace自带的例子了,但是我觉得是非常好的,于是给大家分享一下。
注释非常详细啊。
头文件
复制代码 代码如下:
#ifndef THREAD_POOL_H
#define THREAD_POOL_H
/* In order to implement a thread pool, we have to have an object that
can create a thread. The ACE_Task<> is the basis for doing just
such a thing. */
#include "ace/Task.h"
//add by ychen 20070714 below
#include "ace/Mutex.h"
//add by ychen 20070714 above
#if !defined (ACE_LACKS_PRAGMA_ONCE)
# pragma once
#endif /* ACE_LACKS_PRAGMA_ONCE */
/* We need a forward reference for ACE_Event_Handler so that our
enqueue() method can accept a pointer to one. */
class ACE_Event_Handler;
/* Although we modified the rest of our program to make use of the
thread pool implementation, if you look closely you'll see that the
changes were rather minor. The "ACE way" is generally to create a
helper object that abstracts away the details not relevant to your
application. That's what I'm trying to do here by creating the
Thread_Pool object. */
class Thread_Pool : public ACE_Task<ACE_MT_SYNCH>
{
public:
typedef ACE_Task<ACE_MT_SYNCH> inherited;
/* Provide an enumeration for the default pool size. By doing this,
other objects can use the value when they want a default. */
enum size_t
{
default_pool_size_ = 1
};
// Basic constructor
Thread_Pool (void);
/* Opening the thread pool causes one or more threads to be
activated. When activated, they all execute the svc() method
declared below. */
int open (int pool_size = default_pool_size_);
/* Some compilers will complain that our open() above attempts to
override a virtual function in the baseclass. We have no
intention of overriding that method but in order to keep the
compiler quiet we have to add this method as a pass-thru to the
baseclass method. */
virtual int open (void *void_data)
{
return inherited::open (void_data);
}
/*
*/
virtual int close (u_long flags = 0);
/* To use the thread pool, you have to put some unit of work into
it. Since we're dealing with event handlers (or at least their
derivatives), I've chosen to provide an enqueue() method that
takes a pointer to an ACE_Event_Handler. The handler's
handle_input() method will be called, so your object has to know
when it is being called by the thread pool. */
int enqueue (ACE_Event_Handler *handler);
/* Another handy ACE template is ACE_Atomic_Op<>. When
parameterized, this allows is to have a thread-safe counting
object. The typical arithmetic operators are all internally
thread-safe so that you can share it across threads without
worrying about any contention issues. */
typedef ACE_Atomic_Op<ACE_Mutex, int> counter_t;
protected:
/* Our svc() method will dequeue the enqueued event handler objects
and invoke the handle_input() method on each. Since we're likely
running in more than one thread, idle threads can take work from
the queue while other threads are busy executing handle_input() on
some object. */
int svc (void);
/* We use the atomic op to keep a count of the number of threads in
which our svc() method is running. This is particularly important
when we want to close() it down! */
counter_t active_threads_;
};
#endif /* THREAD_POOL_H */
实现文件
复制代码 代码如下:
// thread_pool.cpp,v 1.9 1999/09/22 03:13:42 jcej Exp
#include "thread_pool.h"
/* We need this header so that we can invoke handle_input() on the
objects we dequeue. */
#include "ace/Event_Handler.h"
/* All we do here is initialize our active thread counter. */
Thread_Pool::Thread_Pool (void)
: active_threads_ (0)
{
}
/* Our open() method is a thin disguise around the ACE_Task<>
activate() method. By hiding activate() in this way, the users of
Thread_Pool don't have to worry about the thread configuration
flags. */
int
Thread_Pool::open (int pool_size)
{
return this->activate (THR_NEW_LWP|THR_DETACHED, pool_size);
}
/* Closing the thread pool can be a tricky exercise. I've decided to
take an easy approach and simply enqueue a secret message for each
thread we have active. */
int
Thread_Pool::close (u_long flags)
{
ACE_UNUSED_ARG(flags);
/* Find out how many threads are currently active */
int counter = active_threads_.value ();
/* For each one of the active threads, enqueue a "null" event
handler. Below, we'll teach our svc() method that "null" means
"shutdown". */
while (counter--)
this->enqueue (0);
/* As each svc() method exits, it will decrement the active thread
counter. We just wait here for it to reach zero. Since we don't
know how long it will take, we sleep for a quarter of a second
between tries. */
while (active_threads_.value ())
ACE_OS::sleep (ACE_Time_Value (0, 250000));
return(0);
}
/* When an object wants to do work in the pool, it should call the
enqueue() method. We introduce the ACE_Message_Block here but,
unfortunately, we seriously misuse it. */
int
Thread_Pool::enqueue (ACE_Event_Handler *handler)
{
/* An ACE_Message_Block is a chunk of data. You put them into an
ACE_Message_Queue. ACE_Task<> has an ACE_Message_Queue built in.
In fact, the parameter to ACE_Task<> is passed directly to
ACE_Message_Queue. If you look back at our header file you'll see
that we used ACE_MT_SYNCH as the parameter indicating that we want
MultiThread Synch safety. This allows us to safely put
ACE_Message_Block objects into the message queue in one thread and
take them out in another. */
/* An ACE_Message_Block wants to have char* data. We don't have
that. We could cast our ACE_Event_Handler* directly to a char*
but I wanted to be more explicit. Since casting pointers around
is a dangerous thing, I've gone out of my way here to be very
clear about what we're doing.
First: Cast the handler pointer to a void pointer. You can't do
any useful work on a void pointer, so this is a clear message that
we're making the pointer unusable.
Next: Cast the void pointer to a char pointer that the ACE_Message_Block will accept. */
void *v_data = (void *) handler;
char *c_data = (char *) v_data;
ACE_Message_Block *mb;
/* Construct a new ACE_Message_Block. For efficiency, you might
want to preallocate a stack of these and reuse them. For
simplicity, I'll just create what I need as I need it. */
ACE_NEW_RETURN (mb,
ACE_Message_Block (c_data),
-1);
/* Our putq() method is a wrapper around one of the enqueue methods
of the ACE_Message_Queue that we own. Like all good methods, it
returns -1 if it fails for some reason. */
if (this->putq (mb) == -1)
{
/* Another trait of the ACE_Message_Block objects is that they
are reference counted. Since they're designed to be passed
around between various objects in several threads we can't
just delete them whenever we feel like it. The release()
method is similar to the destroy() method we've used
elsewhere. It watches the reference count and will delete the
object when possible. */
mb->release ();
return -1;
}
return 0;
}
/* The "guard" concept is very powerful and used throughout
multi-threaded applications. A guard normally does some operation
on an object at construction and the "opposite" operation at
destruction. For instance, when you guard a mutex (lock) object,
the guard will acquire the lock on construction and release it on
destruction. In this way, your method can simply let the guard go
out of scope and know that the lock is released.
Guards aren't only useful for locks however. In this application
I've created two guard objects for quite a different purpose. */
/* The Counter_Guard is constructed with a reference to the thread
pool's active thread counter. The guard increments the counter
when it is created and decrements it at destruction. By creating
one of these in svc(), I know that the counter will be decremented
no matter how or where svc() returns. */
class Counter_Guard
{
public:
Counter_Guard (Thread_Pool::counter_t &counter)
: counter_ (counter)
{
++counter_;
}
~Counter_Guard (void)
{
--counter_;
}
protected:
Thread_Pool::counter_t &counter_;
};
/* My Message_Block_Guard is also a little non-traditional. It
doesn't do anything in the constructor but it's destructor ensures
that the message block's release() method is called. This is a
cheap way to prevent a memory leak if I need an additional exit
point in svc(). */
class Message_Block_Guard
{
public:
Message_Block_Guard (ACE_Message_Block *&mb)
: mb_ (mb)
{
}
~Message_Block_Guard (void)
{
mb_->release ();
}
protected:
ACE_Message_Block *&mb_;
};
/* Now we come to the svc() method. As I said, this is being executed
in each thread of the Thread_Pool. Here, we pull messages off of
our built-in ACE_Message_Queue and cause them to do work. */
int
Thread_Pool::svc (void)
{
/* The getq() method takes a reference to a pointer. So... we need
a pointer to give it a reference to. */
ACE_Message_Block *mb;
/* Create the guard for our active thread counter object. No matter
where we choose to return() from svc(), we now know that the
counter will be decremented. */
Counter_Guard counter_guard (active_threads_);
/* Get messages from the queue until we have a failure. There's no
real good reason for failure so if it happens, we leave
immediately. */
while (this->getq (mb) != -1)
{
/* A successful getq() will cause "mb" to point to a valid
refernce-counted ACE_Message_Block. We use our guard object
here so that we're sure to call the release() method of that
message block and reduce it's reference count. Once the count
reaches zero, it will be deleted. */
Message_Block_Guard message_block_guard (mb);
/* As noted before, the ACE_Message_Block stores it's data as a
char*. We pull that out here and later turn it into an
ACE_Event_Handler* */
char *c_data = mb->base ();
/* We've chosen to use a "null" value as an indication to leave.
If the data we got from the queue is not null then we have
some work to do. */
if (c_data)
{
/* Once again, we go to great lengths to emphasize the fact
that we're casting pointers around in rather impolite
ways. We could have cast the char* directly to an
ACE_Event_Handler* but then folks might think that's an OK
thing to do.
(Note: The correct way to use an ACE_Message_Block is to
write data into it. What I should have done was create a
message block big enough to hold an event handler pointer
and then written the pointer value into the block. When
we got here, I would have to read that data back into a
pointer. While politically correct, it is also a lot of
work. If you're careful you can get away with casting
pointers around.) */
void *v_data = (void *) c_data;
ACE_Event_Handler *handler = (ACE_Event_Handler *) v_data;
/* Now that we finally have an event handler pointer, invoke
it's handle_input() method. Since we don't know it's
handle, we just give it a default. That's OK because we
know that we're not using the handle in the method anyway. */
if (handler->handle_input (ACE_INVALID_HANDLE) == -1)
{
/* Tell the handler that it's time to go home. The
"normal" method for shutting down a handler whose
handler failed is to invoke handle_close(). This will
take care of cleaning it up for us. Notice how we use
the handler's get_handle() method to populate it's
"handle" parameter. Convenient isn't it? */
handler->handle_close (handler->get_handle (), 0);
/* Also notice that we don't exit the svc() method here!
The first time I did this, I was exiting. After a few
clients disconnect you have an empty thread pool.
Hard to do any more work after that... */
}
}
else
/* If we get here, we were given a message block with "null"
data. That is our signal to leave, so we return(0) to
leave gracefully. */
return 0; // Ok, shutdown request
// message_block_guard goes out of scope here and releases the
// message_block instance.
}
return 0;
}
其中,对其中类中的两个变量使用了管理的思想。Counter_Guard类和Message_Block_Guard 类分别对其进行了管理。
因为ACE_Task类是使用了ACE_message_block 进行对消息的封装。因此使用类,防止了内存的泄漏。
ACE_Event_Handler 是事件句柄,类似于操作符。当我们处理的时候,对其进行处理。
相关推荐:
二SEO是什么,h二seo三是什么 ,ai手术机
seO经理是什么岗位,seo经理招聘 ,ai写作重复被查
SEO结构优化:助力网站提升排名与流量的关键策略,杭州小网站推广哪家好做
ChatGPT支持多种语言输入输出,让全球资讯触手可及,联想拯救者的ai写作
seo要学什么技术,seo要学什么技术好 ,ai.fale
SEO部:开启数字化营销新纪元的幕后英雄,株洲营销推广是什么公司
SEO招标:如何通过专业SEO服务助力企业脱颖而出,牡丹江关键词排名怎么样
seo读什么书,seo是哪个专业的 ,亚洲9ai吧
seo需要懂什么源码,seo需要懂什么源码技术 ,ai 纤维
SEO费用如何根据预算选择最合适的SEO服务,营销类推广网站
SEO深度解析:如何通过深度优化提升网站排名,带来流量和转化,咸宁网站建设大概费用
360刷排名工具选哪家?揭秘2025年最强排名优化工具!,ai写作网站哪个好一点
SEO前的准备工作:如何让网站为搜索引擎优化做好充分准备,SEO_网站排名优化_网络推广
seo网站是什么找行者SEO,seo分析网站 ,ai图文梅花
SEO建议:如何通过优化提升网站流量,赢得市场竞争,自媒体网站免费推广平台
ChatGPT显示503:如何应对AI服务不可用的困境?,ai宝贝宝贝
SEO特点与实施策略:提升网站流量与排名的关键,定西抖音seo价格查询
SEO优化如何为网站做好关键词研究和优化,ai直通
为什么新手做seo好做,为什么要懂seo ,ai少女 3060显卡
SEO优化排名:让您的网站在搜索引擎中脱颖而出,我ai 达瓦仓决
SEO快速提升SEO排名的有效策略:让你的网页飞跃搜索引擎,ai调色食物
SEO学堂:开启数字营销新时代,全面提升网站排名与流量,文山ai营销推广方案
ChatGPT页面不自动显示最新消息:如何解决这一困扰,提升使用体验?,斑马ai幼儿百度云网盘
亚马逊站内seo是什么优化,亚马逊seo关键词优化软件 ,ai画卡通章鱼
SEO优化攻略:如何通过精准策略提升网站排名与流量,aI ow翻译
怎么使用AI生成文章,轻松提升写作效率!
SEO查:如何用精准的SEO诊断助力网站流量爆发,美团关键词排名怎么补
SEO包含的秘密:让你的网站轻松排上首页,新媒体营销推广方案目录
seo矩阵运营中心是什么,seo矩阵运营中心是什么意思啊 ,北京ai特效
文章创作AI:引领智能写作的新时代
Bing搜索不能预览了?搜索引擎的新变革与挑战,ai制作一张窗花
ChatGPT最近不好用了?了解这些背后的原因与解决方案,ai sketcher
ChatGPT中文版下载,开启智能对话新体验,婚纱ai男
SEO快排还有效果吗揭秘快速排名的真相与未来趋势,ai人像波普
AI免费写文章生成器高效写作新革命
SEO动态:2025年SEO趋势与优化技巧解析,十堰外贸网站推广费用
软件AI:颠覆未来的智能革命
ChatGPT桌面版无法加载?快速解决方案及常见问题解析,ai媚眼
SEO建站,开启网站优化的全新篇章!,网络营销推广合作方式
seo要学会什么,seo要学多长时间 ,NTU AI 录取
SEO收费如何选择合适的SEO服务,提升网站排名并增加曝光度,做网站优化哪家实惠
AI做文章:引领智能创作的未来
SEO如何做?全方位解析提升网站排名的秘诀,AI翻译好处
OpenAI推出的GPT-4Turbo大幅降低了AI应用成本,推动了AI技术的普及化,ai*版
SEO占位:如何在竞争激烈的市场中占得先机?,梁平区省心全网营销推广
高效创作之路:文章AI生成器的力量
seo,seoul city ,ai精洗
“新关键词”开启智慧营销新篇章,助力品牌突围,自己如何做网站seo
怎么用AI缩写文章,轻松提高效率的全新方法
ChatGPT国内版:为中国用户量身定制的智能助手,开启AI新纪元,ai文章赚钱