大家。我还是编程新手。我真的需要一些关于我所面临的问题的帮助。所以,这里的情况是我试图在终端尺寸低于80x24时显示警告。为了记录,我的Os是Window,但我正在使用虚拟机来运行Linux,因为所有文件都在Linux中。当我使用终端运行文件时,警告显示正确。但问题是当我尝试使用PuTTY从Windows运行该文件时。警告没有出现。我确定它是因为我使用的功能只能读取Linux环境而不能读取Windows。任何人都可以帮助我或指出我如何使它能够获得窗户的维度。这些文件都应保留在Linux中。我正在使用C.
以下是显示警告和获取维度的代码的一部分。
//This is to display warning
int display_warning()
{
CDKSCREEN *cdkscreen = 0;
WINDOW *cursesWin = 0;
char *mesg[5];
char *buttons[] = {"[ OK ]"};
CDKDIALOG *confirm;
cursesWin = initscr();
cdkscreen = initCDKScreen (cursesWin);
initCDKColor();
mesg[0] = "</2>"The size of Window must be at least 80x24.";
confirm = newCDKDialog(cdkscreen, CENTER, CENTER, mesg, 1, buttons, A_REVERSE, TRUE,TRUE, FALSE);
setCDKDialogBackgroundColor(confirm, "</2>");
injectCDKDialog(confirm,TAB);
activateCDKDialog(confirm,0);
if (confirm -> exitType == vNORMAL){
destroyCDKDialog (confirm);
destroyCDKScreen (cdkscreen);
endCDK();
}
return 0;
}
//This is to get the dimension
int get_terminal_size()
{
int cols;
int lines;
#ifdef TIOCGSIZE
struct ttysize ts;
ioctl(0,TIOCGSIZE, &ts);
lines = ts.ts_linesl;
cols = ts.ts_cols;
#elif defined(TIOCGWINSZ)
struct winsize ts;
ioctl(0, TIOCGWINSZ, &ts);
lines = ts.ws_row;
cols = ts.ws_col;
#endif
if((lines <= 23)||(cols <= 79)){
display_warning();
}
return 0;
}
//then there will be the main function that i think is not necessary to put the code here.
非常感谢所有评论和帮助。我是编程的初学者,所以如果有一些我不知道的基本内容,请原谅。
Fikrie
答案 0 :(得分:2)
这个问题与PuTTY本身无关,而且与SSH客户端和伪终端有关。
要避免此问题,请将PuTTY配置为使用伪终端。 (在TTY面板中,有一个“不分配伪终端”复选框。确保未选中它。)
使用ssh
,您需要使用-t
选项告诉ssh
使用伪终端。
这是一个简单的示例程序,您可以在Linux中使用它来获取终端大小。它不需要诅咒:
#include <unistd.h>
#include <sys/ioctl.h>
#include <errno.h>
#include <stdio.h>
static int get_size(const int fd, int *const rows, int *const cols)
{
struct winsize sz;
int result;
do {
result = ioctl(fd, TIOCGWINSZ, &sz);
} while (result == -1 && errno == EINTR);
if (result == -1)
return errno;
if (rows)
*rows = sz.ws_row;
if (cols)
*cols = sz.ws_col;
return 0;
}
int main(void)
{
int rows, cols;
if (!get_size(STDIN_FILENO, &rows, &cols) ||
!get_size(STDOUT_FILENO, &rows, &cols) ||
!get_size(STDERR_FILENO, &rows, &cols))
printf("%d rows, %d columns\n", rows, cols);
else
fprintf(stderr, "Terminal size is unknown.\n");
return 0;
}
使用TIOCGWINSZ
TTY ioctl
伪终端大小实际上由内核维护。如果没有伪终端,只有标准流,则没有行和列;在这种情况下,它只是一个流。特别是,即使tput lines
和tput cols
也会失败。
如果没有伪终端,许多交互式命令行程序将拒绝工作。例如,top
将报告类似“TERM环境变量未设置”或“top:failed tty get”的内容。其他人会工作,而不是互动;它们只输出一次,但好像终端是无限高而且无限宽。
总之,您的应用程序应该识别它是在伪终端中运行(终端大小是否已知,可以使用curses支持,等等),还是以流模式运行(通过SSH或PuTTY,故意没有伪终端 - 或者可能只是因为输入和输出都是从文件或某些文件引导的。