如何在C中检查我的char数组的前两个字符?

问题描述 投票:0回答:1

这是用于创建类似的C库函数atoi()而不使用任何C运行时库例程的代码。

我目前正在研究如何检查char数组s的前两位,以查看输入是否以“ 0x”开头。

如果它以0x开头,则意味着我可以将其转换为十六进制。

#include <stdio.h>

int checkforint(char x){
    if (x>='0' && x<='9'){
        return 1;
    }
    else{
        return 0;
    }
}

unsigned char converthex(char x){
    //lets convert the character to lowercase, in the event its in uppercase
    x = tolower(x);
    if (x >= '0' && x<= '9') {
        return ( x -'0');
    }
    if (x>='a' && x<='f'){
        return (x - 'a' +10);
    }
    return 16;
}

int checkforhex(const char *a, const char *b){
    if(a = '0' && b = 'x'){
        return 1;
    }else{
        return 0;
    }
}

//int checkforint
/* We read an ASCII character s and return the integer it represents*/
int atoi_ex(const char*s, int ishex) 
{
    int result = 0; //this is the result
    int sign = 1; //this variable is to help us deal with negative numbers
                //we initialise the sign as 1, as we will assume the input is positive, and change the sign accordingly if not

    int i = 0; //iterative variable for the loop
    int j = 2;

    //we check if the input is a negative number
    if (s[0] == '-') {   //if the first digit is a negative symbol 
        sign = -1;      //we set the sign as negative
        i++;            //also increment i, so that we can skip past the sign when we start the for loop
    }

    //now we can check whether the first characters start with 0x

    if (ishex==1){
        for (j=2; s[j]!='\0'; ++j)
            result = result + converthex(s[j]);
        return sign*result;
    }

    //iterate through all the characters 
    //we start from the first character of the input and then iterate through the whole input string
    //for every iteration, we update the result accordingly

    for (; s[i]!='\0'; ++i){
        //this checks whether the current character is an integer or not
        //if it is not an integer, we skip past it and go to the top of the loop and move to the next character
        if (checkforint(s[i]) == 0){
            continue;
        } else {
            result = result * 10 + s[i] -'0';
        }
        //result = s[i];
        }

    return sign * result;
}

int main(int argc)
{   
    int isithex;

    char s[] = "-1";
    char a = s[1];
    char b = s[2];

    isithex=checkforhex(a,b);

    int val = atoi_ex(s,isithex);
    printf("%d\n", val);
    return 0;
}
c function pointers atoi
1个回答
2
投票
您的代码中有几个错误。首先,在C中,您从零开始计数。因此,在main()中,您应该输入:

char a = s[0]; char b = s[1]; isithex = checkforhex(a, b);

然后,在checkforhex()中,您应该使用==(两个等号)进行比较,而不是=。因此:

if (a == '0' && b == 'x')

但是,正如kaylum所指出的,为什么不编写将指针传递给字符串而不是两个字符的函数?像这样:

int checkforhex(const char *str) { if (str[0] == '0' && str[1] == 'x') { ... } }

main()中这样称呼:

isithex = checkforhex(s);

© www.soinside.com 2019 - 2024. All rights reserved.