307

python中有没有办法以编程方式确定控制台的宽度?我的意思是在一行中不换行的字符数,而不是窗口的像素宽度。

编辑

寻找适用于 Linux 的解决方案

4

14 回答 14

319

不知道为什么它在模块shutil中,但它在 Python 3.3 中出现,查询输出终端的大小

>>> import shutil
>>> shutil.get_terminal_size((80, 20))  # pass fallback
os.terminal_size(columns=87, lines=23)  # returns a named-tuple

低级实现在 os 模块中。也适用于 Windows。

现在可用于 Python 3.2 及以下版本的反向移植:

于 2013-01-20T07:25:34.203 回答
276
import os
rows, columns = os.popen('stty size', 'r').read().split()

使用“stty size”命令,根据python 邮件列表上的一个线程,该命令在 linux 上是相当普遍的。它将“stty size”命令作为文件打开,从中“读取”,并使用简单的字符串拆分来分隔坐标。

与 os.environ["COLUMNS"] 值不同(尽管使用 bash 作为我的标准 shell,我无法访问该值),数据也将是最新的,而我相信 os.environ["COLUMNS"] value 仅在 python 解释器启动时有效(假设用户从那时起调整了窗口大小)。

(请参阅@GringoSuave 的回答,了解如何在 python 3.3+ 上执行此操作)

于 2009-06-03T09:59:34.893 回答
66

采用

import console
(width, height) = console.getTerminalSize()

print "Your terminal's width is: %d" % width

编辑:哦,对不起。那不是python标准库,这是console.py的来源(我不知道它来自哪里)。

该模块似乎是这样工作的:它检查是否termcap可用,如果是。它使用它;如果不是,它会检查终端是否支持特殊ioctl调用并且它也不起作用,它会检查一些 shell 导出的环境变量。这可能仅适用于 UNIX。

def getTerminalSize():
    import os
    env = os.environ
    def ioctl_GWINSZ(fd):
        try:
            import fcntl, termios, struct, os
            cr = struct.unpack('hh', fcntl.ioctl(fd, termios.TIOCGWINSZ,
        '1234'))
        except:
            return
        return cr
    cr = ioctl_GWINSZ(0) or ioctl_GWINSZ(1) or ioctl_GWINSZ(2)
    if not cr:
        try:
            fd = os.open(os.ctermid(), os.O_RDONLY)
            cr = ioctl_GWINSZ(fd)
            os.close(fd)
        except:
            pass
    if not cr:
        cr = (env.get('LINES', 25), env.get('COLUMNS', 80))

        ### Use get(key[, default]) instead of a try/catch
        #try:
        #    cr = (env['LINES'], env['COLUMNS'])
        #except:
        #    cr = (25, 80)
    return int(cr[1]), int(cr[0])
于 2009-02-19T19:18:11.190 回答
59

上面的代码在我的 linux 上没有返回正确的结果,因为 winsize-struct 有 4 条无符号短裤,而不是 2 条有符号短裤:

def terminal_size():
    import fcntl, termios, struct
    h, w, hp, wp = struct.unpack('HHHH',
        fcntl.ioctl(0, termios.TIOCGWINSZ,
        struct.pack('HHHH', 0, 0, 0, 0)))
    return w, h

hp 和 hp 应该包含像素宽度和高度,但不要。

于 2010-06-09T22:36:38.127 回答
48

它是:

import os
columns, rows = os.get_terminal_size(0)
# or
import shutil
columns, rows = shutil.get_terminal_size()

shutil函数只是一个包装器,os它捕获一些错误并设置回退,但是它有一个巨大的警告 -它在管道时会中断!,这是一笔相当大的交易。
在管道使用时获得端子尺寸os.get_terminal_size(0)

第一个参数0是一个参数,指示应该使用标准输入文件描述符而不是默认标准输出。我们想使用标准输入,因为标准输出在通过管道传输时会自行分离,在这种情况下会引发错误。

我试图弄清楚什么时候使用 stdout 而不是 stdin 参数才有意义,但不知道为什么它是这里的默认值。

于 2017-01-26T00:57:14.150 回答
39

