开发者

Remove the first part of a C String

I'm having a lot of trouble figuring this out. I have a C string, and I want to remove the first part of it. Let's say its: "Food,Amount,Calories". I want to copy out each one of those values, but not the commas. I find the comma, and return the position of the comma to my method. Then I use

strncp开发者_JAVA技巧y(aLine.field[i], theLine, end);

To copy "theLine" to my array at position "i", with only the first "end" characters (for the first time, "end" would be 4, because that is where the first comma is). But then, because it's in a Loop, I want to remove "Food," from the array, and do the process over again. However, I cannot see how I can remove the first part (or move the array pointer forward?) and keep the rest of it. Any help would be useful!


What you need is to chop off strings with comma as your delimiter.

You need strtok to do this. Here's an example code for you:

int main (int argc, const char * argv[]) {


    char *s = "asdf,1234,qwer";
    char str[15];
    strcpy(str, s);
    printf("\nstr: %s", str);
    char *tok = strtok(str, ",");
    printf("\ntok: %s", tok);
    tok = strtok(NULL, ",");
    printf("\ntok: %s", tok);
    tok = strtok(NULL, ",");
    printf("\ntok: %s", tok);

    return 0;
}

This will give you the following output:

str: asdf,1234,qwer
tok: asdf
tok: 1234
tok: qwer


If you have to keep the original string, then strtok. If not, you can replace each separator with '\0', and use the obtained strings directly:

char s_RO[] = "abc,123,xxxx", *s = s_RO;
while (s){
    char* old_str = s;
    s = strchr(s, ',');
    if (s){
        *s = '\0';
        s++;
    };
    printf("found string %s\n", old_str);
};


The function you might want to use is strtok()

Here is a nice example - http://www.cplusplus.com/reference/clibrary/cstring/strtok/


Personally, I would use strtok().

I would not recommend removing extracted tokens from the string. Removing part of a string requires copying the remaining characters, which is not very efficient.

Instead, you should keep track of your positions and just copy the sections you want to the new string.

But, again, I would use strtok().


if you know where the comma is, you can just keep reading the string from that point on.

for example

void readTheString(const char *theLine)
{
    const char *wordStart = theLine;
    const char *wordEnd = theLine;

    int i = 0;
    while (*wordStart) // while we haven't reached the null termination character
    {
        while (*wordEnd != ',')
            wordEnd++;
        // ... copy the substring ranging from wordStart to wordEnd
        wordStart = ++wordEnd; // start the next word
    }
}

or something like that.
the null termination check is probably wrong, unless the string also ends with a ','... but you get the idea.

anyway, using strtok would probably be a better idea.

0

上一篇:

下一篇:

精彩评论

暂无评论...
验证码 换一张
取 消

最新问答

问答排行榜