C++ で構造体の配列を作成する
胡金庫
2023年10月12日
この記事では、C++ で構造体の配列を作成する方法について複数の方法を示します。
C スタイル配列宣言を使用して構造体の固定長配列を作成する
構造体の固定長配列は、[]
C スタイルの配列表記を用いて宣言することができます。この例では、複数のデータメンバを持つ任意の Company
という名前の構造体を定義し、2つの要素を持つ配列を初期化しました。このメソッドの唯一の欠点は、宣言された配列が組み込み関数を持たない生のオブジェクトであることです。プラス面としては、C++ ライブラリコンテナよりも効率的で高速なデータ構造を実現できます。
#include <iostream>
#include <string>
#include <vector>
using std::cout;
using std::endl;
using std::string;
using std::vector;
struct Company {
string name;
string ceo;
float income;
int employess;
};
int main() {
Company comp_arr[2] = {{"Intel", "Bob Swan", 91213.11, 110823},
{"Apple", "Tim Cook", 131231.11, 137031}};
for (const auto &arr : comp_arr) {
cout << "Name: " << arr.name << endl
<< "CEO: " << arr.ceo << endl
<< "Income: " << arr.income << endl
<< "Employees: " << arr.employess << endl
<< endl;
}
return EXIT_SUCCESS;
}
出力:
Name: Intel
CEO: Bob Swan
Income: 91213.1
Employees: 110823
Name: Apple
CEO: Tim Cook
Income: 131231
Employees: 137031
std::vector
と初期化リストのコンストラクタを使って可変長の構造体の配列を作成する
あるいは、std::vector
コンテナを利用して、データ操作のための複数の組み込みメソッドを提供する変数配列を宣言することもできます。std::vector
オブジェクトは前の例と同じ表記法で初期化することができます。新しい要素は従来の push_back
メソッドを用いて配列に追加し、最後の要素は pop_back
で削除することができます。この例では、要素が一つずつコンソールに出力されます。
初期化リストのメンバは、正しい代入と書式設定のために外側の中括弧を含めなければならないことに注意してください。
#include <iostream>
#include <string>
#include <vector>
using std::cout;
using std::endl;
using std::string;
using std::vector;
struct Company {
string name;
string ceo;
float income;
int employess;
};
int main() {
vector<Company> comp_arr = {{"Intel", "Bob Swan", 91213.11, 110823},
{"Apple", "Tim Cook", 131231.11, 137031}};
for (const auto &arr : comp_arr) {
cout << "Name: " << arr.name << endl
<< "CEO: " << arr.ceo << endl
<< "Income: " << arr.income << endl
<< "Employees: " << arr.employess << endl
<< endl;
}
return EXIT_SUCCESS;
}
出力:
Name: Intel
CEO: Bob Swan
Income: 91213.1
Employees: 110823
Name: Apple
CEO: Tim Cook
Income: 131231
Employees: 137031
著者: 胡金庫