在C++中找到数组的长度
引言
在这篇文章中,我们将学习C++中可以寻找数组长度的各种方法。
基本上,当我们说一个数组的长度时,我们实际上是指相应数组中存在的元素总数量。例如,对于下面给出的数组:
int array1[] = { 0, 1, 2, 3, 4 }
在这里,数组的大小或长度等于其中元素的总数。在这种情况下,总数是“5”。
在C++中找到数组长度的方法。
现在让我们来看一下在C++中找到数组长度的不同方法,它们如下:
-
- 逐个元素计数,
-
- begin()和end(),
-
- sizeof()函数,
-
- STL中的size()函数,
- 指针。
现在,让我们逐一详细讨论每种方法,并配以例子说明。
1. 逐个元素计算
遍历给定的数组,并同时计算我们遍历的元素总数可以得到数组的长度,对吗?
但是对于遍历,如果我们不事先知道数组的长度,就不能直接使用for循环。这个问题可以通过使用简单的foreach循环来解决。仔细看下面的代码。
#include<iostream>
#include<array>
using namespace std;
int main()
{
int c;
int arr[]={1,2,3,4,5,6,7,8,9,0};
cout<<"The array is: ";
for(auto i: arr)
{
cout<<i<<" ";
c++;
}
cout<<"\nThe length of the given Array is: "<<c;
return 0;
}
输出:
结果:
The array is: 1 2 3 4 5 6 7 8 9 0
The length of the given Array is: 10
在这里,正如我们所说的,我们使用一个带有迭代器i的for-each循环遍历整个数组arr。同时计数器c被递增。最后,当遍历结束时,c保存了给定数组的长度。
使用begin()和end()方法
我们还可以使用标准库的begin()和end()函数来计算数组的长度。这两个函数分别返回指向数组开始和结束的迭代器。仔细观察给定的代码。
#include<iostream>
#include<array>
using namespace std;
int main()
{
//Given Array
int arr[] = { 11, 22, 33, 44 };
cout<<"The Length of the Array is : "<<end(arr)-begin(arr); //length
return 0;
}
输出:
The Length of the Array is : 4
因此,正如我们所看到的,两个函数end()和begin()的返回值之间的差异给出了给定数组arr的大小或长度。也就是说,在我们的例子中是4。
3. 在C++中使用sizeof()函数来查找数组的长度。
在C++中,sizeof() 运算符返回传递变量或数据的大小(以字节为单位)。同样地,它也返回存储数组所需的总字节数。因此,如果我们将数组的大小除以每个元素占用的大小,就可以得到数组中元素的总数。
让我们看看这是如何运作的
#include<iostream>
#include<array>
using namespace std;
int main()
{ //Given array
int arr[] = {10 ,20 ,30};
int al = sizeof(arr)/sizeof(arr[0]); //length calculation
cout << "The length of the array is: " <<al;
return 0;
}
结果:
The length of the array is: 3
正如我们所看到的,我们得到了我们想要的结果。
使用STL中的size()函数
我们在标准库中定义了一个size()函数,它返回给定容器(在我们这里是数组)中的元素数量。
#include<iostream>
#include<array>
using namespace std;
int main()
{ //Given array
array<int,5> arr{ 1, 2, 3, 4, 5 };
//Using the size() function from STL
cout<<"\nThe length of the given Array is: "<<arr.size();
return 0;
}
结果:
The length of the given Array is: 5
根据期望,我们得到了如上所示的输出。
5. 在C++中使用指针来查找数组长度
我们还可以使用指针来找到给定数组的长度。让我们看看如何做到这一点。
#include<iostream>
#include<array>
using namespace std;
int main()
{ //Given array
int arr[6] = {5,4,3,2,1,0};
int len = *(&arr + 1) - arr;
//*(&arr + 1) is the address of the next memory location
// just after the last element of the array
cout << "The length of the array is: " << len;
return 0;
}
输出:
The length of the array is: 6
表达式*(arr+1)给出的是数组最后一个元素之后的内存空间的地址。因此,它与数组起始位置或基地址(arr)之间的差值给出了给定数组中元素的总数。
结论
所以,在这个教程中,我们讨论了在C++中找到数组长度的各种方法。尽管上面的每个例子都很容易操作,但我们更倾向于使用for-each循环的方法。这不仅因为代码的可读性,还因为它具备跨平台的可靠性。
如有任何进一步的问题,请随时在下方留言。
参考文献
- How do I find the length of an array? – Stack Overflow question,
- for-each loop in C++ – JournalDev post.