boostノート3(boost::array)
boost::array残念ながら、STL標準コンテナには配列コンテナはなく、一定サイズのデータのセットに対してvectorがArrayより適切であるとは限らず、vectorは結局サイズが可変である.また、個人的には、Arrayとvectorは概念的に完全に同等ではないので、概念がはっきりしないと思います.boost::arrayは配列のコンテナクラス実装であり,STLと完全に互換性があり,次世代のC++規格に組み込まれることが望ましい.Boost::array内部は依然として固定長であるが、STLコンテナ互換性のあるインタフェースを有しているため、Boost::arrayはSTLのアルゴリズムをサポートすることができ、STLの多くの構築と協働することができる.
例プログラム1:
運転結果:1 2 3 4 5 0 0 0 0 0 0 0 0 2 4 5 6 6 1 1 1 1 1 1 1 1 1 1 6 5 4 3 2-1-1-1-6-5-4-3-2
例プログラム2:
実行結果:one way:winter spring summer autumnother way:spring summer autumn winterreverse:winter autumn summer spring
例プログラム1:
#include <iostream>
#include <algorithm>
#include <functional>
#include <boost/array.hpp>
using namespace std;
using namespace boost;
template <class T>
inline void print_elements (const T& coll, const char* optcstr="")
{
typename T::const_iterator pos;
std::cout << optcstr;
for (pos=coll.begin(); pos!=coll.end(); ++pos) {
std::cout << *pos << ' ';
}
std::cout << std::endl;
}
int main()
{
// create and initialize array
array<int,10> a = { { 1, 2, 3, 4, 5 } };
print_elements(a);
// modify elements directly
for (unsigned i=0; i<a.size(); ++i) {
++a[i];
}
print_elements(a);
// change order using an STL algorithm
reverse(a.begin(),a.end());
print_elements(a);
// negate elements using STL framework
transform(a.begin(),a.end(), // source
a.begin(), // destination
negate<int>()); // operation
print_elements(a);
return 0;
}
運転結果:1 2 3 4 5 0 0 0 0 0 0 0 0 2 4 5 6 6 1 1 1 1 1 1 1 1 1 1 6 5 4 3 2-1-1-1-6-5-4-3-2
例プログラム2:
#include <string>
#include <iostream>
#include <boost/array.hpp>
template <class T>
void print_elements (const T& x)
{
for (unsigned i=0; i<x.size(); ++i) {
std::cout << " " << x[i];
}
std::cout << std::endl;
}
int main()
{
// create array of four seasons
boost::array<std::string,4> seasons = {
{ "spring", "summer", "autumn", "winter" }
};
// copy and change order
boost::array<std::string,4> seasons_orig = seasons;
for (unsigned i=seasons.size()-1; i>0; --i) {
std::swap(seasons.at(i),seasons.at((i+1)%seasons.size()));
}
std::cout << "one way: ";
print_elements(seasons);
// try swap()
std::cout << "other way: ";
std::swap(seasons,seasons_orig);
print_elements(seasons);
// try reverse iterators
std::cout << "reverse: ";
for (boost::array<std::string,4>::reverse_iterator pos
=seasons.rbegin(); pos<seasons.rend(); ++pos) {
std::cout << " " << *pos;
}
std::cout << std::endl;
return 0; // makes Visual-C++ compiler happy
}
実行結果:one way:winter spring summer autumnother way:spring summer autumn winterreverse:winter autumn summer spring