如何在for循环中连接字符串?

时间:2016-09-12 16:30:12

标签: c arrays printf string-concatenation

我在C中使用循环并尝试确定fprintf的工作原理。

fprintf(out, "%02X", (int)(ch & 0x00FF); 

此语句为循环的每次迭代打印出一个十六进制值char。

我可以将它存储在变量或char数组中吗?

如何将其连接成一个大字符串,然后将其写入文件?

我是否必须检查迭代的总大小,并在开头将char数组设置为正确的循环大小,然后附加到此?

2 个答案:

答案 0 :(得分:1)

也许这会有所帮助。

程序需要多个十进制输入(最多50个)。它打印相应的十六进制值并将char附加到一个字符串(零终止的char数组)。最后,它打印字符串。

#include <stdio.h>

int main(void) {
    const int N = 50;
    int i = 0;
    char text[N+1];  // Make an array to hold the string
    text[0] = '\0';  // Zero terminate it
    int ch;

    while(i < N)
    {
        if (scanf("%d", &ch) != 1)  // Read decimal from stdin
        {
            break;                  // Break out if no decimal was returned
        }
        printf("%02X ", (ch & 0x00FF));

        text[i] = (ch & 0x00FF);  // Add the new char
        text[i+1] = '\0';         // Add a new string termination
        ++i;

    }
    printf("\n");

    printf("%s\n", text);
    return 0;
}

<强>输入:

65 66 67 68

<强>输出:

41 42 43 44

ABCD

或者这个替代方法,它读取字符串char-by-char,直到它看到换行符:

#include <stdio.h>

int main(void) {
    const int N = 50;
    int i = 0;
    char text[N+1];
    text[0] = '\0';
    char ch;

    while(i <= N)
    {
        if (scanf("%c", &ch) != 1 || ch == '\n')
        {
            break;
        }
        printf("%02X ", ch);
        text[i] = ch;
        text[i+1] = '\0';
        ++i;
    }
    printf("\n");

    printf("%s\n", text);
    return 0;
}

<强>输入:

编码很有趣

<强>输出:

63 6F 64 69 6E 67 20 69 73 20 66 75 6E

编码很有趣

答案 1 :(得分:-1)

我不太确定你想做什么,但你可以查看我为你做的这些代码,并且可以扩展它。

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

int main (void)
{


  char buff[2056];
  char out[255];
  char ch ='a';

  sprintf(out, "%02X", (int)(ch & 0x00FF) ); 

  strcpy(buff,out);
  printf("%s",buff);



  return 0;
}