我四处搜索并在以下位置找到了适用于 Windows 的解决方案:

http://code.activestate.com/recipes/440694-determine-size-of-console-window-on-windows/

以及这里的 linux 解决方案。

所以这是一个适用于 linux、os x 和 windows/cygwin 的版本:

""" getTerminalSize()
 - get width and height of console
 - works on linux,os x,windows,cygwin(windows)
"""

__all__=['getTerminalSize']


def getTerminalSize():
   import platform
   current_os = platform.system()
   tuple_xy=None
   if current_os == 'Windows':
       tuple_xy = _getTerminalSize_windows()
       if tuple_xy is None:
          tuple_xy = _getTerminalSize_tput()
          # needed for window's python in cygwin's xterm!
   if current_os == 'Linux' or current_os == 'Darwin' or  current_os.startswith('CYGWIN'):
       tuple_xy = _getTerminalSize_linux()
   if tuple_xy is None:
       print "default"
       tuple_xy = (80, 25)      # default value
   return tuple_xy

def _getTerminalSize_windows():
    res=None
    try:
        from ctypes import windll, create_string_buffer

        # stdin handle is -10
        # stdout handle is -11
        # stderr handle is -12

        h = windll.kernel32.GetStdHandle(-12)
        csbi = create_string_buffer(22)
        res = windll.kernel32.GetConsoleScreenBufferInfo(h, csbi)
    except:
        return None
    if res:
        import struct
        (bufx, bufy, curx, cury, wattr,
         left, top, right, bottom, maxx, maxy) = struct.unpack("hhhhHhhhhhh", csbi.raw)
        sizex = right - left + 1
        sizey = bottom - top + 1
        return sizex, sizey
    else:
        return None

def _getTerminalSize_tput():
    # get terminal width
    # src: http://stackoverflow.com/questions/263890/how-do-i-find-the-width-height-of-a-terminal-window
    try:
       import subprocess
       proc=subprocess.Popen(["tput", "cols"],stdin=subprocess.PIPE,stdout=subprocess.PIPE)
       output=proc.communicate(input=None)
       cols=int(output[0])
       proc=subprocess.Popen(["tput", "lines"],stdin=subprocess.PIPE,stdout=subprocess.PIPE)
       output=proc.communicate(input=None)
       rows=int(output[0])
       return (cols,rows)
    except:
       return None


def _getTerminalSize_linux():
    def ioctl_GWINSZ(fd):
        try:
            import fcntl, termios, struct, os
            cr = struct.unpack('hh', fcntl.ioctl(fd, termios.TIOCGWINSZ,'1234'))
        except:
            return None
        return cr
    cr = ioctl_GWINSZ(0) or ioctl_GWINSZ(1) or ioctl_GWINSZ(2)
    if not cr:
        try:
            fd = os.open(os.ctermid(), os.O_RDONLY)
            cr = ioctl_GWINSZ(fd)
            os.close(fd)
        except:
            pass
    if not cr:
        try:
            cr = (env['LINES'], env['COLUMNS'])
        except:
            return None
    return int(cr[1]), int(cr[0])

if __name__ == "__main__":
    sizex,sizey=getTerminalSize()
    print  'width =',sizex,'height =',sizey
于 2011-07-01T16:23:02.727 回答
23

从 Python 3.3 开始,它很简单: https ://docs.python.org/3/library/os.html#querying-the-size-of-a-terminal

>>> import os
>>> ts = os.get_terminal_size()
>>> ts.lines
24
>>> ts.columns
80
于 2014-04-27T23:24:31.590 回答
6

看起来该代码存在一些问题,Johannes:

  • getTerminalSize需要import os
  • 什么是env?看起来像os.environ

lines另外,为什么要cols在返回之前切换?如果TIOCGWINSZstty两者都说linesthen cols,我说就这样吧。在我注意到不一致之前,这让我困惑了 10 分钟。

Sridhar,我在管道输出时没有收到该错误。我很确定它在 try-except 中被正确捕获。

帕斯卡,"HHHH"在我的机器上"hh"不起作用,但可以。我很难找到该功能的文档。看起来它依赖于平台。

