11

我正在编写一个ncurses程序,并试图使其正确响应终端调整大小。虽然我可以在我的程序中正确读取终端尺寸,ncurses但似乎无法正确处理新尺寸。这是一个(有点长)示例程序:

#include <ncurses.h>
#include <string.h>
#include <signal.h>
#include <sys/ioctl.h>

void handle_winch(int sig){

    struct winsize w;
    ioctl(0, TIOCGWINSZ, &w);
    COLS = w.ws_col;
    LINES = w.ws_row;

    wresize(stdscr, LINES, COLS);
    clear();

    mvprintw(0, 0, "COLS = %d, LINES = %d", COLS, LINES);
    for (int i = 0; i < COLS; i++)
        mvaddch(1, i, '*');

    refresh();
}

int main(int argc, char *argv[]){

    initscr();

    struct sigaction sa;
    memset(&sa, 0, sizeof(struct sigaction));
    sa.sa_handler = handle_winch;
    sigaction(SIGWINCH, &sa, NULL);

    while(getch() != 27) {}

    endwin();
    return 0;
}

如果您运行它,您可以看到正确检索到终端尺寸。但是应该在屏幕上绘制*-characters 的第二行不起作用。尝试水平调整窗口大小使其变大,*s 的行不会变大。

这里有什么问题?我知道可以暂时离开诅咒模式,但我更喜欢更清洁的解决方案。谢谢!

4

1 回答 1

24

不要设置COLSLINES。这些由 ncurses 管理。此外,让 ncurses 在调整大小后正确重新初始化。这意味着,不要调用 wresize()。只需调用 endwin() 即可。在使用其他 ncurses 函数之前,请确保在 endwin() 调用之后直接调用 refresh()。

您也根本不需要 ioctl() 。ncurses 负责自动检测新大小。

所以你需要的只是一个 endwin() 调用:

void handle_winch(int sig)
{
    endwin();
    // Needs to be called after an endwin() so ncurses will initialize
    // itself with the new terminal dimensions.
    refresh();
    clear();

    mvprintw(0, 0, "COLS = %d, LINES = %d", COLS, LINES);
    for (int i = 0; i < COLS; i++)
        mvaddch(1, i, '*');
    refresh();
}

此外,一些 ncurses 版本被配置为提供自己的 SIGWINCH 处理程序。当发生调整大小时,这些版本返回 KEY_RESIZE 作为键输入。如果您要使用它,则根本不需要信号处理程序。相反,您只需要:

#include <ncurses.h>
#include <string.h>

int main()
{

    initscr();

    int key;
    while ((key = getch()) != 27) {
        if (key == KEY_RESIZE) {
            clear();
            mvprintw(0, 0, "COLS = %d, LINES = %d", COLS, LINES);
            for (int i = 0; i < COLS; i++)
                mvaddch(1, i, '*');
            refresh();
        }
    }

    endwin();
    return 0;
}

Unfortunately, you can't rely on all ncurses installation being configured with KEY_RESIZE, so the signal handler is the most portable solution.

于 2012-12-04T16:39:02.073 回答