• <ins id="pjuwb"></ins>
    <blockquote id="pjuwb"><pre id="pjuwb"></pre></blockquote>
    <noscript id="pjuwb"></noscript>
          <sup id="pjuwb"><pre id="pjuwb"></pre></sup>
            <dd id="pjuwb"></dd>
            <abbr id="pjuwb"></abbr>

            來吧,朋友!

            為C++瘋狂

            Generic Observer Pattern and Events in C++

            Introduction

            One of the interesting features I found in C# is a ?Events and Delegates? concept. The idea is good but not new in Object Oriented Programming, it is one of the most frequently used concepts in programming, sometimes referred to as ?Observer? or ?Document/View? design pattern. Classical formulation of it could be found in ?Design Patterns, Elements of Reusable Object Oriented Software? by Erich Gamma, Richard Helm, Ralph Johnson, and John Vlissides (The Gang of Four).

            This concept is used when you want some information stored in one object, called ?model? (subject) to be watched by others, called ?views? (observers). Each time when information is changed in the ?model?, ?views? attached to the model should receive notification and update there states accordingly to the changed ?model?.

            Classical implementation described in ?Design Patterns?:

            As it is seen from the class diagram, concrete models should be derived from Subject class and views from Observer. Any time the state of Subject is changed, it calls notify method which notifies all observers attached to the Subject.

            Collapse Copy Code
            void Subject::notify()
            {
            for(int i=0; i<observes.size(); i++)
            observers[i]->update();
            }

            In many applications, this straightforward implementation is good enough, but things are getting ugly when you have different kinds of changes in the ?subject? and you want to pass different types of parameters to the ?views?.

            One of the examples for complex ?Model?/?View? relations is a GUI control attached to its processing function. Each time the control?s state is changed, process function is called with parameters indicating new state of the control.

            These kinds of problems are solved in C# by the introduction of ?Events and Delegates? concept. The resolution of the problem is easier in C#, because all classes are inherited from the same ?object? class.

            At the beginning, I thought why we do not have this nice ?Events and Delegates? thing in standard C++, but then I came to the conclusion that C++ does not need it.

            C++ language is powerful enough to express ?Events? and ?Delegates? concept in terms of already existing primitives. Proposed design makes it possible to "connect" different methods with different number of parameters belonging to unrelated classes to the ?model?.

            The keys for this solution are C++ templates (generic types) and pointes to member functions.

            Using Code

            Suppose we have a class MySubject that has internal information connected to different views, it produces three different types of events called int_event, double_event and triple_event with different types and numbers of parameters.

            Collapse Copy Code
            class MySubject
            {
            public:
            CppEvent1<bool,int> int_event;
            CppEvent2<bool,double,int> double_event;
            CppEvent3<bool,double,int,const char*> triple_event;
            void submit_int()
            {
            int_event.notify(1);
            }
            void submit_double()
            {
            double_event.notify(10.5,100);
            }
            void submit_triple()
            {
            triple_event.notify(10.5,100,"Oh ye");
            }
            };

            Views represented by MyListener1 and MyListener2 are unrelated. The only requirement is for callback (delegate) methods to have parameters signature similar to corresponding CppEvent.

            Collapse Copy Code
            class MyListener1
            {
            public:
            bool update_int(int p)
            {
            Console::WriteLine(S"int update listener 1");
            return true;
            }
            bool update_double(double p,int p1)
            {
            Console::WriteLine(S"double update listener 1");
            return true;
            }
            bool update_triple(double p,int p1,const char* str)
            {
            Console::WriteLine(S"triple update listener 1");
            return true;
            }
            };
            class MyListener2
            {
            public:
            bool fun(int p)
            {
            Console::WriteLine(S"int update listener 2");
            return true;
            }
            };

            The final step is to create viewers MyListener1 and MyListener2 and connect their member functions to corresponding events in MySubject model.

            Collapse Copy Code
            int main(void)
            {
            // create listeners (viewers)
                MyListener1* listener1 = new MyListener1;
            MyListener2* listener2 = new MyListener2;
            // create model
                MySubject subject;
            // connect different viewers to different events of the model
                CppEventHandler h1 = subject.int_event.attach(listener1,
            &MyListener1::update_int);
            CppEventHandler h2 = subject.int_event.attach(listener2,
            &MyListener2::fun);
            CppEventHandler h3 = subject.double_event.attach(listener1,
            &MyListener1::update_double);
            CppEventHandler h4 = subject.triple_event.attach(listener1,
            &MyListener1::update_triple);
            // generate events
                subject.submit_int();
            subject.submit_double();
            subject.submit_triple();
            // detach handlers
                subject.int_event.detach(h1);
            subject.int_event.detach(h2);
            subject.double_event.detach(h3);
            subject.triple_event.detach(h4);
            return 0;
            }

            Resulting output is:

            Collapse Copy Code
            > int update listener 1
            > int update listener 2
            > double update listener 1
            > triple update listener 1

            Implementation

            First of all, if we want to attach different types of event handles (member functions with same types of parameters from different classes) to the same event, we should provide common base for them. We use templates to make it generic for any combination of parameter types in ?delegate? or call back method. There are different event types for every number of arguments in callback function.

            Collapse Copy Code
            // Event handler base for delegate with 1 parameter
            template <typename ReturnT,typename ParamT>
            class EventHandlerBase1
            {
            public:
            virtual ReturnT notify(ParamT param) = 0;
            };

            Specific type of member function pointer within a pointer to the object is stored in the derived class.

            Collapse Copy Code
            template <typename ListenerT,typename ReturnT,typename ParamT>
            class EventHandler1 : public EventHandlerBase1<ReturnT,ParamT>
            {
            typedef ReturnT (ListenerT::*PtrMember)(ParamT);
            ListenerT* m_object;
            PtrMember m_member;
            public:
            EventHandler1(ListenerT* object, PtrMember member)
            : m_object(object), m_member(member)
            {}
            ReturnT notify(ParamT param)
            {
            return (m_object->*m_member)(param);
            }
            };

            Event class stores map of event handlers and notifies all of them when notify method is called. Detach method is used to release handler from the map.

            Collapse Copy Code
            template <typename ReturnT,typename ParamT>
            class CppEvent1
            {
            typedef std::map<int,EventHandlerBase1<ReturnT,ParamT> *> HandlersMap;
            HandlersMap m_handlers;
            int m_count;
            public:
            CppEvent1()
            : m_count(0) {}
            template <typename ListenerT>
            CppEventHandler attach(ListenerT* object,ReturnT (ListenerT::*member)(ParamT))
            {
            typedef ReturnT (ListenerT::*PtrMember)(ParamT);
            m_handlers[m_count] = (new EventHandler1<ListenerT,
            ReturnT,ParamT>(object,member));
            m_count++;
            return m_count-1;
            }
            bool detach(CppEventHandler id)
            {
            HandlersMap::iterator it = m_handlers.find(id);
            if(it == m_handlers.end())
            return false;
            delete it->second;
            m_handlers.erase(it);
            return true;
            }
            ReturnT notify(ParamT param)
            {
            HandlersMap::iterator it = m_handlers.begin();
            for(; it != m_handlers.end(); it++)
            {
            it->second->notify(param);
            }
            return true;
            }
            };

            Comments

            This implementation is quite similar to those in the article ?Emulating C# delegates in Standard C++?. I found out it after I already wrote the article. Actually, the fact that we have a similar way to deal with the problem means that it?s a very intuitive solution for this kind of problem in C++. An advantage of the current implementation is that it supports different number of arguments, so any member function of any class could be a callback (delegate). Probably to have this thing as a part of standard library is a good thing, but even if it?s not a part of the standard, you can use it as it is. This implementation is restricted to events up to 3 parameters, it can be easily extended to other numbers by just rewriting it with different number of parameters (see code for details).

            License

            posted on 2009-07-22 14:51 yanghaibao 閱讀(492) 評論(0)  編輯 收藏 引用

            導航

            <2025年7月>
            293012345
            6789101112
            13141516171819
            20212223242526
            272829303112
            3456789

            統計

            常用鏈接

            留言簿

            隨筆分類

            隨筆檔案

            文章檔案

            收藏夾

            Good blogs

            搜索

            最新評論

            閱讀排行榜

            評論排行榜

            日本欧美国产精品第一页久久| 一本色道久久88加勒比—综合| 国内精品久久久久| 久久福利青草精品资源站| 97久久综合精品久久久综合| 久久一区二区三区免费| 成人久久综合网| 热综合一本伊人久久精品| 精品久久久无码21p发布| 久久综合综合久久97色| av色综合久久天堂av色综合在| AAA级久久久精品无码区| 久久香蕉国产线看观看精品yw| 欧美无乱码久久久免费午夜一区二区三区中文字幕 | 中文字幕无码精品亚洲资源网久久 | 欧美久久久久久午夜精品| 色88久久久久高潮综合影院| 国产成人久久久精品二区三区| 久久亚洲AV成人无码| 亚洲欧美成人久久综合中文网| 热99re久久国超精品首页| 久久亚洲精品国产亚洲老地址 | 色青青草原桃花久久综合| 四虎国产精品免费久久5151| 日韩AV无码久久一区二区| 国产精品久久久久蜜芽| 欧美亚洲另类久久综合婷婷 | 久久影院午夜理论片无码 | 亚洲国产成人精品91久久久 | 一本久久a久久精品vr综合| 亚洲国产成人久久综合野外 | 中文精品久久久久人妻不卡| 久久婷婷五月综合成人D啪| 国产亚州精品女人久久久久久 | 亚洲精品美女久久久久99小说| 久久精品亚洲欧美日韩久久| 久久久久无码精品| 久久精品无码一区二区三区免费| 久久综合综合久久狠狠狠97色88| 日本精品久久久久中文字幕| 7国产欧美日韩综合天堂中文久久久久|