我需要做些什么来改变这项工作?
#!/usr/bin/perl
use 5.012;
use warnings;
require "/usr/lib/perl5/vendor_perl/5.12.1/x86_64-linux-thread-multi/sys/ioctl.ph";
my ($rows, $cols, $xpix, $ypix);
my $winsize = "\0" x 8;
my $TIOCGWINSZ = 0x40087468; # should be require sys/ioctl.pl
if (ioctl(STDOUT, $TIOCGWINSZ, $winsize)) {
($rows, $cols, $xpix, $ypix) = unpack('S4', $winsize);
} else {
say "something didn't work" and exit;
}
答案 0 :(得分:3)
要获取行数和列数,我这样做:
#!/usr/bin/perl
use strict;
use warnings;
my $cols = 80;
my $rows = 24;
for (`stty -a`) {
/columns ([0-9]+);/ and do { if ($1 > 0) { $cols = $1; }};
/rows ([0-9]+);/ and do { if ($1 > 0) { $rows = $1; }};
}
print "cols=$cols\trows=$rows\n";
答案 1 :(得分:2)
为什么不使用Term::Size
?这使用ioctl()
方法,包含在漂亮的XS代码中,可以从Perl中使用。
答案 2 :(得分:1)
这对我来说很好用:
#!perl
use strict;
use warnings;
require 'sys/ioctl.ph';
my $winsize = ""; # Silence warning
if (ioctl(STDOUT, TIOCGWINSZ() , $winsize)) {
my ($rows, $cols, $xpix, $ypix) = unpack 'S4', $winsize;
print join ":", $rows, $cols, $xpix, $ypix;
print "\n";
} else {
warn "Something didn't work.\n";
}
要求不需要(也不应该)完整路径;已经通过加载ioctl头来定义TIOCGWINSZ,并且没有迹象表明目标标量必须初始化为正确的大小(尽管如果它根本没有初始化,perl会抛出警告,因为它似乎不能识别特殊的{ {1}} - 就像ioctl的性质一样,所以我把它设置为“只是为了安静”。
答案 3 :(得分:0)
另一种方式是你要求C告诉你TIOCGWINSZ
的价值是什么。
#include <unistd.h>
#include <stdlib.h>
#include <stdio.h>
#include <fcntl.h>
#include <sys/ioctl.h>
#include <termios.h>
int
main(argc, argv)
int argc;
char *argv[];
{
struct winsize mywinsize;
int ttyfd;
if ((ttyfd = open("/dev/tty", O_RDWR|O_NOCTTY)) == -1) {
perror("open /dev/tty");
exit(-1);
}
if (ioctl(ttyfd, TIOCGWINSZ, &mywinsize) == -1) {
perror("ioctl TIOCGWINSZ");
exit(-1);
}
printf("TIOCGWINSZ %#08lx\n", TIOCGWINSZ );
printf("sizeof struct winsize %lu\n", sizeof(struct winsize) );
printf("rows %d\n", mywinsize.ws_row );
printf("cols %d\n", mywinsize.ws_col );
if (fclose(stdout) == EOF) {
perror("close stdout");
exit(-1);
}
exit(0);
}
也许某种善良的灵魂可能会告诉你如何在Inline::C
为你包裹它,但同时,这应该足够了。请注意,这是一个可移植程序,因为它可以在两种系统上运行:
OpenBSD% cc getwinsz.c && a.out
TIOCGWINSZ 0x40087468
sizeof struct winsize 8
rows 81
cols 166
Darwin% cc getwinsz.c && a.out
TIOCGWINSZ 0x40087468
sizeof struct winsize 8
rows 37
cols 126
Slolaris% cc getwinsz.c && a.out
TIOCGWINSZ 0x005468
sizeof struct winsize 8
rows 37
cols 126
Leenooxe% cc getwinsz.c && a.out
TIOCGWINSZ 0x005413
sizeof struct winsize 8
rows 37
cols 126
答案 4 :(得分:0)
Term::ReadKey
有一个用于检索终端大小的内置方法,它包括Windows supports a range of different terminals。考虑到sheer number of modules on CPAN that use this module,您可能已经安装了此功能。
#!/usr/bin/perl -w
use strict;
use Term::ReadKey qw/ GetTerminalSize /;
my @winsize = &GetTerminalSize(\*STDOUT);
my ($cols, $rows, $xpix, $ypix) = @winsize;
print "cols:$cols rows:$rows xpix:$xpix ypix:$ypix\n";