有谁知道是否存在用于访问 std::pair 元素的事实上的标准(即 TR1 或 Boost)C++ 函数对象?在过去的 24 小时内,我曾两次希望拥有类似keys
Perl 哈希函数的东西。例如,最好在 std::map 对象上运行 std::transform 并将所有键(或值)转储到另一个容器。我当然可以编写这样一个函数对象,但我更愿意重用一些吸引眼球的东西。
Kristo
问问题
2939 次
6 回答
17
boost::bind
就是你要找的。
boost::bind(&std::pair::second, _1); // returns the value of a pair
例子:
typedef std::map<std::string, int> map_type;
std::vector<int> values; // will contain all values
map_type map;
std::transform(map.begin(),
map.end(),
std::back_inserter(values),
boost::bind(&map_type::value_type::second, _1));
于 2008-12-16T22:03:10.377 回答
4
从您提出问题的方式来看,我不确定这是一个正确的回答,但请尝试boost::tie
(Boost::tuple 库的一部分)。它也适用于std::pair
s。
于 2008-12-16T21:08:31.390 回答
3
boost::bind通常用于调整 std::map 容器以用于算法。这是一个例子:
void print_string(const std::string& s) {
std::cout << s << '\n';
}
std::map<int,std::string> my_map;
my_map[0]="Boost";
my_map[1]="Bind";
std::for_each(my_map.begin(), my_map.end(),
boost::bind(&print_string, boost::bind(
&std::map<int,std::string>::value_type::second,_1)));
于 2008-12-16T22:03:41.403 回答
1
使用不同容器的组合怎么样。
例如,当我想将向量划分为包含在补充地图中的项目和未包含在补充地图中的项目时,我使用了以下内容:
typedef int DWORD;
typedef std::pair<std::string, bool> user_info;
typedef std::map<DWORD, user_info> USER_MAP;
typedef std::vector<DWORD> VEC_STAFF;
VEC_STAFF::iterator it = std::partition(Staff.begin(), Staff.end(), (bind(&USER_MAP::find, m_Users, _1) != m_Users.end()));
现在我有第二个问题 - 在应用程序运行期间,user_info 的状态布尔值可以更改,稍后我想用状态布尔值为 true 的项目重新分区向量,而不仅仅是包含在补充地图中.
但是,我似乎在访问嵌套对的第二项时遇到了问题。
我尝试了以下方法,但似乎无法访问嵌套对!
CActiveUsers::VEC_STAFF::const_iterator itCurEnd = partition(Staff.begin(), Staff.end(), bind(&USER_MAP::value_type::second::second, bind(&USER_MAP::find, &m_Users, _1)) == true);
于 2009-09-21T17:16:27.533 回答
1
看看 boost::adaptors。有预定义的适配器用于迭代映射键或值而不将它们复制到中间容器。
于 2011-11-17T17:14:33.893 回答
0
未建议的一个选项是std::tr1::get
. 请参阅n1745的第 6.1.2 和 6.1.4节。
std::pair< std::string, int > p( "foo", 1729 );
int hr = std::tr1::get< 1 >( p );
绝对不像你提到bind
的map
提取案例那么容易使用,但仍然值得了解。改编 Johannes 的代码:
typedef std::map<std::string, int> map_type;
std::vector<int> values; // will contain all values
map_type map;
// std::tr1::get is overloaded so we need to help the compiler choose
const map_type::value_type::second_type & (*get)( const map_type::value_type & ) =
&std::tr1::get< 1, map_type::value_type::first_type, map_type::value_type::second_type >;
std::transform(map.begin(),
map.end(),
std::back_inserter(values),
get);
于 2011-11-18T18:15:33.827 回答