如何在 C++ 中将 ASCII 码转换为字符

Jinku Hu 2023年1月30日 2020年10月27日
  1. 在 C++ 中使用赋值运算符将 ASCII 值转换为字符
  2. 使用 sprintf() 函数在 C++ 中把 ASCII 值转换为字符
  3. 使用 char() 将 ASCII 值转换为字符值
如何在 C++ 中将 ASCII 码转换为字符

本文将演示关于如何在 C++ 中把 ASCII 值转换为字符的多种方法。

在 C++ 中使用赋值运算符将 ASCII 值转换为字符

ASCII 编码支持 128 个唯一的字符,每个字符都被映射到相应的字符值。由于 C 语言编程语言在底层实现了 char 类型的数字,所以我们可以给字符变量分配相应的 int 值。举个例子,我们可以将 int 向量的值推送到 char 向量,然后使用 std::copy 算法将其打印出来到控制台,这样就可以按照预期的方式显示 ASCII 字符。

请注意,只有当 int 值对应于 ASCII 码时,分配到 char 类型才会有效,即在 0-127 范围内。

#include <iostream>
#include <vector>
#include <iterator>
#include <charconv>

using std::cout; using std::vector;
using std::endl; using std::copy;

int main() {
    vector<int> ascii_vals {97, 98, 99, 100, 101, 102, 103};
    vector<char> chars {};

    chars.reserve(ascii_vals.size());
    for (auto &n : ascii_vals) {
        chars.push_back(n);
    }
    copy(chars.begin(), chars.end(),
              std::ostream_iterator<char>(cout, "; "));

    return EXIT_SUCCESS;
}

输出:

a; b; c; d; e; f; g;

使用 sprintf() 函数在 C++ 中把 ASCII 值转换为字符

sprintf 函数是另一种将 ASCII 值转换为字符的方法。在这个解决方案中,我们声明一个 char 数组来存储每次迭代的转换值,直到 printf 输出到控制台。sprintf 将字符数组作为第一个参数。接下来,你应该提供一个%c 格式指定符,它表示一个字符值,这个参数表示输入将被转换的类型。最后,作为第三个参数,你应该提供源变量,即 ASCII 值。

#include <iostream>
#include <vector>
#include <array>
#include <iterator>
#include <charconv>

using std::cout; using std::vector;
using std::endl; using std::array;
using std::copy; using std::to_chars;

int main() {
    vector<int> ascii_vals {97, 98, 99, 100, 101, 102, 103};

    array<char, 5> char_arr{};
    for (auto &n : ascii_vals) {
        sprintf(char_arr.data(), "%c", n);
        printf("%s; ", char_arr.data());
    }
    cout << endl;

    return EXIT_SUCCESS;
}

输出:

a; b; c; d; e; f; g;

使用 char() 将 ASCII 值转换为字符值

另外,可以使用 char() 将单个 ASCII 值强制转换为 char 类型。下面的例子演示了如何从包含 ASCII 值的 int 向量直接向控制台输出字符。

#include <iostream>
#include <vector>
#include <iterator>
#include <charconv>

using std::cout; using std::vector;
using std::endl; using std::copy;

int main() {
    vector<int> ascii_vals {97, 98, 99, 100, 101, 102, 103};

    for (auto &n : ascii_vals) {
        cout << char(n) << endl;
    }

    return EXIT_SUCCESS;
}

输出:

a
b
c
d
e
f
g
Author: Jinku Hu
Jinku Hu avatar Jinku Hu avatar

Founder of DelftStack.com. Jinku has worked in the robotics and automotive industries for over 8 years. He sharpened his coding skills when he needed to do the automatic testing, data collection from remote servers and report creation from the endurance test. He is from an electrical/electronics engineering background but has expanded his interest to embedded electronics, embedded programming and front-/back-end programming.

LinkedIn

相关文章 - C++ Char