如有失误之处,还恳请指教!!!
// arrfun2.cpp -- functions with an array argument
#include <iostream>
const int ArSize = 8;
int sum_arr(int arr[], int n);
// use std:: instead of using directive
int main()
{
int cookies[ArSize] = {1, 2, 4, 8, 16, 32, 64, 128};
// some systems require preceding int with static to
// enable array initialization
//没有直接些using namespace std,而是用std::对象调用名称空间中的名称
std::cout << cookies << " = array address, ";
// some systems require a type cast: unsigned (cookies)
// sizeof 数组名称的返回值是整个数组的内存长度
std::cout << sizeof cookies << " = sizeof cookies\n";
//将数组名称cookies作为参数传递给函数,这里传递的实际上时数组第一个元素的地址,而Arsize是元素个数
//通过数组第一个元素的地址与元素的个数,会使得数组中的全部元素被访问
int sum = sum_arr(cookies, ArSize);
std::cout << "Total cookies eaten: " << sum << std::endl;
//被调函数第二个实际参数为3表明只访问前三个元素
sum = sum_arr(cookies, 3); // a lie
std::cout << "First three eaters ate " << sum << " cookies.\n";
//被调函数的第一个参数是cookies+4,cookies是数组名称,代表的是数组第一个元素的地址,地址+4意味着
//地址将会向后移动四个地址,因此将从第5个元素开始
sum = sum_arr(cookies + 4, 4); // another lie
std::cout << "Last four eaters ate " << sum << " cookies.\n";
// std::cin.get();
return 0;
}
// return the sum of an integer array
//函数定义,此函数实现数组各个元素相加并将其和作为返回值的功能
int sum_arr(int arr[], int n)
{
int total = 0;
std::cout << arr << " = arr, ";
// some systems require a type cast: unsigned (arr)
//sizeof on array function parameter will return size of 'int *' instead of 'int []'
//将sizeof功能作用在一个作为函数参数的数组,其返回值是一个int类型的指针,而不是int类型的数组
std::cout << sizeof (arr) << " = sizeof arr\n";
for (int i = 0; i < n; i++)
total = total + arr[i];
return total;
}