1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81
|
#!/usr/bin/env python
"""
A few examples of displaying a bottom toolbar.
The ``prompt`` function takes a ``bottom_toolbar`` attribute.
This can be any kind of formatted text (plain text, HTML or ANSI), or
it can be a callable that takes an App and returns an of these.
The bottom toolbar will always receive the style 'bottom-toolbar', and the text
inside will get 'bottom-toolbar.text'. These can be used to change the default
style.
"""
import time
from prompt_toolkit import prompt
from prompt_toolkit.formatted_text import ANSI, HTML
from prompt_toolkit.styles import Style
def main():
# Example 1: fixed text.
text = prompt("Say something: ", bottom_toolbar="This is a toolbar")
print(f"You said: {text}")
# Example 2: fixed text from a callable:
def get_toolbar():
return f"Bottom toolbar: time={time.time()!r}"
text = prompt("Say something: ", bottom_toolbar=get_toolbar, refresh_interval=0.5)
print(f"You said: {text}")
# Example 3: Using HTML:
text = prompt(
"Say something: ",
bottom_toolbar=HTML(
'(html) <b>This</b> <u>is</u> a <style bg="ansired">toolbar</style>'
),
)
print(f"You said: {text}")
# Example 4: Using ANSI:
text = prompt(
"Say something: ",
bottom_toolbar=ANSI(
"(ansi): \x1b[1mThis\x1b[0m \x1b[4mis\x1b[0m a \x1b[91mtoolbar"
),
)
print(f"You said: {text}")
# Example 5: styling differently.
style = Style.from_dict(
{
"bottom-toolbar": "#aaaa00 bg:#ff0000",
"bottom-toolbar.text": "#aaaa44 bg:#aa4444",
}
)
text = prompt("Say something: ", bottom_toolbar="This is a toolbar", style=style)
print(f"You said: {text}")
# Example 6: Using a list of tokens.
def get_bottom_toolbar():
return [
("", " "),
("bg:#ff0000 fg:#000000", "This"),
("", " is a "),
("bg:#ff0000 fg:#000000", "toolbar"),
("", ". "),
]
text = prompt("Say something: ", bottom_toolbar=get_bottom_toolbar)
print(f"You said: {text}")
# Example 7: multiline fixed text.
text = prompt("Say something: ", bottom_toolbar="This is\na multiline toolbar")
print(f"You said: {text}")
if __name__ == "__main__":
main()
|