Function always returns 0 [closed]

The parameter of the function declared like char a[] is adjusted to type char *. The size of the pointer does not depend on how many elements the array passed as an argument has.

The valid function can look the following way

#include <cstring>

//...

int num( const char a[] )//将字符串型的数字转化成int 
{
    int  z,x,y;

    size_t n = std::strlen( a );

    z = 0;

    if( n == 1 )
        z = a[0] - '0';

    if ( n == 2 )
    {
        x = a[0] - '0';
        y = a[1] - '0';
        z = x * 10 + y;
    }

    if ( n == 3 )
    {
        x = a[0] - '0';
        y = a[1] - '0';
        z = a[2] - '0';
        z = x * 100 + y * 10 + z;
    }
    //...

If you need simply to form a number from a character array you could use standard C function atoi. Or you could write a loop

z = 0;

for ( size_t i = 0; i < 3 && a[i]; i++ ) z = 10 * z + a[i] - '0';

Take into account that if it is the all that the function has to do then you shall include return statement

return z;

Leave a Comment