Thinking in C+:Pointers to membersメンバーへのポインタ

3002 ワード

通常、ポインタ(pointer)はアドレスを格納する変数であり、実行時に変更することができ、ポインタはデータや関数を指すことができます.
しかし、C++では、メンバーを指すポインタ(pointer-to-member)はclassまたはstructのメンバーを指しますが、classにはアドレスがありませんので、メンバーを指すポインタは実際には格納されているオフセット量(offset)であり、特定のオブジェクトの開始アドレス(starting address)とこのオフセット量を結合するまで実際のアドレスを生成することはできません.
 
//: C11:PointerToMemberData.cpp

#include <iostream>

using namespace std;

class Data {

public:

int a, b, c;

void print() const {

cout << "a = " << a << ", b = " << b

<< ", c = " << c << endl;

}

};

int main() {

Data d, *dp = &d;

int Data::*pmInt = &Data::a;

dp->*pmInt = 47;

pmInt = &Data::b;

d.*pmInt = 48;

pmInt = &Data::c;

dp->*pmInt = 49;

dp->print();

} ///:~

文法に注意してください.
 
上の例は、メンバー変数へのポインタです.次に、メンバー関数へのポインタを示します.
 
//: C11:PointerToMemberFunction.cpp

#include <iostream>

using namespace std;

class Widget {

public:

void f(int) const { cout << "Widget::f()
"; } void g(int) const { cout << "Widget::g()
"; } void h(int) const { cout << "Widget::h()
"; } void i(int) const { cout << "Widget::i()
"; } }; int main() { Widget w; Widget* wp = &w; void (Widget::*pmem)(int) const = &Widget::h; (w.*pmem)(1); (wp->*pmem)(2); } ///:~

静的メンバーへのポインタ(static):
 
静的メンバーへのポインタは、宣言の仕方は通常のポインタと同じですが、通常のメンバーへのポインタとは異なり、classの制限は必要ありません.ただ、値を割り当てるときは、クラスの制限子を付けなければなりません.
 
class A

{

    static int _val;

    static int val();

};



int *p_val = &A::_val;

int (*p_func) = &A::val;

このときのポインタはグローバル役割ドメイン内で宣言する必要があり、main関数で宣言するとエラーが発生することに注意してください.
 
次に、本書とmsdnの前の例を組み合わせたコードを示します.
 
#include <stdafx.h>

#include <iostream>

#include <string>

using namespace std;



class Data{

public:

	static int a;

public:

	int b,c;

	void print() const{

		cout<<"a="<<a<<",b="<<b<<",c="<<c<<endl;

	}

};



int Data::a = 10;

int *p = &Data::a; //static member pointer

int Data::*p2 = &Data::b; //member pointer

int Data::*p3 = &Data::c; //member pointer



class Window

{

public:

	Window();

	Window(int x1,int y1, int x2, int y2);

	bool SetCaption(const char *szTitle);

	const char *GetCaption();

	char *szWinCaption;

};



//pointer to data member

char * Window::pwCaption = &Window::szWinCaption;

//pointer to function member

const char *(Window::*pfnGetCaption)()=&Window::GetCaption;

bool (Window::*pfnSetCaption)(const char *) = &Window::SetCaption;



int main(int argc, char* argv[])

{

	Data ddd;

	ddd.print();

	*p = 40;

	ddd.*p2 = 50;

	ddd.*p3 = 60;

	ddd.print();





	int tt;

	cin>>tt;



}

これはあまり使われませんが、とても重要な内容で、面接問題によく出ています.よく勉強してください.