终端窗口大小不使用ioctl更新

时间:2018-02-01 17:50:31

标签: c terminal size ioctl

我在VM中使用vanilla Ubuntu。有问题的代码:

#include <sys/ioctl.h>
#include <stdio.h>
#include <unistd.h>

int main(void){
   struct winsize w;

   ioctl(STDOUT_FILENO, TIOCGWINSZ, &w);
   printf("lines %d\n", w.ws_row);
   printf("columns %d\n", w.ws_col);

   printf("\033[8;40;100t");

   ioctl(STDOUT_FILENO, TIOCGWINSZ, &w);
   printf("lines %d\n", w.ws_row);
   printf("columns %d\n", w.ws_col);

   return 0;
}

当我编译并运行它时,打印出原始终端窗口大小,然后将窗口大小调整为40x100,但最后的printf行不反映新的终端窗口大小。

这里发生了什么,如何获取更新的终端窗口大小信息?

1 个答案:

答案 0 :(得分:0)

代码中的一个问题显而易见,printf("\033[8;40;100t");之后您还没有刷新stdout。因此,当您调用第二个ioctl()时,这些转义序列仍在stdout的缓冲区中。

但是,即使您最有可能添加fflush(stdout);,结果也不会发生变化。因为存在竞争条件,即首先调整窗口大小还是首先调用下一个ioctl()。即使您添加tcdrain()

,情况仍然如此

如果您为SIGWINCH安装信号处理程序,则可以验证这一点。

#include <sys/ioctl.h>
#include <stdio.h>
#include <unistd.h>
#include <signal.h>
#include <termios.h>
#include <string.h>

void winsz_handler(int sig) {
    const char *s = "winsize changed!\n";
    write(STDOUT_FILENO, s, strlen(s));
}

int main(void){
   signal(SIGWINCH, winsz_handler);

   struct winsize w;

   ioctl(STDOUT_FILENO, TIOCGWINSZ, &w);
   printf("lines %d\n", w.ws_row);
   printf("columns %d\n", w.ws_col);

   printf("\033[8;40;100t");
   fflush(stdout);
   tcdrain(STDOUT_FILENO);

   // remove this comment, then it works on my machine
   // However, it's ad hoc because there is no garantee
   //usleep(100000);

   ioctl(STDOUT_FILENO, TIOCGWINSZ, &w);
   printf("lines %d\n", w.ws_row);
   printf("columns %d\n", w.ws_col);
   sleep(1);

   return 0;
}

“winsize changed”输出是最后一个。如果注释中的usleep()被删除,那么它可以在我的机器上运行。当然,对于竞争条件来说,这不是一个好的解决方案。