每行的行尾还有一些固定文本

问题描述 投票:0回答:2

我想同时拥有两者:

  • 像普通终端一样,一行接一行地显示(Blah 12,Blah 13,Blah 14等)

  • 固定位置信息(在右侧):日期+固定文本“ Bonjour”

[几乎起作用,直到〜Blah 250,外观被破坏!为什么?

(来源:gget.it

from sys import stdout
import time

ESC = "\x1b"
CSI = ESC+"["

def movePos(row, col):
    stdout.write("%s%d;%dH" % (CSI, row, col))

stdout.write("%s2J" % CSI)      # CLEAR SCREEN

for i in range(1,1000):
    movePos(i+1,60)
    print time.strftime('%H:%M:%S', time.gmtime())
    movePos(i+5,60)
    print 'Bonjour'

    movePos(24+i,0)
    print "Blah %i" % i
    time.sleep(0.01)

对于ANSI端子,如何同时具有正常的端子行为(每个print换一行)+固定位置显示?

注意:在Windows上,我使用ansicon.exe在Windows cmd.exe中具有ANSI支持。

python user-interface terminal curses python-curses
2个回答
0
投票

从给定的图片:ansicon似乎正在分配控制台缓冲区来完成其工作;具有有限的大小(由于Windows控制台的限制,缓冲区大小限制为64 KB)。一旦脚本到达缓冲区的末尾并尝试将光标移到缓冲区的末尾,ansicon会强制整个缓冲区向上滚动。这使得更新样式发生变化。

如果您对movePos的调用被限制在ansicon的工作空间内,则将获得更一致的结果。

关于“ Bonjour”的“多行”,此块

movePos(i+1,60)
print time.strftime('%H:%M:%S', time.gmtime())
movePos(i+5,60)
print 'Bonjour'

正在一行打印日期,然后向前移动四行,在同一列上打印“ Bonjour”。似乎在同一行上有足够的空间(10列)来执行此操作:

movePos(i+1,60)
print time.strftime('%H:%M:%S', time.gmtime())
movePos(i+1,70)
print 'Bonjour'

这至少会使右侧的文本保持一致。从movePos滚动有时会引起一些双倍间距。


0
投票

这里是解决方法:

(来源:gget.it

代码是(检查here是否为最新版本:]

"""
zeroterm is a light weight terminal allowing both:
* lines written one after another (normal terminal/console behaviour)
* fixed position text

Note: Requires an ANSI terminal. For Windows 7, please download https://github.com/downloads/adoxa/ansicon/ansi160.zip and run ansicon.exe -i to install it.
"""

from sys import stdout
import time

class zeroterm:
    def __init__(self, nrow=24, ncol=50):      # nrow, ncol determines the size of the scrolling (=normal terminal behaviour) part of the screen
        stdout.write("\x1b[2J")                # clear screen
        self.nrow = nrow
        self.ncol = ncol
        self.buf = []

    def write(self, s, x=None, y=None):        # if no x,y specified, normal console behaviour
        if x is not None and y is not None:    # if x,y specified, fixed text position
            self.movepos(x,y)
            print s
        else:
            if len(self.buf) < self.nrow:
                self.buf.append(s)
            else:
                self.buf[:-1] = self.buf[1:]
                self.buf[-1] = s

            for i, r in enumerate(self.buf):
                self.movepos(i+1,0)
                print r[:self.ncol].ljust(self.ncol)

    def movepos(self, row, col):
        stdout.write("\x1b[%d;%dH" % (row, col))


if __name__ == '__main__':
    # An exemple
    t = zeroterm()
    t.write('zeroterm', 1, 60)

    for i in range(1000):
        t.write(time.strftime("%H:%M:%S"), 3, 60)
        t.write("Hello %i" % i)
        time.sleep(0.1)
© www.soinside.com 2019 - 2024. All rights reserved.