乔赫姆,合并。

这是我的版本:

def getTerminalSize():
    """
    returns (lines:int, cols:int)
    """
    import os, struct
    def ioctl_GWINSZ(fd):
        import fcntl, termios
        return struct.unpack("hh", fcntl.ioctl(fd, termios.TIOCGWINSZ, "1234"))
    # try stdin, stdout, stderr
    for fd in (0, 1, 2):
        try:
            return ioctl_GWINSZ(fd)
        except:
            pass
    # try os.ctermid()
    try:
        fd = os.open(os.ctermid(), os.O_RDONLY)
        try:
            return ioctl_GWINSZ(fd)
        finally:
            os.close(fd)
    except:
        pass
    # try `stty size`
    try:
        return tuple(int(x) for x in os.popen("stty size", "r").read().split())
    except:
        pass
    # try environment variables
    try:
        return tuple(int(os.getenv(var)) for var in ("LINES", "COLUMNS"))
    except:
        pass
    # i give up. return default.
    return (25, 80)
于 2010-06-16T07:23:51.490 回答
6

如果调用此脚本时没有控制终端,这里的许多 Python 2 实现都会失败。你可以检查 sys.stdout.isatty() 来确定这是否真的是一个终端,但这会排除一堆情况,所以我相信确定终端大小的最 Pythonic 方法是使用内置的 curses 包。

import curses
w = curses.initscr()
height, width = w.getmaxyx()
于 2016-05-31T22:26:04.610 回答
1

我正在尝试从这里调用的解决方案stty size

columns = int(subprocess.check_output(['stty', 'size']).split()[1])

但是,这对我来说失败了,因为我正在编写一个脚本,该脚本期望在标准输入上重定向输入,并且stty在这种情况下会抱怨“标准输入不是终端”。

我能够让它像这样工作:

with open('/dev/tty') as tty:
    height, width = subprocess.check_output(['stty', 'size'], stdin=tty).split()
于 2014-09-08T18:36:32.630 回答
1

试试“祝福”

我一直在寻找同样的东西。它非常易于使用,并提供了在终端中进行着色、造型和定位的工具。您需要的很简单:

from blessings import Terminal

t = Terminal()

w = t.width
h = t.height

在 Linux 中像魅力一样工作。(我不确定 MacOSX 和 Windows)

在此处下载和文档

或者您可以使用 pip 安装它:

pip install blessings
于 2014-12-23T12:00:41.190 回答
1

如果您使用的是 Python 3.3 或更高版本,我会推荐已推荐的内置get_terminal_size()版本。但是,如果您坚持使用旧版本并想要一种简单的跨平台方式来执行此操作,则可以使用asciimatics。这个包支持回到 2.7 的 Python 版本,并使用与上面建议的选项类似的选项来获取当前的终端/控制台大小。

只需构造您的Screen类并使用该dimensions属性来获取高度和宽度。这已被证明可以在 Linux、OSX 和 Windows 上运行。

哦 - 在这里完全披露:我是作者,所以如果你在让它工作时遇到任何问题,请随时打开一个新问题。

于 2015-12-22T15:58:18.470 回答
0

@rennual 的回答效果很好,但它有一个问题:os.popen is now deprecated。应该使用该subprocess模块,所以这是@rennual 代码的一个版本,它使用subprocess并直接回答问题(通过将列宽直接指定为int

import subprocess

columns = int(subprocess.check_output(['stty', 'size']).split()[1])

在 OS X 10.9 上测试

于 2014-07-22T18:30:16.880 回答
-1

这是一个应该兼容 Linux 和 Solaris 的版​​本。基于madchine的帖子和评论。需要子流程模块。

定义术语大小():
    导入 shlex,子流程,重新
    输出 = subprocess.check_output(shlex.split('/bin/stty -a'))
    m = re.search('rows\D+(?P\d+); columns\D+(?P\d+);', 输出)
    如果米:
        返回 m.group('rows'), m.group('columns')
    raise OSError('Bad response: %s' % (output))
>>> 术语大小()
('40', '100')
于 2011-04-19T03:33:30.757 回答