在 C 語言中連線字串和 Int

Jinku Hu 2023年10月12日
  1. 使用 asprintfstrcatstrcpy 函式來連線 C 語言中的字串和整數
  2. 在 C 語言中使用 asprintfmemccpy 函式來連線字串和整數
在 C 語言中連線字串和 Int

本文將演示在 C 語言中連線 stringint 的多種方法。

使用 asprintfstrcatstrcpy 函式來連線 C 語言中的字串和整數

連線 int 變數和字串的第一步是將整數轉換成字串。我們利用 asprintf 函式將傳來的整數儲存為一個字元字串。asprintf 是 GNU C 庫擴充套件的一部分,在其他實現中可能無法使用。它的工作原理與 sprintf 類似,只是目標字串緩衝區是通過內部呼叫 malloc 函式動態分配的,返回的指標應該在程式退出前釋放。整數轉換完成後,我們連鎖呼叫 strcpystrcat,在使用者分配的緩衝區中連通兩個給定的字串。在本例中,我們任意定義了 MAX 巨集來表示目標緩衝區的大小,但在實際場景中,使用 malloc 會更加靈活。

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

#ifndef MAX
#define MAX 100
#endif

int main(int argc, char *argv[]) {
  const char *str1 = "hello there";
  int n1 = 1234;

  char *num;
  char buffer[MAX];

  if (asprintf(&num, "%d", n1) == -1) {
    perror("asprintf");
  } else {
    strcat(strcpy(buffer, str1), num);
    printf("%s\n", buffer);
    free(num);
  }

  exit(EXIT_SUCCESS);
}

輸出:

hello there1234

或者,在鏈式呼叫之後,可以再呼叫一次 strcat 函式,將其他字串追加到給定的 char 緩衝區。注意,我們檢查 asprintf 函式是否成功返回值,如果失敗,則繼續進行連線過程。

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

#ifndef MAX
#define MAX 100
#endif

int main(int argc, char *argv[]) {
  const char *str1 = "hello there";
  int n1 = 1234;

  char *num;
  char buffer[MAX];

  if (asprintf(&num, "%d", n1) == -1) {
    perror("asprintf");
  } else {
    strcat(strcpy(buffer, "Hello there, "), num);
    strcat(buffer, "! continued");
    printf("%s\n", buffer);
    free(num);
  }

  exit(EXIT_SUCCESS);
}

輸出:

Hello there, 1234! continued

在 C 語言中使用 asprintfmemccpy 函式來連線字串和整數

另外,asprintf 可以和 memccpy 一起使用,以連線字元字串和整數。memccpy 是 C 標準庫字串實用程式的一部分,定義在 <string.h> 標頭檔案中。它需要兩個指標表示源緩衝區和目標緩衝區。請注意,這些緩衝區的記憶體區域不應重疊,否則,結果將無法定義。最後兩個引數代表停止複製的字元和從源位置取出的最大位元組數。我們在 else 作用域中呼叫 free 函式,因為否則,我們無法確定 num 指標是有效指標。

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

#ifndef MAX
#define MAX 100
#endif

int main(int argc, char *argv[]) {
  const char *str1 = "hello there";
  int n1 = 1234;

  char *num;
  char buffer[MAX];

  if (asprintf(&num, "%d", n1) == -1) {
    perror("asprintf");
  } else {
    memccpy(memccpy(buffer, str1, '\0', MAX) - 1, num, '\0', MAX);
    printf("%s\n", buffer);
    free(num);
  }

  exit(EXIT_SUCCESS);
}

輸出:

hello there1234
作者: Jinku Hu
Jinku Hu avatar Jinku Hu avatar

DelftStack.com 創辦人。Jinku 在機器人和汽車行業工作了8多年。他在自動測試、遠端測試及從耐久性測試中創建報告時磨練了自己的程式設計技能。他擁有電氣/ 電子工程背景,但他也擴展了自己的興趣到嵌入式電子、嵌入式程式設計以及前端和後端程式設計。

LinkedIn Facebook

相關文章 - C String