格式'%s'需要'char *'类型的参数

时间:2013-11-20 23:08:29

标签: c string printf strcpy strncpy

为了在C中练习我的编程技巧,我试图自己编写strncpy函数。这样做我总是遇到错误,解决了大部分错误,最终我陷入了困境,没有进一步的灵感继续下去。

我收到的错误是:

ex2-1.c:29:3: warning: format ‘%s’ expects argument of type ‘char *’, but argument 2 has type ‘int’ [-Wformat=]
   printf("The copied string is: %s.\n", stringb);

事情是,这是一个非常常见的错误,它也已经在SO上描述过了,只是我似乎无法应用其他人已经指出过的提示。我知道我在打印变量时使用了错误的类型,当我使用%d格式时,它将返回一个整数,这可能是第一个字符的ASCII值,因为它在增加最大数字时不会改变要复制的字节数。

使用GDB我发现迭代通过while循环的b变量保存了正确的字符串,但我似乎无法打印它。

我可能缺乏关于C语言的非常基本的知识部分而且我为这个新手问题(再一次)提出了道歉。如果您能在我的代码中提供反馈或指出其他缺陷,我将不胜感激。

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

void strmycpy(char **a, char *b, int maxbytes) {
  int i = 0;
  char x = 0;

  while(i!=maxbytes) {
  x = a[0][i];
  b[i] = x;
  i++;
  }

  b[i] = 0;

}


int main (int argc, char **argv) {
  int maxbytes = atoi(argv[2]);
  //char stringa;
  char stringb;
  if (argc!=3 || maxbytes<1) {
        printf("Usage: strmycpy <input string> <numberofbytes>. Maxbytes has to be more than or equal to 1 and keep in mind for the NULL byte (/0).\n");
        exit(0);
     } else {

  strmycpy(&argv[1], &stringb, maxbytes);
  printf("The copied string is: %s.\n", stringb);

  }

  return 0;
}

1 个答案:

答案 0 :(得分:6)

charchar*之间存在细微差别。第一个是单个字符,而后者是指向char的指针(可以指向可变数量的char个对象)。

%s格式说明符实际上需要一个C风格的字符串,该字符串不仅应该是char*类型,而且还应该是空终止的(请参阅C string handling)。如果要打印单个字符,请改用%c

至于程序,假设我认为你想要的是你想要的,尝试这样的事情:

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

static void strmycpy(char *dest, const char *src, size_t n) {
    char c;
    while (n-- > 0) {
        c = *src++;
        *dest++ = c;
        if (c == '\0') {
            while (n-- > 0)
                *dest++ = '\0';
            break;
        }
    }
}

int main(int argc, char *argv[]) {
    size_t maxbytes;
    char *stringb;

    if (argc != 3 || !(maxbytes = atoll(argv[2]))) {
        fprintf(
            stderr,
            "Usage: strmycpy <input string> <numberofbytes>.\n"
            "Maxbytes has to be more than or equal to 1 and keep "
            "in mind for the null byte (\\0).\n"
        );
        return EXIT_FAILURE;
    }

    assert(maxbytes > 0);
    if (!(stringb = malloc(maxbytes))) {
        fprintf(stderr, "Sorry, out of memory\n");
        return EXIT_FAILURE;
    }

    strmycpy(stringb, argv[1], maxbytes);
    printf("The copied string is: %.*s\n", (int)maxbytes, stringb);
    free(stringb);

    return EXIT_SUCCESS;
}

但坦率地说,这是非常重要的,解释可能只会导致在C上写一本书。如果你只是阅读已经写过的书,那么你会好多了。有关优秀C书籍和资源的列表,请参阅The Definitive C Book Guide and List

希望它有所帮助。祝你好运!