c++ - Why does the return value of this array comparison function remain unchanged?
巴扎黑
巴扎黑 2017-05-16 13:24:28
0
2
709

During the exercise, you are required to write an array comparison function

#include "iostream"

using namespace std;

int isEqual(int a[], int b[]) {
    int length_a = sizeof(a) / sizeof(a[0]);
    int length_b = sizeof(b) / sizeof(b[0]);

    if (length_a != length_b) {
        return 200;
    }
    else {
        for (int i = 0; i < length_a; i++) {
            if (a[i] != b[i]) {
                return 200;
            }
        }
        return 30;
    }

}

int main() {
    int arr1[4] = { 1,2,3,5 };
    int arr2[3] = { 1,2,3 };
    int flag = isEqual(arr1, arr2);
    cout << flag << endl;

    return 0;
}

No matter how the values ​​of the two arrays are changed, the output result of this function remains unchanged. What is the reason? ...Thank you~

巴扎黑
巴扎黑

reply all(2)
为情所困

In function parameter passing, arrays are passed into the function in the form of pointers, and there will be no call by value. In the function parameter, int arr[4] will degenerate into int *, and the 4 will be lost, so a in the isEqual function is actually just the first address of the array a.
If you want to pass in the array pointer and the size of the array at the same time, you need to use the array length as another formal parameter of the function:
For example:

#include "iostream"

using namespace std;

int isEqual(int a[],int length_a ,int b[],int length_b) {
    cout<<length_b<<length_a<<endl;
    if (length_a != length_b) {
        return 200;
    }
    else {
        for (int i = 0; i < length_a; i++) {
               if (a[i] != b[i]) {
                return 200;
            }
        }
        return 30;
    }

}

int main() {
    int arr1[4] = { 1,2,3,5 };
    int arr2[3] = { 1,2,3 };
    int flag = isEqual(arr1,sizeof(arr1)/sizeof(int),arr2,sizeof(arr2)/sizeof(int));
    cout << flag << endl;

    return 0;
}
小葫芦

Because you calculated the length of the two arrays incorrectly

 #include "iostream"

using namespace std;

int isEqual(int a[], int b[], int length_a, int length_b) {
   
    cout << length_a << length_b << endl;
    if (length_a != length_b) {
        return 200;
    }
    else {
        for (int i = 0; i < length_a; i++) {
            cout << a[i] << b[i] << endl;
            if (a[i] != b[i]) {
                return 200;
            }
        }
        return 30;
    }
}

int main() {
    int arr1[5] = { 2,1,2,3,5 };
    int arr2[3] = { 1,2,3 };
    int length_a = sizeof(arr1) / sizeof(arr1[0]);
    int length_b = sizeof(arr2) / sizeof(arr2[0]);
    int flag = isEqual(arr1, arr2, length_a, length_b);
    cout << flag << endl;

    return 0;
}
Latest Downloads
More>
Web Effects
Website Source Code
Website Materials
Front End Template
About us Disclaimer Sitemap
php.cn:Public welfare online PHP training,Help PHP learners grow quickly!