我想用 printf 打印上标和下标,比如 x¹?

I would like to print superscript and subscript with printf, like x¹?

我想在 c 中打印出一个 多项式 表达式,但我不知道使用 printf

打印 x 的数字次方

很遗憾,printf无法输出带格式的文本。

(当然可以输出HTML格式,但是需要先输入解释器才能正确显示)

所以一般情况下是不能打印上标格式的文字的。

你发现的是上标1作为一个特殊字符。但是,如果我没记错的话,这仅适用于 1 和 2(并且仅适用于正确的代码页,而不是纯 ASCII)。

打印“上标”的常用方法是使用x^2x^3语法。这是常识。

klutt 的 提供了替代方案。如果使用 wprintf 而不是 printf 切换到 unicode,则可以使用从 0 到 9 的所有上标字符。尽管如此,我不确定固定宽度终端中的多位数指数是什么样的它原则上有效。

如果要打印上标1,需要使用unicode。您可以组合 unicode 上标来编写多位数字。

#include <stdio.h>
#include <wchar.h>
#include <locale.h>

int main() {
    setlocale(LC_CTYPE, "");
    wchar_t one = 0x00B9;
    wchar_t two = 0x00B2;
    wprintf(L"x%lc\n", one);
    wprintf(L"x%lc%lc\n", one, two);
}

输出:

$ clang ~/lab/unicode.c 
$ ./a.out 
x¹
x¹²

参考:https://www.compart.com/en/unicode/U+00B9

不幸的是,这远非微不足道。您无法使用 printf 实现您想要的。你需要wprintf。此外,在正常和上标之间进行转换并非易事。您想要这样的功能:

wchar_t digit_to_superscript(int d) {
    wchar_t table[] = { // Unicode values
        0x2070, 
        0x00B9,         // Note that 1, 2 and 3 does not follow the pattern
        0x00B2,         // That's because those three were common in various
        0x00B3,         // extended ascii tables. The rest did not exist
        0x2074,         // before unicode
        0x2075,
        0x2076,
        0x2077,
        0x2078,
        0x2079,
    };

    return table[d];
}
    

当然也可以更改此函数以处理其他字符,只要它们受支持即可。您还可以编写对完整字符串进行操作的更完整的函数。

但正如我所说,这不是微不足道的,它不能用简单的格式字符串完成 printf,甚至 wprintf

这是一个有点工作的例子。它是可用的,但它很短,因为我省略了所有错误检查等。能够使用负浮点数作为指数的最短可能。

#include <wchar.h>
#include <locale.h>

wchar_t char_to_superscript(wchar_t c) {
    wchar_t digit_table[] = {
        0x2070, 0x00B9, 0x00B2, 0x00B3, 0x2074, 
        0x2075, 0x2076, 0x2077, 0x2078, 0x2079,
    };

    if(c >= '0' && c <= '9') return digit_table[c - '0'];
    switch(c) {
        case '.': return 0x22C5; 
        case '-': return 0x207B;
    }
}

void number_to_superscript(wchar_t *dest, wchar_t *src) {
    while(*src){
        *dest = char_to_superscript(*src);
        src++;
        dest++;
    }
    dest++;
    *dest = 0;
}

并演示一个主要功能:

int main(void) {
    setlocale(LC_CTYPE, "");
    double x = -3.5;
    wchar_t wstr[100], a[100];
    swprintf(a, 100, L"%f", x);
    wprintf(L"Number as a string: %ls\n", a);
    number_to_superscript(wstr, a);
    wprintf(L"Number as exponent: x%ls\n", wstr);
}

输出:

Number as a string: -3.500000
Number as exponent: x⁻³⋅⁵⁰⁰⁰⁰⁰

为了制作一个完整的翻译器,您需要这样的东西:

size_t superscript_index(wchar_t c) {
    // Code
}

wchar_t to_superscript(wchar_t c) {
    static wchar_t huge_table[] {
         // Long list of values
    };

    return huge_table[superscript_index(c)];
}

请记住,并非所有角色都可以这样做。只有那些对应的上标版本才存在。