0

我有一行数据

211L    CRYST1   60.970   60.970   97.140   90.000   90.000  120.000  P 32 2 1         6

我想在 C 中解析。具体来说,我想提取P 32 2 1为单个字符串。

当我使用 strtok 时,它使用所有空格作为分隔符,让我返回单个字符串

P
32
2
1

更简洁的问题表述:

如果我有可变数量的字符串(在这种情况下为 4 个),我如何将它们连接成一个字符串?

到目前为止我的代码:

while (fgets(line,sizeof line, PDBlist)!=NULL)
{
    p=0;
    pch=strtok(line,"\t");
    sprintf(space[p],"%s",pch);

    while(pch!=NULL){
        pch=strtok(NULL," ");
        p++;
        sprintf(space[p],"%s",pch);

    }

for(i=8;i<(p-1);i++){

        if(i==(p-2))printf("%s\n",space[i]);
        else printf("%s ",space[i]);

        }   }*
4

3 回答 3

1

如果行的格式始终与发布的示例相同,则使用的替代方法strtok()sscanf(). 它为行内容提供了一定程度的验证,无需额外编码(例如,验证float值):

const char* input = "211L    CRYST1   ....";
char first_token[32];
char second_token[32];
float float_1, float_2, float_3, float_4, float_5, float_6;
char last_token[32];

/* The '%31s' means read next sequence of non-whitespace characters
   but don't read anymore than 31. 31 is used to leave space
   for terminating NULL character.

   '%f' is for reading a float.

   '%31[^\n]' means read next sequence of characters up to newline
   but don't read anymore than 31. */
if (9 == sscanf(input, "%31s %31s %f %f %f %f %f %f %31[^\n]",
                first_token,
                second_token,
                &float_1,
                &float_2,
                &float_3,
                &float_4,
                &float_5,
                &float_6,
                last_token))
{
    /* Successfully read 9 tokens. */
}

请参阅http://ideone.com/To4ZP上的在线演示。

于 2012-08-13T20:49:32.940 回答
0

谢谢您的帮助!

这是我想出的解决方案:

如果您有可变数量的令牌,请首先为每个令牌创建一个数组:

while(pch!=NULL){
                pch=strtok(NULL," ");
                p++;
                sprintf(space[p],"%s ",pch);    

            }

首先使用 strcpy 然后使用 strcat 提取所需的标记并将它们连接成单个字符串

 for(i=8;i<(p-1);i++){


                if(i==8)strcpy(dummy,space[i]);
                else strcat(dummy,space[i]);

            } 

再次感谢!我认为我在原来的问题中使问题变得更加混乱。如果您有任何建议,请让我知道。

于 2012-08-13T21:20:38.647 回答
0

例如

#include <stdio.h>
#include <stdlib.h>
#include <string.h>

int main(){
    char line[128] = "211L    CRYST1   60.970   60.970   97.140   90.000   90.000  120.000  P 32 2 1         6\n";
    char field8_11[32];
    char *p, *field[13];
    int i=0;
    for(p=line;NULL!=(p=strtok(p," \t\n"));p=NULL){
        field[i++]=p;
    }
    sprintf(field8_11, "%s %s %s %s", field[8], field[9], field[10], field[11]);
    printf("%s\n", field8_11);
    return 0;
}
于 2012-08-16T10:53:31.737 回答