在C中用%20替换空格

时间:2010-08-06 13:58:57

标签: c http

我正在为C中的网站编写一个fastcgi应用程序。不要问为什么,请留下所有部分。

帮我解决这个问题 - 我想用%20替换查询字符串中的空格。 这是我正在使用的代码,但我没有在输出中看到20,只有%。问题出在哪里?

代码:

unsigned int i = 0;

/*
 * Replace spaces with its hex %20
 * It will be converted back to space in the actual processing
 * They make the application segfault in strtok_r()
 */

char *qstr = NULL;
for(i = 0; i <= strlen(qry); i++) {
  void *_tmp;
  if(qry[i] == ' ') {
    _tmp = realloc(qstr, (i + 2) * sizeof(char));
    if(!_tmp) error("realloc() failed while allocting string memory (space)\n");
    qstr = (char *) _tmp;
    qstr[i] = '%'; qstr[i + 1] = '2'; qstr[i + 2] = '0';
  } else {
    _tmp = realloc(qstr, (i + 1) * sizeof(char));
    if(!_tmp) error("realloc() failed while allocating string memory (not space)\n");
    qstr = (char *) _tmp;
    qstr[i] = qry[i];
  }
}

在代码中,qry是char *,作为函数的实际参数。 我在空间替换器块的realloc()中尝试了i + 3,4,5,但没有成功。

6 个答案:

答案 0 :(得分:16)

C中的字符串处理可能很棘手。我建议首先查看字符串,计算空格,然后分配一个适当大小的新字符串(原始字符串大小+(空格数* 2))。然后,循环遍历原始字符串,将指针(或索引)保持在新字符串和原始字符串中的位置。 (为什么有两个指针?因为每次遇到空格时,指向新字符串的指针都会在指针前面有两个字符进入旧字符串。)

这里有一些代码可以解决这个问题:

int new_string_length = 0;
for (char *c = qry; *c != '\0'; c++) {
    if (*c == ' ') new_string_length += 2;
    new_string_length++;
}
char *qstr = malloc((new_string_length + 1) * sizeof qstr[0]);
char *c1, *c2;
for (c1 = qry, c2 = qstr; *c1 != '\0'; c1++) {
    if (*c1 == ' ') {
        c2[0] = '%';
        c2[1] = '2';
        c2[2] = '0';
        c2 += 3;
    }else{
        *c2 = *c1;
        c2++;
    }
}
*c2 = '\0';

答案 1 :(得分:6)

qstr[i] = '%'; qstr[i + 1] = '2'; qstr[i + 2] = '0'; 

该行将三个字符写入输出缓冲区,因此您编写的下一个字符需要写入qstr [i + 3]。但是,您只需逐步减1,因此下一个字符将写入qstr [i + 1],覆盖'2'。

您需要保留单独的索引才能逐步完成qry&amp; qstr

答案 2 :(得分:2)

我同意大卫的意见。

建议分两步完成:在第一个循环中,您只需计算空格:

int spaceCounter=0;
const int sourceLen = strlen(qry);
for(int i = 0; i < sourceLen; ++i) 
    if ( qry[i] == ' ')
        ++spaceCounter;

char* newString = (char*)malloc(sourceLen + 3*spaceCounter*sizeof(char) + 1)
//check for null!
for(int i = 0; i < sourceLen; ++i) 
    if ( qry[i] == ' ')
    {
        *newString++ = '%';
        *newString++ = '2';
        *newString++ = '0';
    }
    else
        *newString++ = qry[i];

*newString = '\0';

警告:代码未经过测试。

答案 3 :(得分:1)

您使用相同的计数器分配我需要有2个计数器,因为字符串具有不同的长度

你的其他案件指定qstr [i] = qry [i];写完%20后,你在结果字符串上至少减去2。

答案 4 :(得分:0)

这称为url编码。您可以参考此页面查看一些类似的实现:http://www.geekhideout.com/urlcode.shtml

答案 5 :(得分:0)

char* toHexSpace(const char *s)
{
  char *b=strcpy(malloc(3*strlen(s)+1),s),*p;
  while( p=strchr(b,' ') )
  {
    memmove(p+3,p+1,strlen(p));
    strncpy(p,"%20",3);
  }
  return b; 
}

在呼叫上下文中需要“免费”。