C++如何打印类成员函数的地址

在C++中向屏幕输出一般使用std::cout的运算符<<,但是这在打印类成员函数地址的时候会出错,具体见如下代码.

class MyTest
{
public:
	MyTest() {};
	~MyTest() {};

	void FirstPrint()
	{
		std::cout << "this is first member fun in Test\n";
	}
private:
	int m_iInternal;
};

int main()
{
	MyTest t;
	int iTemp = 3;

	//以下输出错误地址为:1,明显错误
	std::cout << "the addr of Test::testfunc is " << &(Test::FirstPrint) << std::endl;
	//下述语句打印正确
	std::cout << "the addr of local var iTemp is " << &iTemp  << std::endl;

	//这是正确的做法,一定注意格式修饰符为%p,否则64位系统中会出错
	printf("the addr of Test::testfunc is %p\n", &(Test::FirstPrint));
	printf("the addr of local var iTemp is %p\n", &iTemp );
}

为何会产生这样的结果?原来,C++中调用非静态的类成员函数时,采用的调用规范是__thiscall。std::cout中运算符<<没有对void (__thiscall MyTest:: *)()类型进行重载,因而编译器将这种类型转换为bool类型,所以输出了1。
对于静态函数,其调用方式并非__thiscall,<<有对它的重载,因此类的静态函数可以直接用cout输出函数地址。
另外,强调一点,用printf打印地址时,一定注意格式修饰符为"%p"。"%x"是打印一个16进制的int类型,而"%p"是打印一个地址(Prints the argument as an address in hexadecimal digits. )。在32位程序中两者没有区别,但是64位程序中,"%x"会使地址截断至32位。

你可能感兴趣的:(C/C++基础知识,c++,指针)