是否有一些 python 模块或命令可以让我的 python 程序进入 CLI 文本编辑器,用一些文本填充编辑器,当它退出时,将文本取出到某个变量中?
目前我让用户使用 raw_input() 输入内容,但我想要比这更强大的东西,并将其显示在 CLI 上。
是否有一些 python 模块或命令可以让我的 python 程序进入 CLI 文本编辑器,用一些文本填充编辑器,当它退出时,将文本取出到某个变量中?
目前我让用户使用 raw_input() 输入内容,但我想要比这更强大的东西,并将其显示在 CLI 上。
好吧,您可以使用子进程启动用户的 $EDITOR,编辑一个临时文件:
import tempfile
import subprocess
import os
t = tempfile.NamedTemporaryFile(delete=False)
try:
editor = os.environ['EDITOR']
except KeyError:
editor = 'nano'
subprocess.call([editor, t.name])
你可以看看urwid,一个基于curses的、成熟的python UI 工具包。它允许您定义非常复杂的界面,它包括用于不同类型文本的不同编辑框类型。
这是我为另一个项目编写的函数。它允许用户编辑一行文本,并支持换行和光标 | 您可以使用箭头键来回移动。它依赖于readchar模块:pip3 install readchar
读取键码,因此它应该在 Windows 中工作,但我只在 linux 终端上测试过它并作为 initramfs 的一部分。
GitHub:https ://github.com/SurpriseDog/KeyLocker/blob/main/text_editor.py
(更可能是最新的)
#!/usr/bin/python3
import sys
import shutil
from readchar import readkey
def text_editor(init='', prompt=''):
'''
Allow user to edit a line of text complete with support for line wraps
and a cursor | you can move back and forth with the arrow keys.
init = initial text supplied to edit
prompt = Decoration presented before the text (not editable and not returned)
'''
term_width = shutil.get_terminal_size()[0]
ptr = len(init)
text = list(init)
prompt = list(prompt)
c = 0
while True:
if ptr and ptr > len(text):
ptr = len(text)
copy = prompt + text.copy()
if ptr < len(text):
copy.insert(ptr + len(prompt), '|')
# Line wraps support:
if len(copy) > term_width:
cut = len(copy) + 3 - term_width
if ptr > len(copy) / 2:
copy = ['<'] * 3 + copy[cut:]
else:
copy = copy[:-cut] + ['>'] * 3
# Display current line
print('\r' * term_width + ''.join(copy), end=' ' * (term_width - len(copy)))
# Read new character into c
if c in (53, 54):
# Page up/down bug
c = readkey()
if c == '~':
continue
else:
c = readkey()
if len(c) > 1:
# Control Character
c = ord(c[-1])
if c == 68: # Left
ptr -= 1
elif c == 67: # Right
ptr += 1
elif c == 53: # PgDn
ptr -= term_width // 2
elif c == 54: # PgUp
ptr += term_width // 2
elif c == 70: # End
ptr = len(text)
elif c == 72: # Home
ptr = 0
else:
print("\nUnknown control character:", c)
print("Press ctrl-c to quit.")
continue
if ptr < 0:
ptr = 0
if ptr > len(text):
ptr = len(text)
else:
num = ord(c)
if num in (13, 10): # Enter
print()
return ''.join(text)
elif num == 127: # Backspace
if text:
text.pop(ptr - 1)
ptr -= 1
elif num == 3: # Ctrl-C
sys.exit(1)
else:
# Insert normal character into text.
text.insert(ptr, c)
ptr += 1
if __name__ == "__main__":
print("Result =", text_editor('Edit this text', prompt="Prompt: "))
如果您不需要 Windows 支持,您可以使用readline 模块来进行基本的命令行编辑,就像在 shell 提示符下一样。