作成日
2014/12/07最終更新
2017/03/14記事区分
一般公開サンプルコード
#include <iostream>
using namespace std;
class MyClass {
public:
MyClass(int intval);
MyClass(const MyClass& other);
public:
int Get();
int Get() const; // オーバーロード可能
private:
int m_intval;
mutable int m_intval_mutable; // 危険。使用には最新の注意を払いましょう
};
MyClass::MyClass(int intval) {
m_intval = intval;
}
MyClass::MyClass(const MyClass& other) {
m_intval = other.m_intval;
}
int MyClass::Get(){ // 非constメンバ関数
cout << "NOT const member function" << endl;
return m_intval;
}
int MyClass::Get() const { // constメンバ関数
cout << "const member function" << endl;
// constメンバ関数内でメンバ変数の値を変更したり
// 非constメンバ関数を実行するとエラーになる。
// ただし mutable なメンバ変数は変更可能
m_intval_mutable = 0;
return m_intval;
}
void ShowCopied(MyClass obj) {
cout << obj.Get() << endl; // 非constオブジェクト
}
void ShowReferenced(const MyClass& obj) {
// 非constメンバ関数内でメンバ変数が変更されない保証がない
// ため、constオブジェクトはconstメンバ関数しか実行できない。
cout << obj.Get() << endl; // constオブジェクト
}
int main() {
MyClass obj(0);
ShowCopied(obj);
ShowReferenced(obj);
return 0;
}
関連記事
- ダウンキャスト (C++をもう一度)実行時型情報 RTTI #include <iostream> #include <typeinfo> using namespace std; class MyClass { public: virtual ~MyClass() {} // typeid で正しい RTTI // (RunTime Type Information; 実行時型情報) ...
- 競技プログラミングの基本処理チートシート (C++)限られた時間の中で問題を解くために必要となる、競技プログラミングにおける基本的な処理のチートシートです。競プロにおけるメジャー言語 C++ を利用します。その際 C++11 の機能は利用せず C++03 の機能の範囲内で記述します。 頻度高く定期的に開催されるコンテスト AtCoder Codeforces main.cpp #include <iostream>
- 構造体と列挙体 (C++をもう一度)構造体 #include <iostream> using namespace std; struct MyStruct { char charval; int intval; }; void Show(MyStruct* obj) { cout << obj->intval << endl; } int main() { ...
- Valgrind による C/C++ メモリリーク検出JVM メモリリークでは JDK の jstat や jmap で原因を調査できます。C/C++ では valgrind の Memcheck ツールが利用できます。valgrind には複数のツールが含まれており既定のツールが Memcheck です。他のツールを利用する場合は --tool オプションで指定します。 [簡単な利用例](h
- クラスの基本/初期化 (C++をもう一度)構造体のように初期化する (非推奨) #include <iostream> using namespace std; const int MAX_STR = 16; class MyClass { public: int m_integer; char m_str[MAX_STR + 1]; void Show(); }; void MyClass::Show...