這幾天在用CEGUI,學習了一下他的CALLBACK原理,寫了一個小CASE
FOLLOWING IS IT:
1 // main.cpp : Defines the entry point for the console application.
2 //
3
4 #include "stdafx.h"
5 #include <string>
6 #include <iostream>
7 #include <map>
8
9 class MessageMap//功能類,調(diào)用對象
10 {
11 public:
12 MessageMap()
13 {
14
15 }
16 ~MessageMap()
17 {
18
19 }
20 int print(int para1,int para2)
21 {
22 std::cout<<"Para1="<<para1<<std::endl;
23 std::cout<<"para2="<<para2<<std::endl;
24 return 1;
25 }
26
27 int add(int para1,int para2)
28 {
29 std::cout<<"para1+para2="<<para1+para2<<std::endl;
30 return 1;
31 }
32 };
33
34 typedef int (MessageMap::*MemberFunction)(int ,int );//Callback函數(shù)原型
35
36 class FuncCode//函數(shù)的從屬關系
37 {
38
39 public:
40 FuncCode(MessageMap* pObj,MemberFunction pFun)
41 {
42 obj=pObj;
43 fun=pFun;
44 }
45 public:
46
47 MessageMap* obj;
48 MemberFunction fun;
49 };
50
51 class SendMessage//調(diào)用類
52 {
53 public:
54 SendMessage()
55 {
56
57 }
58 ~SendMessage()
59 {
60 FunMapIterator itend=funmap.end();
61 for (FunMapIterator it=funmap.begin ();it!=itend;it++)
62 {
63 delete it->second;
64 }
65 funmap.clear ();
66 }
67 int addMessageFunction(std::string msg,int (MessageMap::*fun)(int,int),MessageMap* pobj)
68 {
69 funmap[msg]=new FuncCode(pobj,fun);
70 return 1;
71 }
72 int operator()(std::string msg,int para1,int para2)
73 {
74 return ((funmap[msg]->obj)->*(funmap[msg]->fun))(para1,para2);
75
76 }
77 protected:
78 typedef std::map<std::string,FuncCode*> FunMap;
79 typedef std::map<std::string,FuncCode*>::iterator FunMapIterator;
80 FunMap funmap;
81 };
82
83 int _tmain(int argc, _TCHAR* argv[])
84 {
85 MessageMap* pObj= new MessageMap();
86 SendMessage SendMsg;
87 {//初始化
88 SendMsg.addMessageFunction ("print",&MessageMap::print,pObj);
89 SendMsg.addMessageFunction ("add",&MessageMap::add,pObj);
90 }
91
92 {//調(diào)用
93 SendMsg("print",1,2);
94 SendMsg("add",1,2);
95 }
96
97 delete pObj;
98 return 0;
99 }
100
101 //說明
102 //1、這種調(diào)用可以用類模板擴展,其實這是一個CALLBACK簡略版,有興趣的話可以參考CEGUI源碼,里面用的是類模板
103 //,這樣的話將不再受類型(MESSAGEMAP)的限制。
104 //
105 //2、對于int addMessageFunction(std::string msg,int (MessageMap::*fun)(int,int),MessageMap* pobj)
106 //的參數(shù)問題,主要說明int (MessageMap::*fun)(int,int)。
107 //這是一個很有意思的參數(shù),他的類型為int (MessageMap::*)(int,int),值為 fun,有興趣的可以看看ASM的傳參過程
108 //,其實這里可以用MemberFunction fun代替,當然用模板的話會有所不同,參考CEGUI.
109 //3.不要把typedef int (MessageMap::*MemberFunction)(int ,int ) 定義成
110 //typedef int (*MemberFunction)(int ,int ),這是代碼的關鍵所在,一般的C++BOOK都會提及他們的不同之處。
111
112
113
114