Printing a Unicode Symbol in C

2020-02-12 09:43发布

I'm trying to print a unicode star character (0x2605) in a linux terminal using C. I've followed the syntax suggested by other answers on the site, but I'm not getting an output:

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

int main(){

    wchar_t star = 0x2605;
    wprintf(L"%c\n", star);

    return 0;
}

I'd appreciate any suggestions, especially how I can make this work with the ncurses library.

2条回答
劫难
2楼-- · 2020-02-12 10:28

Two problems: first of all, a wchar_t must be printed with %lc format, not %c. The second one is that unless you call setlocale the character set is not set properly, and you probably get ? instead of your star. The following code seems to work though:

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

int main() {
    setlocale(LC_CTYPE, "");
    wchar_t star = 0x2605;
    wprintf(L"%lc\n", star);
}
查看更多
做自己的国王
3楼-- · 2020-02-12 10:49

Whether you are using stdio or ncurses, you have to initialize the locale, as noted in the ncurses manual. Otherwise, multibyte encodings such as UTF-8 do not work.

wprintw doesn't necessarily know about wchar_t (though it may use the same underlying printf, this depends on the platform and configuration).

With ncurses, you would display a wchar_t in any of these ways:

  • storing it in an array of wchar_t, and using waddwstr, or
  • storing it in a cchar_t structure (with setcchar), and using wadd_wch with that as a parameter, or
  • converting the wchar_t to a multibyte string, and using waddstr
查看更多
登录 后发表回答