C++函數返回數組
C++不允許返回整個數組作為參數傳遞給函數。但是,可以通過指定數組名不帶索引返回一個指針數組。
如果想從一個函數返回一個一維數組,就必須聲明返回一個指針,在下麵的例子中的函數:
int * myFunction() { . . . }
第二點要記住的是,C++不提倡給本地變量的地址返回在函數之外,所以必須定義局部變量為靜態變量。
現在,考慮下麵的函數,這將產生10個隨機數字並使用數組返回它們,並調用這個函數如下:
#include <iostream> #include <ctime> using namespace std; // function to generate and retrun random numbers. int * getRandom( ) { static int r[10]; // set the seed srand( (unsigned)time( NULL ) ); for (int i = 0; i < 10; ++i) { r[i] = rand(); cout << r[i] << endl; } return r; } // main function to call above defined function. int main () { // a yiibaier to an int. int *p; p = getRandom(); for ( int i = 0; i < 10; i++ ) { cout << "*(p + " << i << ") : "; cout << *(p + i) << endl; } return 0; }
當上述代碼被編譯在一起並執行時,它會產生導致一些如下:
624723190 1468735695 807113585 976495677 613357504 1377296355 1530315259 1778906708 1820354158 667126415 *(p + 0) : 624723190 *(p + 1) : 1468735695 *(p + 2) : 807113585 *(p + 3) : 976495677 *(p + 4) : 613357504 *(p + 5) : 1377296355 *(p + 6) : 1530315259 *(p + 7) : 1778906708 *(p + 8) : 1820354158 *(p + 9) : 667126415