なぜC++静的メンバー関数は非静的メンバー変数にアクセスできず、非静的メンバー関数を呼び出すことができないのですか?
1208 ワード
まず簡単なプログラムを見てみましょう.
もう一度見てみましょう.
#include <iostream>
using namespace std;
class A
{
public:
int x;
void print()
{
cout << this << endl;
}
};
int main()
{
A a;
cout << &a << endl; // 0013FF7C
a.print(); // 0013FF7C
A aa;
cout << &aa << endl; // 0013FF78
aa.print(); // 0013FF78
return 0;
}
もう一度見てみましょう.
#include <iostream>
using namespace std;
class A
{
public:
int x;
void static print()
{
cout << this << endl; // static this
}
};
int main()
{
A a;
cout << &a << endl;
return 0;
}
static関数にはthisポインタがないため、クラスの非静的メンバー変数にアクセスできず、非静的メンバー関数を呼び出すことができません.見てみましょう.#include <iostream>
using namespace std;
class A
{
public:
int x;
void static print()
{
cout << x << endl; // this, x
}
};
int main()
{
return 0;
}
#include <iostream>
using namespace std;
class A
{
public:
int x;
void test()
{
}
void static print()
{
test(); // this, test
}
};
int main()
{
return 0;
}