是否可以在for循环中声明两个不同类型的变量?
Posted
tags:
篇首语:本文由小常识网(cha138.com)小编为大家整理,主要介绍了是否可以在for循环中声明两个不同类型的变量?相关的知识,希望对你有一定的参考价值。
是否可以在C ++的for循环的初始化主体中声明两个不同类型的变量?
例如:
for(int i=0,j=0 ...
定义了两个整数。我可以在初始化主体中定义int
和char
吗?怎么做?
不可能,但你可以这样做:
float f;
int i;
for (i = 0,f = 0.0; i < 5; i++)
{
//...
}
或者,使用额外的括号明确限制f
和i
的范围:
{
float f;
int i;
for (i = 0,f = 0.0; i < 5; i++)
{
//...
}
}
不 - 但从技术上讲,有一种解决方法(不是我实际上使用它,除非被迫):
for(struct { int a; char b; } s = { 0, 'a' } ; s.a < 5 ; ++s.a)
{
std::cout << s.a << " " << s.b << std::endl;
}
C ++ 17:是的!你应该使用structured binding declaration。 gcc-7和clang-4.0(clang live example)支持该语法。这允许我们像这样解压缩一个元组:
for (auto [i, f, s] = std::tuple{1, 1.0, std::string{"abc"}}; i < N; ++i) {
// ...
}
以上将给你:
int i
设置为1
double f
设置为1.0
std::string s
设置为"abc"
请确保#include <tuple>
进行此类声明。
如果你想命名一个类型,你可以像tuple
一样输入std::string
中的确切类型。例如:
auto [vec, i32] = std::tuple{std::vector<int>{3, 4, 5}, std::int32_t{12}}
C ++ 14:通过添加基于类型的std::get
,您可以像C ++ 11(下面)一样。因此,在下面的示例中,您可以使用std::get<0>(t)
而不是std::get<int>(t)
。
C ++ 11:std::make_pair
允许你这样做,以及std::make_tuple
允许两个以上的对象。
for (auto p = std::make_pair(5, std::string("Hello World")); p.first < 10; ++p.first) {
std::cout << p.second << std::endl;
}
std::make_pair
将在std::pair
中返回两个参数。可以使用.first
和.second
访问元素。
对于两个以上的对象,您需要使用std::tuple
for (auto t = std::make_tuple(0, std::string("Hello world"), std::vector<int>{});
std::get<0>(t) < 10;
++std::get<0>(t)) {
std::cout << std::get<1>(t) << std::endl; // cout Hello world
std::get<2>(t).push_back(std::get<0>(t)); // add counter value to the vector
}
std::make_tuple
是一个可变参数模板,它将构造任意数量参数的元组(当然还有一些技术限制)。可以使用std::get<INDEX>(tuple_object)
通过索引访问元素
在for循环体内,您可以轻松地对对象进行别名,但仍需要使用.first
或std::get
作为for循环条件并更新表达式
for (auto t = std::make_tuple(0, std::string("Hello world"), std::vector<int>{});
std::get<0>(t) < 10;
++std::get<0>(t)) {
auto& i = std::get<0>(t);
auto& s = std::get<1>(t);
auto& v = std::get<2>(t);
std::cout << s << std::endl; // cout Hello world
v.push_back(i); // add counter value to the vector
}
C ++ 98和C ++ 03您可以明确命名std::pair
的类型。但是,没有标准的方法可以将其概括为两种以上类型:
for (std::pair<int, std::string> p(5, "Hello World"); p.first < 10; ++p.first) {
std::cout << p.second << std::endl;
}
您不能在初始化中声明多个类型,但可以指定多个类型E.G.
{
int i;
char x;
for(i = 0, x = 'p'; ...){
...
}
}
只需在自己的范围内声明它们。
有关嵌套多个for循环的另一种方法,请参阅“Is there a way to define variables of two types in for loop?”。另一种方式优于Georg的“结构技巧”的优点是它(1)允许你混合使用静态和非静态局部变量,(2)它允许你拥有不可复制的变量。缺点是它的可读性要低得多,而且效率可能会降低。
定义一个宏:
#define FOR( typeX,x,valueX, typeY,y,valueY, condition, increments) typeX x; typeY y; for(x=valueX,y=valueY;condition;increments)
FOR(int,i,0, int,f,0.0, i < 5, i++)
{
//...
}
请记住,您的变量范围也不会以这种方式在for循环中。
以上是关于是否可以在for循环中声明两个不同类型的变量?的主要内容,如果未能解决你的问题,请参考以下文章