Welcome to Rich’s documentation!¶
Introduction¶
Rich is a Python library for writing rich text (with color and style) to the terminal, and for displaying advanced content such as tables, markdown, and syntax highlighted code.
Use Rich to make your command line applications visually appealing and present data in a more readable way. Rich can also be a useful debugging aid by pretty printing and syntax highlighting data structures.
Requirements¶
Rich works with macOS, Linux and Windows.
On Windows both the (ancient) cmd.exe terminal is supported and the new Windows Terminal. The latter has much improved support for color and style.
Rich requires Python 3.7.0 and above.
Note
PyCharm users will need to enable “emulate terminal” in output console option in run/debug configuration to see styled output.
Installation¶
You can install Rich from PyPI with pip or your favorite package manager:
pip install rich
Add the -U
switch to update to the current version, if Rich is already installed.
If you intend to use Rich with Jupyter then there are some additional dependencies which you can install with the following command:
pip install "rich[jupyter]"
Quick Start¶
The quickest way to get up and running with Rich is to import the alternative print
function which takes the same arguments as the built-in print
and may be used as a drop-in replacement. Here’s how you would do that:
from rich import print
You can then print strings or objects to the terminal in the usual way. Rich will do some basic syntax highlighting and format data structures to make them easier to read.
Strings may contain Console Markup which can be used to insert color and styles in to the output.
The following demonstrates both console markup and pretty formatting of Python objects:
>>> print("[italic red]Hello[/italic red] World!", locals())
This writes the following output to the terminal (including all the colors and styles):
Hello World! { '__annotations__': {}, '__builtins__': <module 'builtins' (built-in)>, '__doc__': None, '__loader__': <class '_frozen_importlib.BuiltinImporter'>, '__name__': '__main__', '__package__': None, '__spec__': None, 'print': <function print at 0x1027fd4c0>, }
If you would rather not shadow Python’s built-in print, you can import rich.print
as rprint
(for example):
from rich import print as rprint
Continue reading to learn about the more advanced features of Rich.
Rich in the REPL¶
Rich may be installed in the REPL so that Python data structures are automatically pretty printed with syntax highlighting. Here’s how:
>>> from rich import pretty
>>> pretty.install()
>>> ["Rich and pretty", True]
You can also use this feature to try out Rich renderables. Here’s an example:
>>> from rich.panel import Panel
>>> Panel.fit("[bold yellow]Hi, I'm a Panel", border_style="red")
Read on to learn more about Rich renderables.
IPython Extension¶
Rich also includes an IPython extension that will do this same pretty install + pretty tracebacks. Here’s how to load it:
In [1]: %load_ext rich
You can also have it load by default by adding “rich” to the c.InteractiveShellApp.extension
variable in
IPython Configuration.
Rich Inspect¶
Rich has an inspect()
function which can generate a report on any Python object. It is a fantastic debug aid, and a good example of the output that Rich can generate. Here is a simple example:
>>> from rich import inspect
>>> from rich.color import Color
>>> color = Color.parse("red")
>>> inspect(color, methods=True)
Console API¶
For complete control over terminal formatting, Rich offers a Console
class. Most applications will require a single Console instance, so you may want to create one at the module level or as an attribute of your top-level object. For example, you could add a file called “console.py” to your project:
from rich.console import Console
console = Console()
Then you can import the console from anywhere in your project like this:
from my_project.console import console
The console object handles the mechanics of generating ANSI escape sequences for color and style. It will auto-detect the capabilities of the terminal and convert colors if necessary.
Attributes¶
The console will auto-detect a number of properties required when rendering.
size
is the current dimensions of the terminal (which may change if you resize the window).encoding
is the default encoding (typically “utf-8”).is_terminal
is a boolean that indicates if the Console instance is writing to a terminal or not.color_system
is a string containing the Console color system (see below).
Color systems¶
There are several “standards” for writing color to the terminal which are not all universally supported. Rich will auto-detect the appropriate color system, or you can set it manually by supplying a value for color_system
to the Console
constructor.
You can set color_system
to one of the following values:
None
Disables color entirely."auto"
Will auto-detect the color system."standard"
Can display 8 colors, with normal and bright variations, for 16 colors in total."256"
Can display the 16 colors from “standard” plus a fixed palette of 240 colors."truecolor"
Can display 16.7 million colors, which is likely all the colors your monitor can display."windows"
Can display 8 colors in legacy Windows terminal. New Windows terminal can display “truecolor”.
Warning
Be careful when setting a color system, if you set a higher color system than your terminal supports, your text may be unreadable.
Printing¶
To write rich content to the terminal use the print()
method. Rich will convert any object to a string via its (__str__
) method and perform some simple syntax highlighting. It will also do pretty printing of any containers, such as dicts and lists. If you print a string it will render Console Markup. Here are some examples:
console.print([1, 2, 3])
console.print("[blue underline]Looks like a link")
console.print(locals())
console.print("FOO", style="white on blue")
You can also use print()
to render objects that support the Console Protocol, which includes Rich’s built-in objects such as Text
, Table
, and Syntax
– or other custom objects.
Logging¶
The log()
method offers the same capabilities as print, but adds some features useful for debugging a running application. Logging writes the current time in a column to the left, and the file and line where the method was called to a column on the right. Here’s an example:
>>> console.log("Hello, World!")
[16:32:08] Hello, World! <stdin>:1
To help with debugging, the log() method has a log_locals
parameter. If you set this to True
, Rich will display a table of local variables where the method was called.
Printing JSON¶
The print_json()
method will pretty print (format and style) a string containing JSON. Here’s a short example:
console.print_json('[false, true, null, "foo"]')
You can also log json by logging a JSON
object:
from rich.json import JSON
console.log(JSON('["foo", "bar"]'))
Because printing JSON is a common requirement, you may import print_json
from the main namespace:
from rich import print_json
You can also pretty print JSON via the command line with the following:
python -m rich.json cats.json
Low level output¶
In additional to print()
and log()
, Rich has an out()
method which provides a lower-level way of writing to the terminal. The out() method converts all the positional arguments to strings and won’t pretty print, word wrap, or apply markup to the output, but can apply a basic style and will optionally do highlighting.
Here’s an example:
>>> console.out("Locals", locals())
Rules¶
The rule()
method will draw a horizontal line with an optional title, which is a good way of dividing your terminal output into sections.
>>> console.rule("[bold red]Chapter 2")
─────────────────────────────── Chapter 2 ───────────────────────────────
The rule method also accepts a style
parameter to set the style of the line, and an align
parameter to align the title (“left”, “center”, or “right”).
Status¶
Rich can display a status message with a ‘spinner’ animation that won’t interfere with regular console output. Run the following command for a demo of this feature:
python -m rich.status
To display a status message, call status()
with the status message (which may be a string, Text, or other renderable). The result is a context manager which starts and stops the status display around a block of code. Here’s an example:
with console.status("Working..."):
do_work()
You can change the spinner animation via the spinner
parameter:
with console.status("Monkeying around...", spinner="monkey"):
do_work()
Run the following command to see the available choices for spinner
:
python -m rich.spinner
Justify / Alignment¶
Both print and log support a justify
argument which if set must be one of “default”, “left”, “right”, “center”, or “full”. If “left”, any text printed (or logged) will be left aligned, if “right” text will be aligned to the right of the terminal, if “center” the text will be centered, and if “full” the text will be lined up with both the left and right edges of the terminal (like printed text in a book).
The default for justify
is "default"
which will generally look the same as "left"
but with a subtle difference. Left justify will pad the right of the text with spaces, while a default justify will not. You will only notice the difference if you set a background color with the style
argument. The following example demonstrates the difference:
from rich.console import Console
console = Console(width=20)
style = "bold white on blue"
console.print("Rich", style=style)
console.print("Rich", style=style, justify="left")
console.print("Rich", style=style, justify="center")
console.print("Rich", style=style, justify="right")
This produces the following output:
Rich
Rich
Rich
Rich
Overflow¶
Overflow is what happens when text you print is larger than the available space. Overflow may occur if you print long ‘words’ such as URLs for instance, or if you have text inside a panel or table cell with restricted space.
You can specify how Rich should handle overflow with the overflow
argument to print()
which should be one of the following strings: “fold”, “crop”, “ellipsis”, or “ignore”. The default is “fold” which will put any excess characters on the following line, creating as many new lines as required to fit the text.
The “crop” method truncates the text at the end of the line, discarding any characters that would overflow.
The “ellipsis” method is similar to “crop”, but will insert an ellipsis character (”…”) at the end of any text that has been truncated.
The following code demonstrates the basic overflow methods:
from typing import List
from rich.console import Console, OverflowMethod
console = Console(width=14)
supercali = "supercalifragilisticexpialidocious"
overflow_methods: List[OverflowMethod] = ["fold", "crop", "ellipsis"]
for overflow in overflow_methods:
console.rule(overflow)
console.print(supercali, overflow=overflow, style="bold blue")
console.print()
This produces the following output:
──── fold ──── supercalifragi listicexpialid ocious ──── crop ──── supercalifragi ── ellipsis ── supercalifrag…
You can also set overflow to “ignore” which allows text to run on to the next line. In practice this will look the same as “crop” unless you also set crop=False
when calling print()
.
Console style¶
The Console has a style
attribute which you can use to apply a style to everything you print. By default style
is None meaning no extra style is applied, but you can set it to any valid style. Here’s an example of a Console with a style attribute set:
from rich.console import Console
blue_console = Console(style="white on blue")
blue_console.print("I'm blue. Da ba dee da ba di.")
Soft Wrapping¶
Rich word wraps text you print by inserting line breaks. You can disable this behavior by setting soft_wrap=True
when calling print()
. With soft wrapping enabled any text that doesn’t fit will run on to the following line(s), just like the built-in print
.
Cropping¶
The print()
method has a boolean crop
argument. The default value for crop is True which tells Rich to crop any content that would otherwise run on to the next line. You generally don’t need to think about cropping, as Rich will resize content to fit within the available width.
Note
Cropping is automatically disabled if you print with soft_wrap=True
.
Input¶
The console class has an input()
method which works in the same way as Python’s built-in input()
function, but can use anything that Rich can print as a prompt. For example, here’s a colorful prompt with an emoji:
from rich.console import Console
console = Console()
console.input("What is [i]your[/i] [bold red]name[/]? :smiley: ")
If Python’s builtin readline
module is previously loaded, elaborate line editing and history features will be available.
Exporting¶
The Console class can export anything written to it as either text, svg, or html. To enable exporting, first set record=True
on the constructor. This tells Rich to save a copy of any data you print()
or log()
. Here’s an example:
from rich.console import Console
console = Console(record=True)
After you have written content, you can call export_text()
, export_svg()
or export_html()
to get the console output as a string. You can also call save_text()
, save_svg()
, or save_html()
to write the contents directly to disk.
For examples of the html output generated by Rich Console, see Standard Colors.
Exporting SVGs¶
When using export_svg()
or save_svg()
, the width of the SVG will match the width of your terminal window (in terms of characters), while the height will scale automatically to accommodate the console output.
You can open the SVG in a web browser. You can also insert it in to a webpage with an <img>
tag or by copying the markup in to your HTML.
The image below shows an example of an SVG exported by Rich.
You can customize the theme used during SVG export by importing the desired theme from the rich.terminal_theme
module and passing it to export_svg()
or save_svg()
via the theme
parameter:
from rich.console import Console
from rich.terminal_theme import MONOKAI
console = Console(record=True)
console.save_svg("example.svg", theme=MONOKAI)
Alternatively, you can create a theme of your own by constructing a rich.terminal_theme.TerminalTheme
instance yourself and passing that in.
Note
The SVGs reference the Fira Code font. If you embed a Rich SVG in your page, you may also want to add a link to the Fira Code CSS
Error console¶
The Console object will write to sys.stdout
by default (so that you see output in the terminal). If you construct the Console with stderr=True
Rich will write to sys.stderr
. You may want to use this to create an error console so you can split error messages from regular output. Here’s an example:
from rich.console import Console
error_console = Console(stderr=True)
You might also want to set the style
parameter on the Console to make error messages visually distinct. Here’s how you might do that:
error_console = Console(stderr=True, style="bold red")
File output¶
You can tell the Console object to write to a file by setting the file
argument on the constructor – which should be a file-like object opened for writing text. You could use this to write to a file without the output ever appearing on the terminal. Here’s an example:
import sys
from rich.console import Console
from datetime import datetime
with open("report.txt", "wt") as report_file:
console = Console(file=report_file)
console.rule(f"Report Generated {datetime.now().ctime()}")
Note that when writing to a file you may want to explicitly set the width
argument if you don’t want to wrap the output to the current console width.
Capturing output¶
There may be situations where you want to capture the output from a Console rather than writing it directly to the terminal. You can do this with the capture()
method which returns a context manager. On exit from this context manager, call get()
to return the string that would have been written to the terminal. Here’s an example:
from rich.console import Console
console = Console()
with console.capture() as capture:
console.print("[bold red]Hello[/] World")
str_output = capture.get()
An alternative way of capturing output is to set the Console file to a io.StringIO
. This is the recommended method if you are testing console output in unit tests. Here’s an example:
from io import StringIO
from rich.console import Console
console = Console(file=StringIO())
console.print("[bold red]Hello[/] World")
str_output = console.file.getvalue()
Paging¶
If you have some long output to present to the user you can use a pager to display it. A pager is typically an application on your operating system which will at least support pressing a key to scroll, but will often support scrolling up and down through the text and other features.
You can page output from a Console by calling pager()
which returns a context manager. When the pager exits, anything that was printed will be sent to the pager. Here’s an example:
from rich.__main__ import make_test_card
from rich.console import Console
console = Console()
with console.pager():
console.print(make_test_card())
Since the default pager on most platforms don’t support color, Rich will strip color from the output. If you know that your pager supports color, you can set styles=True
when calling the pager()
method.
Note
Rich will look at MANPAGER
then the PAGER
environment variables (MANPAGER
takes priority) to get the pager command. On Linux and macOS you can set one of these to less -r
to enable paging with ANSI styles.
Alternate screen¶
Warning
This feature is currently experimental. You might want to wait before using it in production.
Terminals support an ‘alternate screen’ mode which is separate from the regular terminal and allows for full-screen applications that leave your stream of input and commands intact. Rich supports this mode via the set_alt_screen()
method, although it is recommended that you use screen()
which returns a context manager that disables alternate mode on exit.
Here’s an example of an alternate screen:
from time import sleep
from rich.console import Console
console = Console()
with console.screen():
console.print(locals())
sleep(5)
The above code will display a pretty printed dictionary on the alternate screen before returning to the command prompt after 5 seconds.
You can also provide a renderable to screen()
which will be displayed in the alternate screen when you call update()
.
Here’s an example:
from time import sleep
from rich.console import Console
from rich.align import Align
from rich.text import Text
from rich.panel import Panel
console = Console()
with console.screen(style="bold white on red") as screen:
for count in range(5, 0, -1):
text = Align.center(
Text.from_markup(f"[blink]Don't Panic![/blink]\n{count}", justify="center"),
vertical="middle",
)
screen.update(Panel(text))
sleep(1)
Updating the screen with a renderable allows Rich to crop the contents to fit the screen without scrolling.
For a more powerful way of building full screen interfaces with Rich, see Live Display.
Note
If you ever find yourself stuck in alternate mode after exiting Python code, type reset
in the terminal
Terminal detection¶
If Rich detects that it is not writing to a terminal it will strip control codes from the output. If you want to write control codes to a regular file then set force_terminal=True
on the constructor.
Letting Rich auto-detect terminals is useful as it will write plain text when you pipe output to a file or other application.
Interactive mode¶
Rich will remove animations such as progress bars and status indicators when not writing to a terminal as you probably don’t want to write these out to a text file (for example). You can override this behavior by setting the force_interactive
argument on the constructor. Set it to True to enable animations or False to disable them.
Note
Some CI systems support ANSI color and style but not anything that moves the cursor or selectively refreshes parts of the terminal. For these you might want to set force_terminal
to True
and force_interactive
to False
.
Environment variables¶
Rich respects some standard environment variables.
Setting the environment variable TERM
to "dumb"
or "unknown"
will disable color/style and some features that require moving the cursor, such as progress bars.
If the environment variable FORCE_COLOR
is set, then color/styles will be enabled regardless of the value of TERM
. This is useful on CI systems which aren’t terminals but can none-the-less display ANSI escape sequences.
If the environment variable NO_COLOR
is set, Rich will disable all color in the output. This takes precedence over FORCE_COLOR
. See no_color for details.
Note
The NO_COLOR
environment variable removes color only. Styles such as dim, bold, italic, underline etc. are preserved.
If width
/ height
arguments are not explicitly provided as arguments to Console
then the environment variables COLUMNS
/LINES
can be used to set the console width/height. JUPYTER_COLUMNS
/JUPYTER_LINES
behave similarly and are used in Jupyter.
Styles¶
In various places in the Rich API you can set a “style” which defines the color of the text and various attributes such as bold, italic etc. A style may be given as a string containing a style definition or as an instance of a Style
class.
Defining Styles¶
A style definition is a string containing one or more words to set colors and attributes.
To specify a foreground color use one of the 256 Standard Colors. For example, to print “Hello” in magenta:
console.print("Hello", style="magenta")
You may also use the color’s number (an integer between 0 and 255) with the syntax "color(<number>)"
. The following will give the equivalent output:
console.print("Hello", style="color(5)")
Alternatively you can use a CSS-like syntax to specify a color with a “#” followed by three pairs of hex characters, or in RGB form with three decimal integers. The following two lines both print “Hello” in the same color (purple):
console.print("Hello", style="#af00ff")
console.print("Hello", style="rgb(175,0,255)")
The hex and rgb forms allow you to select from the full truecolor set of 16.7 million colors.
Note
Some terminals only support 256 colors. Rich will attempt to pick the closest color it can if your color isn’t available.
By itself, a color will change the foreground color. To specify a background color, precede the color with the word “on”. For example, the following prints text in red on a white background:
console.print("DANGER!", style="red on white")
You can also set a color with the word "default"
which will reset the color to a default managed by your terminal software. This works for backgrounds as well, so the style of "default on default"
is what your terminal starts with.
You can set a style attribute by adding one or more of the following words:
"bold"
or"b"
for bold text."blink"
for text that flashes (use this one sparingly)."blink2"
for text that flashes rapidly (not supported by most terminals)."conceal"
for concealed text (not supported by most terminals)."italic"
or"i"
for italic text (not supported on Windows)."reverse"
or"r"
for text with foreground and background colors reversed."strike"
or"s"
for text with a line through it."underline"
or"u"
for underlined text.
Rich also supports the following styles, which are not well supported and may not display in your terminal:
"underline2"
or"uu"
for doubly underlined text."frame"
for framed text."encircle"
for encircled text."overline"
or"o"
for overlined text.
Style attributes and colors may be used in combination with each other. For example:
console.print("Danger, Will Robinson!", style="blink bold red underline on white")
Styles may be negated by prefixing the attribute with the word “not”. This can be used to turn off styles if they overlap. For example:
console.print("foo [not bold]bar[/not bold] baz", style="bold")
This will print “foo” and “baz” in bold, but “bar” will be in normal text.
Styles may also have a "link"
attribute, which will turn any styled text in to a hyperlink (if supported by your terminal software).
To add a link to a style, the definition should contain the word "link"
followed by a URL. The following example will make a clickable link:
console.print("Google", style="link https://google.com")
Note
If you are familiar with HTML you may find applying links in this way a little odd, but the terminal considers a link to be another attribute just like bold, italic etc.
Style Class¶
Ultimately the style definition is parsed and an instance of a Style
class is created. If you prefer, you can use the Style class in place of the style definition. Here’s an example:
from rich.style import Style
danger_style = Style(color="red", blink=True, bold=True)
console.print("Danger, Will Robinson!", style=danger_style)
It is slightly quicker to construct a Style class like this, since a style definition takes a little time to parse – but only on the first call, as Rich will cache parsed style definitions.
Styles may be combined by adding them together, which is useful if you want to modify attributes of an existing style. Here’s an example:
from rich.console import Console
from rich.style import Style
console = Console()
base_style = Style.parse("cyan")
console.print("Hello, World", style = base_style + Style(underline=True))
You can parse a style definition explicitly with the parse()
method, which accepts the style definition and returns a Style instance. For example, the following two lines are equivalent:
style = Style(color="magenta", bgcolor="yellow", italic=True)
style = Style.parse("italic magenta on yellow")
Style Themes¶
If you re-use styles it can be a maintenance headache if you ever want to modify an attribute or color – you would have to change every line where the style is used. Rich provides a Theme
class which you can use to define custom styles that you can refer to by name. That way you only need to update your styles in one place.
Style themes can make your code more semantic, for instance a style called "warning"
better expresses intent that "italic magenta underline"
.
To use a style theme, construct a Theme
instance and pass it to the Console
constructor. Here’s an example:
from rich.console import Console
from rich.theme import Theme
custom_theme = Theme({
"info": "dim cyan",
"warning": "magenta",
"danger": "bold red"
})
console = Console(theme=custom_theme)
console.print("This is information", style="info")
console.print("[warning]The pod bay doors are locked[/warning]")
console.print("Something terrible happened!", style="danger")
Note
style names must be lower case, start with a letter, and only contain letters or the characters "."
, "-"
, "_"
.
Customizing Defaults¶
The Theme class will inherit the default styles built-in to Rich. If your custom theme contains the name of an existing style, it will replace it. This allows you to customize the defaults as easily as you can create your own styles. For instance, here’s how you can change how Rich highlights numbers:
from rich.console import Console
from rich.theme import Theme
console = Console(theme=Theme({"repr.number": "bold green blink"}))
console.print("The total is 128")
You can disable inheriting the default theme by setting inherit=False
on the rich.theme.Theme
constructor.
To see the default theme, run the following commands:
python -m rich.theme
python -m rich.default_styles
Loading Themes¶
If you prefer, you can write your styles in an external config file rather than in Python. Here’s an example of the format:
[styles]
info = dim cyan
warning = magenta
danger = bold red
You can read these files with the read()
method.
Console Markup¶
Rich supports a simple markup which you can use to insert color and styles virtually everywhere Rich would accept a string (e.g. print()
and log()
).
Run the following command to see some examples:
python -m rich.markup
Syntax¶
Console markup uses a syntax inspired by bbcode. If you write the style (see Styles) in square brackets, e.g. [bold red]
, that style will apply until it is closed with a corresponding [/bold red]
.
Here’s a simple example:
from rich import print
print("[bold red]alert![/bold red] Something happened")
If you don’t close a style, it will apply until the end of the string. Which is sometimes convenient if you want to style a single line. For example:
print("[bold italic yellow on red blink]This text is impossible to read")
There is a shorthand for closing a style. If you omit the style name from the closing tag, Rich will close the last style. For example:
print("[bold red]Bold and red[/] not bold or red")
These markup tags may be use in combination with each other and don’t need to be strictly nested. The following example demonstrates overlapping of markup tags:
print("[bold]Bold[italic] bold and italic [/bold]italic[/italic]")
Errors¶
Rich will raise MarkupError
if the markup contains one of the following errors:
Mismatched tags, e.g.
"[bold]Hello[/red]"
No matching tag for implicit close, e.g.
"no tags[/]"
Links¶
Console markup can output hyperlinks with the following syntax: [link=URL]text[/link]
. Here’s an example:
print("Visit my [link=https://www.willmcgugan.com]blog[/link]!")
If your terminal software supports hyperlinks, you will be able to click the word “blog” which will typically open a browser. If your terminal doesn’t support hyperlinks, you will see the text but it won’t be clickable.
Escaping¶
Occasionally you may want to print something that Rich would interpret as markup. You can escape a tag by preceding it with a backslash. Here’s an example:
>>> from rich import print
>>> print(r"foo\[bar]")
foo[bar]
Without the backslash, Rich will assume that [bar]
is a tag and remove it from the output if there is no “bar” style.
Note
If you want to prevent the backslash from escaping the tag and output a literal backslash before a tag you can enter two backslashes.
The function escape()
will handle escaping of text for you.
Escaping is important if you construct console markup dynamically, with str.format
or f strings (for example). Without escaping it may be possible to inject tags where you don’t want them. Consider the following function:
def greet(name):
console.print(f"Hello {name}!")
Calling greet("Will")
will print a greeting, but if you were to call greet("[blink]Gotcha![/blink]")
then you will also get blinking text, which may not be desirable. The solution is to escape the arguments:
from rich.markup import escape
def greet(name):
console.print(f"Hello {escape(name)}!")
Emoji¶
If you add an emoji code to markup it will be replaced with the equivalent unicode character. An emoji code consists of the name of the emoji surrounded be colons (:). Here’s an example:
>>> from rich import print
>>> print(":warning:")
⚠️
Some emojis have two variants, the “emoji” variant displays in full color, and the “text” variant displays in monochrome (whatever your default colors are set to). You can specify the variant you want by adding either “-emoji” or “-text” to the emoji code. Here’s an example:
>>> from rich import print
>>> print(":red_heart-emoji:")
>>> print(":red_heart-text:")
To see a list of all the emojis available, run the following command:
python -m rich.emoji
Rendering Markup¶
By default, Rich will render console markup when you explicitly pass a string to print()
or implicitly when you embed a string in another renderable object such as Table
or Panel
.
Console markup is convenient, but you may wish to disable it if the syntax clashes with the string you want to print. You can do this by setting markup=False
on the print()
method or on the Console
constructor.
Markup API¶
You can convert a string to styled text by calling from_markup()
, which returns a Text
instance you can print or add more styles to.
Rich Text¶
Rich has a Text
class you can use to mark up strings with color and style attributes. You can use a Text instance anywhere a string is accepted, which gives you a lot of control over presentation.
You can consider this class to be like a string with marked up regions of text. Unlike a built-in str
, a Text instance is mutable, and most methods operate in-place rather than returning a new instance.
One way to add a style to Text is the stylize()
method which applies a style to a start and end offset. Here is an example:
from rich.console import Console
from rich.text import Text
console = Console()
text = Text("Hello, World!")
text.stylize("bold magenta", 0, 6)
console.print(text)
This will print “Hello, World!” to the terminal, with the first word in bold magenta.
Alternatively, you can construct styled text by calling append()
to add a string and style to the end of the Text. Here’s an example:
text = Text()
text.append("Hello", style="bold magenta")
text.append(" World!")
console.print(text)
If you would like to use text that is already formatted with ANSI codes, call from_ansi()
to convert it to a Text
object:
text = Text.from_ansi("\033[1mHello, World!\033[0m")
console.print(text.spans)
Since building Text instances from parts is a common requirement, Rich offers assemble()
which will combine strings or pairs of string and Style, and return a Text instance. The follow example is equivalent to the code above:
text = Text.assemble(("Hello", "bold magenta"), " World!")
console.print(text)
You can apply a style to given words in the text with highlight_words()
or for ultimate control call highlight_regex()
to highlight text matching a regular expression.
Text attributes¶
The Text class has a number of parameters you can set on the constructor to modify how the text is displayed.
justify
should be “left”, “center”, “right”, or “full”, and will override default justify behavior.overflow
should be “fold”, “crop”, or “ellipsis”, and will override default overflow.no_wrap
prevents wrapping if the text is longer then the available width.tab_size
Sets the number of characters in a tab.
A Text instance may be used in place of a plain string virtually everywhere in the Rich API, which gives you a lot of control in how text renders within other Rich renderables. For instance, the following example right aligns text within a Panel
:
from rich import print
from rich.panel import Panel
from rich.text import Text
panel = Panel(Text("Hello", justify="right"))
print(panel)
Highlighting¶
Rich will automatically highlight patterns in text, such as numbers, strings, collections, booleans, None, and a few more exotic patterns such as file paths, URLs and UUIDs.
You can disable highlighting either by setting highlight=False
on print()
or log()
, or by setting highlight=False
on the Console
constructor which disables it everywhere. If you disable highlighting on the constructor, you can still selectively enable highlighting with highlight=True
on print / log.
Custom Highlighters¶
If the default highlighting doesn’t fit your needs, you can define a custom highlighter. The easiest way to do this is to extend the RegexHighlighter
class which applies a style to any text matching a list of regular expressions.
Here’s an example which highlights text that looks like an email address:
from rich.console import Console
from rich.highlighter import RegexHighlighter
from rich.theme import Theme
class EmailHighlighter(RegexHighlighter):
"""Apply style to anything that looks like an email."""
base_style = "example."
highlights = [r"(?P<email>[\w-]+@([\w-]+\.)+[\w-]+)"]
theme = Theme({"example.email": "bold magenta"})
console = Console(highlighter=EmailHighlighter(), theme=theme)
console.print("Send funds to money@example.org")
The highlights
class variable should contain a list of regular expressions. The group names of any matching expressions are prefixed with the base_style
attribute and used as styles for matching text. In the example above, any email addresses will have the style “example.email” applied, which we’ve defined in a custom Theme.
Setting the highlighter on the Console will apply highlighting to all text you print (if enabled). You can also use a highlighter on a more granular level by using the instance as a callable and printing the result. For example, we could use the email highlighter class like this:
console = Console(theme=theme)
highlight_emails = EmailHighlighter()
console.print(highlight_emails("Send funds to money@example.org"))
While RegexHighlighter
is quite powerful, you can also extend its base class Highlighter
to implement a custom scheme for highlighting. It contains a single method highlight
which is passed the Text
to highlight.
Here’s a silly example that highlights every character with a different color:
from random import randint
from rich import print
from rich.highlighter import Highlighter
class RainbowHighlighter(Highlighter):
def highlight(self, text):
for index in range(len(text)):
text.stylize(f"color({randint(16, 255)})", index, index + 1)
rainbow = RainbowHighlighter()
print(rainbow("I must not fear. Fear is the mind-killer."))
Builtin Highlighters¶
The following builtin highlighters are available.
ISO8601Highlighter
Highlights ISO8601 date time strings.JSONHighlighter
Highlights JSON formatted strings.
Pretty Printing¶
In addition to syntax highlighting, Rich will format (i.e. pretty print) containers such as lists, dicts, and sets.
Run the following command to see an example of pretty printed output:
python -m rich.pretty
Note how the output will change to fit within the terminal width.
pprint method¶
The pprint()
method offers a few more arguments you can use to tweak how objects are pretty printed. Here’s how you would import it:
>>> from rich.pretty import pprint
>>> pprint(locals())
Indent guides¶
Rich can draw indent guides to highlight the indent level of a data structure. These can make it easier to read more deeply nested output. The pprint method enables indent guides by default. You can set indent_guides=False
to disable this feature.
Expand all¶
Rich is quite conservative about expanding data structures and will try to fit as much in each line as it can. If you prefer, you can tell Rich to fully expand all data structures by setting expand_all=True
. Here’s an example:
>>> pprint(["eggs", "ham"], expand_all=True)
Truncating pretty output¶
Very long data structures can be difficult to read and you may find yourself scrolling through multiple pages in the terminal to find the data you are interested in. Rich can truncate containers and long strings to give you an overview without swamping your terminal.
If you set the max_length
argument to an integer, Rich will truncate containers with more than the given number of elements. If data is truncated, Rich will display an ellipsis ...
and the number of elements not shown.
Here’s an example:
>>> pprint(locals(), max_length=2)
If you set the max_string
argument to an integer, Rich will truncate strings over that length. Truncated string will be appended with the number of characters that have not been shown. Here’s an example:
>>> pprint("Where there is a Will, there is a Way", max_string=21)
Pretty renderable¶
Rich offers a Pretty
class which you can use to insert pretty printed data in to another renderable.
The following example displays pretty printed data within a simple panel:
from rich import print
from rich.pretty import Pretty
from rich.panel import Panel
pretty = Pretty(locals())
panel = Panel(pretty)
print(panel)
There are a large number of options to tweak the pretty formatting, See the Pretty
reference for details.
Rich Repr Protocol¶
Rich is able to syntax highlight any output, but the formatting is restricted to built-in containers, dataclasses, and other objects Rich knows about, such as objects generated by the attrs library. To add Rich formatting capabilities to custom objects, you can implement the rich repr protocol.
Run the following command to see an example of what the Rich repr protocol can generate:
python -m rich.repr
First, let’s look at a class that might benefit from a Rich repr:
class Bird:
def __init__(self, name, eats=None, fly=True, extinct=False):
self.name = name
self.eats = list(eats) if eats else []
self.fly = fly
self.extinct = extinct
def __repr__(self):
return f"Bird({self.name!r}, eats={self.eats!r}, fly={self.fly!r}, extinct={self.extinct!r})"
BIRDS = {
"gull": Bird("gull", eats=["fish", "chips", "ice cream", "sausage rolls"]),
"penguin": Bird("penguin", eats=["fish"], fly=False),
"dodo": Bird("dodo", eats=["fruit"], fly=False, extinct=True)
}
print(BIRDS)
The result of this script would be:
{'gull': Bird('gull', eats=['fish', 'chips', 'ice cream', 'sausage rolls'], fly=True, extinct=False), 'penguin': Bird('penguin', eats=['fish'], fly=False, extinct=False), 'dodo': Bird('dodo', eats=['fruit'], fly=False, extinct=True)}
The output is long enough to wrap on to the next line, which can make it hard to read. The repr strings are informative but a little verbose since they include default arguments. If we print this with Rich, things are improved somewhat:
{
'gull': Bird('gull', eats=['fish', 'chips', 'ice cream', 'sausage rolls'],
fly=True, extinct=False),
'penguin': Bird('penguin', eats=['fish'], fly=False, extinct=False),
'dodo': Bird('dodo', eats=['fruit'], fly=False, extinct=True)
}
Rich knows how to format the container dict, but the repr strings are still verbose, and there is some wrapping of the output (assumes an 80 character terminal).
We can solve both these issues by adding the following __rich_repr__
method:
def __rich_repr__(self):
yield self.name
yield "eats", self.eats
yield "fly", self.fly, True
yield "extinct", self.extinct, False
Now if we print the same object with Rich we would see the following:
{
'gull': Bird(
'gull',
eats=['fish', 'chips', 'ice cream', 'sausage rolls']
),
'penguin': Bird('penguin', eats=['fish'], fly=False),
'dodo': Bird('dodo', eats=['fruit'], fly=False, extinct=True)
}
The default arguments have been omitted, and the output has been formatted nicely. The output remains readable even if we have less room in the terminal, or our objects are part of a deeply nested data structure:
{
'gull': Bird(
'gull',
eats=[
'fish',
'chips',
'ice cream',
'sausage rolls'
]
),
'penguin': Bird(
'penguin',
eats=['fish'],
fly=False
),
'dodo': Bird(
'dodo',
eats=['fruit'],
fly=False,
extinct=True
)
}
You can add a __rich_repr__
method to any class to enable the Rich formatting. This method should return an iterable of tuples. You could return a list of tuples, but it’s easier to express with the yield
keywords, making it a generator.
Each tuple specifies an element in the output.
yield value
will generate a positional argument.yield name, value
will generate a keyword argument.yield name, value, default
will generate a keyword argument ifvalue
is not equal todefault
.
If you use None
as the name
, then it will be treated as a positional argument as well, in order to support having tuple
positional arguments.
You can also tell Rich to generate the angular bracket style of repr, which tend to be used where there is no easy way to recreate the object’s constructor. To do this set the function attribute "angular"
to True
immediately after your __rich_repr__
method. For example:
__rich_repr__.angular = True
This will change the output of the Rich repr example to the following:
{
'gull': <Bird 'gull' eats=['fish', 'chips', 'ice cream', 'sausage rolls']>,
'penguin': <Bird 'penguin' eats=['fish'] fly=False>,
'dodo': <Bird 'dodo' eats=['fruit'] fly=False extinct=True>
}
Note that you can add __rich_repr__
methods to third-party libraries without including Rich as a dependency. If Rich is not installed, then nothing will break. Hopefully more third-party libraries will adopt Rich repr methods in the future.
Typing¶
If you want to type the Rich repr method you can import and return rich.repr.Result
, which will help catch logical errors:
import rich.repr
class Bird:
def __init__(self, name, eats=None, fly=True, extinct=False):
self.name = name
self.eats = list(eats) if eats else []
self.fly = fly
self.extinct = extinct
def __rich_repr__(self) -> rich.repr.Result:
yield self.name
yield "eats", self.eats
yield "fly", self.fly, True
yield "extinct", self.extinct, False
Automatic Rich Repr¶
Rich can generate a rich repr automatically if the parameters are named the same as your attributes.
To automatically build a rich repr, use the auto()
class decorator. The Bird example above follows the above rule, so we don’t strictly need to implement our own __rich_repr__
. The following code would generate the same repr:
import rich.repr
@rich.repr.auto
class Bird:
def __init__(self, name, eats=None, fly=True, extinct=False):
self.name = name
self.eats = list(eats) if eats else []
self.fly = fly
self.extinct = extinct
BIRDS = {
"gull": Bird("gull", eats=["fish", "chips", "ice cream", "sausage rolls"]),
"penguin": Bird("penguin", eats=["fish"], fly=False),
"dodo": Bird("dodo", eats=["fruit"], fly=False, extinct=True)
}
from rich import print
print(BIRDS)
Note that the decorator will also create a __repr__, so you will get an auto-generated repr even if you don’t print with Rich.
If you want to auto-generate the angular type of repr, then set angular=True
on the decorator:
@rich.repr.auto(angular=True)
class Bird:
def __init__(self, name, eats=None, fly=True, extinct=False):
self.name = name
self.eats = list(eats) if eats else []
self.fly = fly
self.extinct = extinct
Example¶
See repr.py for the example code used in this page.
Logging Handler¶
Rich supplies a logging handler which will format and colorize text written by Python’s logging module.
Here’s an example of how to set up a rich logger:
import logging
from rich.logging import RichHandler
FORMAT = "%(message)s"
logging.basicConfig(
level="NOTSET", format=FORMAT, datefmt="[%X]", handlers=[RichHandler()]
)
log = logging.getLogger("rich")
log.info("Hello, World!")
Rich logs won’t render Console Markup in logging by default as most libraries won’t be aware of the need to escape literal square brackets, but you can enable it by setting markup=True
on the handler. Alternatively you can enable it per log message by supplying the extra
argument as follows:
log.error("[bold red blink]Server is shutting down![/]", extra={"markup": True})
Similarly, the highlighter may be overridden per log message:
log.error("123 will not be highlighted", extra={"highlighter": None})
Handle exceptions¶
The RichHandler
class may be configured to use Rich’s Traceback
class to format exceptions, which provides more context than a built-in exception. To get beautiful exceptions in your logs set rich_tracebacks=True
on the handler constructor:
import logging
from rich.logging import RichHandler
logging.basicConfig(
level="NOTSET",
format="%(message)s",
datefmt="[%X]",
handlers=[RichHandler(rich_tracebacks=True)]
)
log = logging.getLogger("rich")
try:
print(1 / 0)
except Exception:
log.exception("unable print!")
There are a number of other options you can use to configure logging output, see the RichHandler
reference for details.
Suppressing Frames¶
If you are working with a framework (click, django etc), you may only be interested in seeing the code from your own application within the traceback. You can exclude framework code by setting the suppress argument on Traceback, install, and Console.print_exception, which should be a list of modules or str paths.
Here’s how you would exclude click from Rich exceptions:
import click
import logging
from rich.logging import RichHandler
logging.basicConfig(
level="NOTSET",
format="%(message)s",
datefmt="[%X]",
handlers=[RichHandler(rich_tracebacks=True, tracebacks_suppress=[click])]
)
Suppressed frames will show the line and file only, without any code.
Traceback¶
Rich can render Python tracebacks with syntax highlighting and formatting. Rich tracebacks are easier to read and show more code than standard Python tracebacks.
To see an example of a Rich traceback, running the following command:
python -m rich.traceback
Printing tracebacks¶
The print_exception()
method will print a traceback for the current exception being handled. Here’s an example:
from rich.console import Console
console = Console()
try:
do_something()
except Exception:
console.print_exception(show_locals=True)
The show_locals=True
parameter causes Rich to display the value of local variables for each frame of the traceback.
See exception.py for a larger example.
Traceback Handler¶
Rich can be installed as the default traceback handler so that all uncaught exceptions will be rendered with highlighting. Here’s how:
from rich.traceback import install
install(show_locals=True)
There are a few options to configure the traceback handler, see install()
for details.
Automatic Traceback Handler¶
In some cases you may want to have the traceback handler installed automatically without having to worry about importing the code in your module. You can do that by modifying the sitecustomize.py in your virtual environment. Typically it would be located in your virtual environment path, underneath the site-packages folder, something like this:
./.venv/lib/python3.9/site-packages/sitecustomize.py
In most cases this file will not exist. If it doesn’t exist, you can create it by:
$ touch .venv/lib/python3.9/site-packages/sitecustomize.py
Add the following code to the file:
from rich.traceback import install
install(show_locals=True)
At this point, the traceback will be installed for any code that is run within the virtual environment.
Note
If you plan on sharing your code, it is probably best to include the traceback install in your main entry point module.
Suppressing Frames¶
If you are working with a framework (click, django etc), you may only be interested in seeing the code from your own application within the traceback. You can exclude framework code by setting the suppress argument on Traceback, install, Console.print_exception, and RichHandler, which should be a list of modules or str paths.
Here’s how you would exclude click from Rich exceptions:
import click
from rich.traceback import install
install(suppress=[click])
Suppressed frames will show the line and file only, without any code.
Max Frames¶
A recursion error can generate very large tracebacks that take a while to render and contain a lot of repetitive frames. Rich guards against this with a max_frames argument, which defaults to 100. If a traceback contains more than 100 frames then only the first 50, and last 50 will be shown. You can disable this feature by setting max_frames to 0.
Here’s an example of printing a recursive error:
from rich.console import Console
def foo(n):
return bar(n)
def bar(n):
return foo(n)
console = Console()
try:
foo(1)
except Exception:
console.print_exception(max_frames=20)
Prompt¶
Rich has a number of Prompt
classes which ask a user for input and loop until a valid response is received (they all use the Console API internally). Here’s a simple example:
>>> from rich.prompt import Prompt
>>> name = Prompt.ask("Enter your name")
The prompt may be given as a string (which may contain Console Markup and emoji code) or as a Text
instance.
You can set a default value which will be returned if the user presses return without entering any text:
>>> from rich.prompt import Prompt
>>> name = Prompt.ask("Enter your name", default="Paul Atreides")
If you supply a list of choices, the prompt will loop until the user enters one of the choices:
>>> from rich.prompt import Prompt
>>> name = Prompt.ask("Enter your name", choices=["Paul", "Jessica", "Duncan"], default="Paul")
In addition to Prompt
which returns strings, you can also use IntPrompt
which asks the user for an integer, and FloatPrompt
for floats.
The Confirm
class is a specialized prompt which may be used to ask the user a simple yes / no question. Here’s an example:
>>> from rich.prompt import Confirm
>>> is_rich_great = Confirm.ask("Do you like rich?")
>>> assert is_rich_great
The Prompt class was designed to be customizable via inheritance. See prompt.py for examples.
To see some of the prompts in action, run the following command from the command line:
python -m rich.prompt
Columns¶
Rich can render text or other Rich renderables in neat columns with the Columns
class. To use, construct a Columns instance with an iterable of renderables and print it to the Console.
The following example is a very basic clone of the ls
command in OSX / Linux to list directory contents:
import os
import sys
from rich import print
from rich.columns import Columns
if len(sys.argv) < 2:
print("Usage: python columns.py DIRECTORY")
else:
directory = os.listdir(sys.argv[1])
columns = Columns(directory, equal=True, expand=True)
print(columns)
See columns.py for an example which outputs columns containing more than just text.
Render Groups¶
The Group
class allows you to group several renderables together so they may be rendered in a context where only a single renderable may be supplied. For instance, you might want to display several renderables within a Panel
.
To render two panels within a third panel, you would construct a Group with the child renderables as positional arguments then wrap the result in another Panel:
from rich import print
from rich.console import Group
from rich.panel import Panel
panel_group = Group(
Panel("Hello", style="on blue"),
Panel("World", style="on red"),
)
print(Panel(panel_group))
This pattern is nice when you know in advance what renderables will be in a group, but can get awkward if you have a larger number of renderables, especially if they are dynamic. Rich provides a group()
decorator to help with these situations. The decorator builds a group from an iterator of renderables. The following is the equivalent of the previous example using the decorator:
from rich import print
from rich.console import group
from rich.panel import Panel
@group()
def get_panels():
yield Panel("Hello", style="on blue")
yield Panel("World", style="on red")
print(Panel(get_panels()))
Markdown¶
Rich can render Markdown to the console. To render markdown, construct a Markdown
object then print it to the console. Markdown is a great way of adding rich content to your command line applications. Here’s an example of use:
MARKDOWN = """
# This is an h1
Rich can do a pretty *decent* job of rendering markdown.
1. This is a list item
2. This is another list item
"""
from rich.console import Console
from rich.markdown import Markdown
console = Console()
md = Markdown(MARKDOWN)
console.print(md)
Note that code blocks are rendered with full syntax highlighting!
You can also use the Markdown class from the command line. The following example displays a readme in the terminal:
python -m rich.markdown README.md
Run the following to see the full list of arguments for the markdown command:
python -m rich.markdown -h
Padding¶
The Padding
class may be used to add whitespace around text or other renderable. The following example will print the word “Hello” with a padding of 1 character, so there will be a blank line above and below, and a space on the left and right edges:
from rich import print
from rich.padding import Padding
test = Padding("Hello", 1)
print(test)
You can specify the padding on a more granular level by using a tuple of values rather than a single value. A tuple of 2 values sets the top/bottom and left/right padding, whereas a tuple of 4 values sets the padding for top, right, bottom, and left sides. You may recognize this scheme if you are familiar with CSS.
For example, the following displays 2 blank lines above and below the text, and a padding of 4 spaces on the left and right sides:
from rich import print
from rich.padding import Padding
test = Padding("Hello", (2, 4))
print(test)
The Padding class can also accept a style
argument which applies a style to the padding and contents, and an expand
switch which can be set to False to prevent the padding from extending to the full width of the terminal. Here’s an example which demonstrates both these arguments:
from rich import print
from rich.padding import Padding
test = Padding("Hello", (2, 4), style="on blue", expand=False)
print(test)
Note that, as with all Rich renderables, you can use Padding in any context. For instance, if you want to emphasize an item in a Table
you could add a Padding object to a row with a padding of 1 and a style of “on red”.
Panel¶
To draw a border around text or other renderable, construct a Panel
with the renderable as the first positional argument. Here’s an example:
from rich import print
from rich.panel import Panel
print(Panel("Hello, [red]World!"))
You can change the style of the panel by setting the box
argument to the Panel constructor. See Box for a list of available box styles.
Panels will extend to the full width of the terminal. You can make panel fit the content by setting expand=False
on the constructor, or by creating the Panel with fit()
. For example:
from rich import print
from rich.panel import Panel
print(Panel.fit("Hello, [red]World!"))
The Panel constructor accepts a title
argument which will draw a title on the top of the panel, as well as a subtitle
argument which will draw a subtitle on the bottom of the panel:
from rich import print
from rich.panel import Panel
print(Panel("Hello, [red]World!", title="Welcome", subtitle="Thank you"))
See Panel
for details how to customize Panels.
Progress Display¶
Rich can display continuously updated information regarding the progress of long running tasks / file copies etc. The information displayed is configurable, the default will display a description of the ‘task’, a progress bar, percentage complete, and estimated time remaining.
Rich progress display supports multiple tasks, each with a bar and progress information. You can use this to track concurrent tasks where the work is happening in threads or processes.
To see how the progress display looks, try this from the command line:
python -m rich.progress
Note
Progress works with Jupyter notebooks, with the caveat that auto-refresh is disabled. You will need to explicitly call refresh()
or set refresh=True
when calling update()
. Or use the track()
function which does a refresh automatically on each loop.
Basic Usage¶
For basic usage call the track()
function, which accepts a sequence (such as a list or range object) and an optional description of the job you are working on. The track function will yield values from the sequence and update the progress information on each iteration. Here’s an example:
import time
from rich.progress import track
for i in track(range(20), description="Processing..."):
time.sleep(1) # Simulate work being done
Advanced usage¶
If you require multiple tasks in the display, or wish to configure the columns in the progress display, you can work directly with the Progress
class. Once you have constructed a Progress object, add task(s) with (add_task()
) and update progress with update()
.
The Progress class is designed to be used as a context manager which will start and stop the progress display automatically.
Here’s a simple example:
import time
from rich.progress import Progress
with Progress() as progress:
task1 = progress.add_task("[red]Downloading...", total=1000)
task2 = progress.add_task("[green]Processing...", total=1000)
task3 = progress.add_task("[cyan]Cooking...", total=1000)
while not progress.finished:
progress.update(task1, advance=0.5)
progress.update(task2, advance=0.3)
progress.update(task3, advance=0.9)
time.sleep(0.02)
The total
value associated with a task is the number of steps that must be completed for the progress to reach 100%. A step in this context is whatever makes sense for your application; it could be number of bytes of a file read, or number of images processed, etc.
Updating tasks¶
When you call add_task()
you get back a Task ID. Use this ID to call update()
whenever you have completed some work, or any information has changed. Typically you will need to update completed
every time you have completed a step. You can do this by updated completed
directly or by setting advance
which will add to the current completed
value.
The update()
method collects keyword arguments which are also associated with the task. Use this to supply any additional information you would like to render in the progress display. The additional arguments are stored in task.fields
and may be referenced in Column classes.
Hiding tasks¶
You can show or hide tasks by updating the tasks visible
value. Tasks are visible by default, but you can also add an invisible task by calling add_task()
with visible=False
.
Transient progress¶
Normally when you exit the progress context manager (or call stop()
) the last refreshed display remains in the terminal with the cursor on the following line. You can also make the progress display disappear on exit by setting transient=True
on the Progress constructor. Here’s an example:
with Progress(transient=True) as progress:
task = progress.add_task("Working", total=100)
do_work(task)
Transient progress displays are useful if you want more minimal output in the terminal when tasks are complete.
Indeterminate progress¶
When you add a task it is automatically started, which means it will show a progress bar at 0% and the time remaining will be calculated from the current time. This may not work well if there is a long delay before you can start updating progress; you may need to wait for a response from a server or count files in a directory (for example). In these cases you can call add_task()
with start=False
or total=None
which will display a pulsing animation that lets the user know something is working. This is known as an indeterminate progress bar. When you have the number of steps you can call start_task()
which will display the progress bar at 0%, then update()
as normal.
Auto refresh¶
By default, the progress information will refresh 10 times a second. You can set the refresh rate with the refresh_per_second
argument on the Progress
constructor. You should set this to something lower than 10 if you know your updates will not be that frequent.
You might want to disable auto-refresh entirely if your updates are not very frequent, which you can do by setting auto_refresh=False
on the constructor. If you disable auto-refresh you will need to call refresh()
manually after updating your task(s).
Expand¶
The progress bar(s) will use only as much of the width of the terminal as required to show the task information. If you set the expand
argument on the Progress constructor, then Rich will stretch the progress display to the full available width.
Columns¶
You may customize the columns in the progress display with the positional arguments to the Progress
constructor. The columns are specified as either a format string or a ProgressColumn
object.
Format strings will be rendered with a single value “task” which will be a Task
instance. For example "{task.description}"
would display the task description in the column, and "{task.completed} of {task.total}"
would display how many of the total steps have been completed. Additional fields passed via keyword arguments to ~rich.progress.Progress.update are store in task.fields
. You can add them to a format string with the following syntax: "extra info: {task.fields[extra]}"
.
The default columns are equivalent to the following:
progress = Progress(
TextColumn("[progress.description]{task.description}"),
BarColumn(),
TaskProgressColumn(),
TimeRemainingColumn(),
)
To create a Progress with your own columns in addition to the defaults, use get_default_columns()
:
progress = Progress(
SpinnerColumn(),
*Progress.get_default_columns(),
TimeElapsedColumn(),
)
The following column objects are available:
BarColumn
Displays the bar.TextColumn
Displays text.TimeElapsedColumn
Displays the time elapsed.TimeRemainingColumn
Displays the estimated time remaining.MofNCompleteColumn
Displays completion progress as"{task.completed}/{task.total}"
(works best if completed and total are ints).FileSizeColumn
Displays progress as file size (assumes the steps are bytes).TotalFileSizeColumn
Displays total file size (assumes the steps are bytes).DownloadColumn
Displays download progress (assumes the steps are bytes).TransferSpeedColumn
Displays transfer speed (assumes the steps are bytes).SpinnerColumn
Displays a “spinner” animation.RenderableColumn
Displays an arbitrary Rich renderable in the column.
To implement your own columns, extend the ProgressColumn
class and use it as you would the other columns.
Table Columns¶
Rich builds a Table
for the tasks in the Progress instance. You can customize how the columns of this tasks table are created by specifying the table_column
argument in the Column constructor, which should be a Column
instance.
The following example demonstrates a progress bar where the description takes one third of the width of the terminal, and the bar takes up the remaining two thirds:
from time import sleep
from rich.table import Column
from rich.progress import Progress, BarColumn, TextColumn
text_column = TextColumn("{task.description}", table_column=Column(ratio=1))
bar_column = BarColumn(bar_width=None, table_column=Column(ratio=2))
progress = Progress(text_column, bar_column, expand=True)
with progress:
for n in progress.track(range(100)):
progress.print(n)
sleep(0.1)
Print / log¶
The Progress class will create an internal Console object which you can access via progress.console
. If you print or log to this console, the output will be displayed above the progress display. Here’s an example:
with Progress() as progress:
task = progress.add_task("twiddling thumbs", total=10)
for job in range(10):
progress.console.print(f"Working on job #{job}")
run_job(job)
progress.advance(task)
If you have another Console object you want to use, pass it in to the Progress
constructor. Here’s an example:
from my_project import my_console
with Progress(console=my_console) as progress:
my_console.print("[bold blue]Starting work!")
do_work(progress)
Redirecting stdout / stderr¶
To avoid breaking the progress display visuals, Rich will redirect stdout
and stderr
so that you can use the built-in print
statement. This feature is enabled by default, but you can disable by setting redirect_stdout
or redirect_stderr
to False
Customizing¶
If the Progress
class doesn’t offer exactly what you need in terms of a progress display, you can override the get_renderables
method. For example, the following class will render a Panel
around the progress display:
from rich.panel import Panel
from rich.progress import Progress
class MyProgress(Progress):
def get_renderables(self):
yield Panel(self.make_tasks_table(self.tasks))
Reading from a file¶
Rich provides an easy way to generate a progress bar while reading a file. If you call open()
it will return a context manager which displays a progress bar while you read. This is particularly useful when you can’t easily modify the code that does the reading.
The following example demonstrates how we might show progress when reading a JSON file:
import json
import rich.progress
with rich.progress.open("data.json", "rb") as file:
data = json.load(file)
print(data)
If you already have a file object, you can call wrap_file()
which returns a context manager that wraps your file so that it displays a progress bar. If you use this function you will need to set the number of bytes or characters you expect to read.
Here’s an example that reads a url from the internet:
from time import sleep
from urllib.request import urlopen
from rich.progress import wrap_file
response = urlopen("https://www.textualize.io")
size = int(response.headers["Content-Length"])
with wrap_file(response, size) as file:
for line in file:
print(line.decode("utf-8"), end="")
sleep(0.1)
If you expect to be reading from multiple files, you can use open()
or wrap_file()
to add a file progress to an existing Progress instance.
See cp_progress.py <https://github.com/willmcgugan/rich/blob/master/examples/cp_progress.py> for a minimal clone of the cp
command which shows a progress bar as the file is copied.
Multiple Progress¶
You can’t have different columns per task with a single Progress instance. However, you can have as many Progress instances as you like in a Live Display. See live_progress.py and dynamic_progress.py for examples of using multiple Progress instances.
Example¶
See downloader.py for a realistic application of a progress display. This script can download multiple concurrent files with a progress bar, transfer speed and file size.
Syntax¶
Rich can syntax highlight various programming languages with line numbers.
To syntax highlight code, construct a Syntax
object and print it to the console. Here’s an example:
from rich.console import Console
from rich.syntax import Syntax
console = Console()
with open("syntax.py", "rt") as code_file:
syntax = Syntax(code_file.read(), "python")
console.print(syntax)
You may also use the from_path()
alternative constructor which will load the code from disk and auto-detect the file type. The example above could be re-written as follows:
from rich.console import Console
from rich.syntax import Syntax
console = Console()
syntax = Syntax.from_path("syntax.py")
console.print(syntax)
Line numbers¶
If you set line_numbers=True
, Rich will render a column for line numbers:
syntax = Syntax.from_path("syntax.py", line_numbers=True)
Theme¶
The Syntax constructor (and from_path()
) accept a theme
attribute which should be the name of a Pygments theme. It may also be one of the special case theme names “ansi_dark” or “ansi_light” which will use the color theme configured by the terminal.
Background color¶
You can override the background color from the theme by supplying a background_color
argument to the constructor. This should be a string in the same format a style definition accepts, e.g. “red”, “#ff0000”, “rgb(255,0,0)” etc. You may also set the special value “default” which will use the default background color set in the terminal.
Syntax CLI¶
You can use this class from the command line. Here’s how you would syntax highlight a file called “syntax.py”:
python -m rich.syntax syntax.py
For the full list of arguments, run the following:
python -m rich.syntax -h
Tables¶
Rich’s Table
class offers a variety of ways to render tabular data to the terminal.
To render a table, construct a Table
object, add columns with add_column()
, and rows with add_row()
– then print it to the console.
Here’s an example:
from rich.console import Console
from rich.table import Table
table = Table(title="Star Wars Movies")
table.add_column("Released", justify="right", style="cyan", no_wrap=True)
table.add_column("Title", style="magenta")
table.add_column("Box Office", justify="right", style="green")
table.add_row("Dec 20, 2019", "Star Wars: The Rise of Skywalker", "$952,110,690")
table.add_row("May 25, 2018", "Solo: A Star Wars Story", "$393,151,347")
table.add_row("Dec 15, 2017", "Star Wars Ep. V111: The Last Jedi", "$1,332,539,889")
table.add_row("Dec 16, 2016", "Rogue One: A Star Wars Story", "$1,332,439,889")
console = Console()
console.print(table)
This produces the following output:
Star Wars Movies ┏━━━━━━━━━━━━━━┳━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━┳━━━━━━━━━━━━━━━━┓ ┃ Released ┃ Title ┃ Box Office ┃ ┡━━━━━━━━━━━━━━╇━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━╇━━━━━━━━━━━━━━━━┩ │ Dec 20, 2019 │ Star Wars: The Rise of Skywalker │ $952,110,690 │ │ May 25, 2018 │ Solo: A Star Wars Story │ $393,151,347 │ │ Dec 15, 2017 │ Star Wars Ep. V111: The Last Jedi │ $1,332,539,889 │ │ Dec 16, 2016 │ Rogue One: A Star Wars Story │ $1,332,439,889 │ └──────────────┴───────────────────────────────────┴────────────────┘
Rich will calculate the optimal column sizes to fit your content, and will wrap text to fit if the terminal is not wide enough to fit the contents.
Note
You are not limited to adding text in the add_row
method. You can add anything that Rich knows how to render (including another table).
Table Options¶
There are a number of keyword arguments on the Table constructor you can use to define how a table should look.
title
Sets the title of the table (text show above the table).caption
Sets the table caption (text show below the table).width
Sets the desired width of the table (disables automatic width calculation).min_width
Sets a minimum width for the table.box
Sets one of the Box styles for the table grid, orNone
for no grid.safe_box
Set toTrue
to force the table to generate ASCII characters rather than unicode.padding
An integer, or tuple of 1, 2, or 4 values to set the padding on cells.collapse_padding
If True the padding of neighboring cells will be merged.pad_edge
Set to False to remove padding around the edge of the table.expand
Set to True to expand the table to the full available size.show_header
Set to True to show a header, False to disable it.show_footer
Set to True to show a footer, False to disable it.show_edge
Set to False to disable the edge line around the table.show_lines
Set to True to show lines between rows as well as header / footer.leading
Additional space between rows.style
A Style to apply to the entire table, e.g. “on blue”row_styles
Set to a list of styles to style alternating rows. e.g.["dim", ""]
to create zebra stripesheader_style
Set the default style for the header.footer_style
Set the default style for the footer.border_style
Set a style for border characters.title_style
Set a style for the title.caption_style
Set a style for the caption.title_justify
Set the title justify method (“left”, “right”, “center”, or “full”)caption_justify
Set the caption justify method (“left”, “right”, “center”, or “full”)highlight
Set to True to enable automatic highlighting of cell contents.
Border Styles¶
You can set the border style by importing one of the preset Box
objects and setting the box
argument in the table constructor. Here’s an example that modifies the look of the Star Wars table:
from rich import box
table = Table(title="Star Wars Movies", box=box.MINIMAL_DOUBLE_HEAD)
See Box for other box styles.
You can also set box=None
to remove borders entirely.
The Table
class offers a number of configuration options to set the look and feel of the table, including how borders are rendered and the style and alignment of the columns.
Lines¶
By default, Tables will show a line under the header only. If you want to show lines between all rows add show_lines=True
to the constructor.
You can also force a line on the next row by setting end_section=True
on the call to add_row()
, or by calling the add_section()
to add a line between the current and subsequent rows.
Empty Tables¶
Printing a table with no columns results in a blank line. If you are building a table dynamically and the data source has no columns, you might want to print something different. Here’s how you might do that:
if table.columns:
print(table)
else:
print("[i]No data...[/i]")
Adding Columns¶
You may also add columns by specifying them in the positional arguments of the Table
constructor. For example, we could construct a table with three columns like this:
table = Table("Released", "Title", "Box Office", title="Star Wars Movies")
This allows you to specify the text of the column only. If you want to set other attributes, such as width and style, you can add a Column
class. Here’s an example:
from rich.table import Column, Table
table = Table(
"Released",
"Title",
Column(header="Box Office", justify="right"),
title="Star Wars Movies"
)
Column Options¶
There are a number of options you can set on a column to modify how it will look.
header_style
Sets the style of the header, e.g. “bold magenta”.footer_style
Sets the style of the footer.style
Sets a style that applies to the column. You could use this to highlight a column by setting the background with “on green” for example.justify
Sets the text justify to one of “left”, “center”, “right”, or “full”.vertical
Sets the vertical alignment of the cells in a column, to one of “top”, “middle”, or “bottom”.width
Explicitly set the width of a row to a given number of characters (disables automatic calculation).min_width
When set to an integer will prevent the column from shrinking below this amount.max_width
When set to an integer will prevent the column from growing beyond this amount.ratio
Defines a ratio to set the column width. For instance, if there are 3 columns with a total of 6 ratio, andratio=2
then the column will be a third of the available size.no_wrap
Set to True to prevent this column from wrapping.
Vertical Alignment¶
You can define the vertical alignment of a column by setting the vertical
parameter of the column. You can also do this per-cell by wrapping your text or renderable with a Align
class:
table.add_row(Align("Title", vertical="middle"))
Grids¶
The Table class can also make a great layout tool. If you disable headers and borders you can use it to position content within the terminal. The alternative constructor grid()
can create such a table for you.
For instance, the following code displays two pieces of text aligned to both the left and right edges of the terminal on a single line:
from rich import print
from rich.table import Table
grid = Table.grid(expand=True)
grid.add_column()
grid.add_column(justify="right")
grid.add_row("Raising shields", "[bold magenta]COMPLETED [green]:heavy_check_mark:")
print(grid)
Tree¶
Rich has a Tree
class which can generate a tree view in the terminal. A tree view is a great way of presenting the contents of a filesystem or any other hierarchical data. Each branch of the tree can have a label which may be text or any other Rich renderable.
Run the following command to see a demonstration of a Rich tree:
python -m rich.tree
The following code creates and prints a tree with a simple text label:
from rich.tree import Tree
from rich import print
tree = Tree("Rich Tree")
print(tree)
With only a single Tree
instance this will output nothing more than the text “Rich Tree”. Things get more interesting when we call add()
to add more branches to the Tree. The following code adds two more branches:
tree.add("foo")
tree.add("bar")
print(tree)
The tree will now have two branches connected to the original tree with guide lines.
When you call add()
a new Tree instance is returned. You can use this instance to add more branches to, and build up a more complex tree. Let’s add a few more levels to the tree:
baz_tree = tree.add("baz")
baz_tree.add("[red]Red").add("[green]Green").add("[blue]Blue")
print(tree)
Tree Styles¶
The Tree constructor and add()
method allows you to specify a style
argument which sets a style for the entire branch, and guide_style
which sets the style for the guide lines. These styles are inherited by the branches and will apply to any sub-trees as well.
If you set guide_style
to bold, Rich will select the thicker variations of unicode line characters. Similarly, if you select the “underline2” style you will get double line style of unicode characters.
Examples¶
For a more practical demonstration, see tree.py which can generate a tree view of a directory in your hard drive.
Live Display¶
Progress bars and status indicators use a live display to animate parts of the terminal. You can build custom live displays with the Live
class.
For a demonstration of a live display, run the following command:
python -m rich.live
Note
If you see ellipsis “…”, this indicates that the terminal is not tall enough to show the full table.
Basic usage¶
To create a live display, construct a Live
object with a renderable and use it as a context manager. The live display will persist for the duration of the context. You can update the renderable to update the display:
import time
from rich.live import Live
from rich.table import Table
table = Table()
table.add_column("Row ID")
table.add_column("Description")
table.add_column("Level")
with Live(table, refresh_per_second=4): # update 4 times a second to feel fluid
for row in range(12):
time.sleep(0.4) # arbitrary delay
# update the renderable internally
table.add_row(f"{row}", f"description {row}", "[red]ERROR")
Updating the renderable¶
You can also change the renderable on-the-fly by calling the update()
method. This may be useful if the information you wish to display is too dynamic to generate by updating a single renderable. Here is an example:
import random
import time
from rich.live import Live
from rich.table import Table
def generate_table() -> Table:
"""Make a new table."""
table = Table()
table.add_column("ID")
table.add_column("Value")
table.add_column("Status")
for row in range(random.randint(2, 6)):
value = random.random() * 100
table.add_row(
f"{row}", f"{value:3.2f}", "[red]ERROR" if value < 50 else "[green]SUCCESS"
)
return table
with Live(generate_table(), refresh_per_second=4) as live:
for _ in range(40):
time.sleep(0.4)
live.update(generate_table())
Alternate screen¶
You can opt to show a Live display in the “alternate screen” by setting screen=True
on the constructor. This will allow your live display to go full screen and restore the command prompt on exit.
You can use this feature in combination with Layout to display sophisticated terminal “applications”.
Transient display¶
Normally when you exit live context manager (or call stop()
) the last refreshed item remains in the terminal with the cursor on the following line.
You can also make the live display disappear on exit by setting transient=True
on the Live constructor.
Auto refresh¶
By default, the live display will refresh 4 times a second. You can set the refresh rate with the refresh_per_second
argument on the Live
constructor.
You should set this to something lower than 4 if you know your updates will not be that frequent or higher for a smoother feeling.
You might want to disable auto-refresh entirely if your updates are not very frequent, which you can do by setting auto_refresh=False
on the constructor.
If you disable auto-refresh you will need to call refresh()
manually or update()
with refresh=True
.
Vertical overflow¶
By default, the live display will display ellipsis if the renderable is too large for the terminal. You can adjust this by setting the
vertical_overflow
argument on the Live
constructor.
“crop” Show renderable up to the terminal height. The rest is hidden.
“ellipsis” Similar to crop except last line of the terminal is replaced with “…”. This is the default behavior.
“visible” Will allow the whole renderable to be shown. Note that the display cannot be properly cleared in this mode.
Note
Once the live display stops on a non-transient renderable, the last frame will render as visible since it doesn’t have to be cleared.
Print / log¶
The Live class will create an internal Console object which you can access via live.console
. If you print or log to this console, the output will be displayed above the live display. Here’s an example:
import time
from rich.live import Live
from rich.table import Table
table = Table()
table.add_column("Row ID")
table.add_column("Description")
table.add_column("Level")
with Live(table, refresh_per_second=4) as live: # update 4 times a second to feel fluid
for row in range(12):
live.console.print(f"Working on row #{row}")
time.sleep(0.4)
table.add_row(f"{row}", f"description {row}", "[red]ERROR")
If you have another Console object you want to use, pass it in to the Live
constructor. Here’s an example:
from my_project import my_console
with Live(console=my_console) as live:
my_console.print("[bold blue]Starting work!")
...
Note
If you are passing in a file console, the live display only show the last item once the live context is left.
Redirecting stdout / stderr¶
To avoid breaking the live display visuals, Rich will redirect stdout
and stderr
so that you can use the builtin print
statement.
This feature is enabled by default, but you can disable by setting redirect_stdout
or redirect_stderr
to False
.
Nesting Lives¶
Note that only a single live context may be active at any one time. The following will raise a LiveError
because status also uses Live:
with Live(table, console=console):
with console.status("working"): # Will not work
do_work()
In practice this is rarely a problem because you can display any combination of renderables in a Live context.
Examples¶
See table_movie.py and top_lite_simulator.py for deeper examples of live displaying.
Layout¶
Rich offers a Layout
class which can be used to divide the screen area in to parts, where each part may contain independent content. It can be used with Live Display to create full-screen “applications” but may be used standalone.
To see an example of a Layout, run the following from the command line:
python -m rich.layout
Creating layouts¶
To define a layout, construct a Layout object and print it:
from rich import print
from rich.layout import Layout
layout = Layout()
print(layout)
This will draw a box the size of the terminal with some information regarding the layout. The box is a “placeholder” because we have yet to add any content to it. Before we do that, let’s create a more interesting layout by calling the split_column()
method to divide the layout in to two sub-layouts:
layout.split_column(
Layout(name="upper"),
Layout(name="lower")
)
print(layout)
This will divide the terminal screen in to two equal sized portions, one on top of the other. The name
attribute is an internal identifier we can use to look up the sub-layout later. Let’s use that to create another split, this time we will call split_row()
to split the lower layout in to a row of two sub-layouts:
layout["lower"].split_row(
Layout(name="left"),
Layout(name="right"),
)
print(layout)
You should now see the screen area divided in to 3 portions; an upper half and a lower half that is split in to two quarters.
╭─────────────────────────────── 'upper' (84 x 13) ────────────────────────────────╮ │ │ │ │ │ │ │ │ │ │ │ {'size': None, 'minimum_size': 1, 'ratio': 1, 'name': 'upper'} │ │ │ │ │ │ │ │ │ │ │ ╰──────────────────────────────────────────────────────────────────────────────────╯ ╭─────────── 'left' (42 x 14) ───────────╮╭────────── 'right' (42 x 14) ───────────╮ │ ││ │ │ ││ │ │ ││ │ │ { ││ { │ │ 'size': None, ││ 'size': None, │ │ 'minimum_size': 1, ││ 'minimum_size': 1, │ │ 'ratio': 1, ││ 'ratio': 1, │ │ 'name': 'left' ││ 'name': 'right' │ │ } ││ } │ │ ││ │ │ ││ │ │ ││ │ ╰────────────────────────────────────────╯╰────────────────────────────────────────╯
You can continue to call split() in this way to create as many parts to the screen as you wish.
Setting renderables¶
The first position argument to Layout
can be any Rich renderable, which will be sized to fit within the layout’s area. Here’s how we might divide the “right” layout in to two panels:
from rich.panel import Panel
layout["right"].split(
Layout(Panel("Hello")),
Layout(Panel("World!"))
)
You can also call update()
to set or replace the current renderable:
layout["left"].update(
"The mystery of life isn't a problem to solve, but a reality to experience."
)
print(layout)
Fixed size¶
You can set a layout to use a fixed size by setting the size
argument on the Layout constructor or by setting the attribute. Here’s an example:
layout["upper"].size = 10
print(layout)
This will set the upper portion to be exactly 10 rows, no matter the size of the terminal. If the parent layout is horizontal rather than vertical, then the size applies to the number of characters rather that rows.
Ratio¶
In addition to a fixed size, you can also make a flexible layout setting the ratio
argument on the constructor or by assigning to the attribute. The ratio defines how much of the screen the layout should occupy in relation to other layouts. For example, let’s reset the size and set the ratio of the upper layout to 2:
layout["upper"].size = None
layout["upper"].ratio = 2
print(layout)
This makes the top layout take up two thirds of the space. This is because the default ratio is 1, giving the upper and lower layouts a combined total of 3. As the upper layout has a ratio of 2, it takes up two thirds of the space, leaving the remaining third for the lower layout.
A layout with a ratio set may also have a minimum size to prevent it from getting too small. For instance, here’s how we could set the minimum size of the lower sub-layout so that it won’t shrink beyond 10 rows:
layout["lower"].minimum_size = 10
Visibility¶
You can make a layout invisible by setting the visible
attribute to False. Here’s an example:
layout["upper"].visible = False
print(layout)
The top layout is now invisible, and the “lower” layout will expand to fill the available space. Set visible
to True to bring it back:
layout["upper"].visible = True
print(layout)
You could use this to toggle parts of your interface based on your application’s configuration.
Tree¶
To help visualize complex layouts you can print the tree
attribute which will display a summary of the layout as a tree:
print(layout.tree)
Example¶
See fullscreen.py for an example that combines Layout
and Live
to create a fullscreen “application”.
Console Protocol¶
Rich supports a simple protocol to add rich formatting capabilities to custom objects, so you can print()
your object with color, styles and formatting.
Use this for presentation or to display additional debugging information that might be hard to parse from a typical __repr__
string.
Console Customization¶
The easiest way to customize console output for your object is to implement a __rich__
method. This method accepts no arguments, and should return an object that Rich knows how to render, such as a Text
or Table
. If you return a plain string it will be rendered as Console Markup. Here’s an example:
class MyObject:
def __rich__(self) -> str:
return "[bold cyan]MyObject()"
If you were to print or log an instance of MyObject
it would render as MyObject()
in bold cyan. Naturally, you would want to put this to better use, perhaps by adding specialized syntax highlighting.
Console Render¶
The __rich__
method is limited to a single renderable object. For more advanced rendering, add a __rich_console__
method to your class.
The __rich_console__
method should accept a Console
and a ConsoleOptions
instance. It should return an iterable of other renderable objects. Although that means it could return a container such as a list, it generally easier implemented by using the yield
statement (making the method a generator).
Here’s an example of a __rich_console__
method:
from dataclasses import dataclass
from rich.console import Console, ConsoleOptions, RenderResult
from rich.table import Table
@dataclass
class Student:
id: int
name: str
age: int
def __rich_console__(self, console: Console, options: ConsoleOptions) -> RenderResult:
yield f"[b]Student:[/b] #{self.id}"
my_table = Table("Attribute", "Value")
my_table.add_row("name", self.name)
my_table.add_row("age", str(self.age))
yield my_table
If you were to print a Student
instance, it would render a simple table to the terminal.
Low Level Render¶
For complete control over how a custom object is rendered to the terminal, you can yield Segment
objects. A Segment consists of a piece of text and an optional Style. The following example writes multi-colored text when rendering a MyObject
instance:
class MyObject:
def __rich_console__(self, console: Console, options: ConsoleOptions) -> RenderResult:
yield Segment("My", Style(color="magenta"))
yield Segment("Object", Style(color="green"))
yield Segment("()", Style(color="cyan"))
Measuring Renderables¶
Sometimes Rich needs to know how many characters an object will take up when rendering. The Table
class, for instance, will use this information to calculate the optimal dimensions for the columns. If you aren’t using one of the renderable objects in the Rich module, you will need to supply a __rich_measure__
method which accepts a Console
and ConsoleOptions
and returns a Measurement
object. The Measurement object should contain the minimum and maximum number of characters required to render.
For example, if we are rendering a chess board, it would require a minimum of 8 characters to render. The maximum can be left as the maximum available width (assuming a centered board):
class ChessBoard:
def __rich_measure__(self, console: Console, options: ConsoleOptions) -> Measurement:
return Measurement(8, options.max_width)
Reference¶
rich.align¶
- class rich.align.Align(renderable, align='left', style=None, *, vertical=None, pad=True, width=None, height=None)[source]¶
Align a renderable by adding spaces if necessary.
- Parameters
renderable (RenderableType) – A console renderable.
align (AlignMethod) – One of “left”, “center”, or “right””
style (StyleType, optional) – An optional style to apply to the background.
vertical (Optional[VerticalAlginMethod], optional) – Optional vertical align, one of “top”, “middle”, or “bottom”. Defaults to None.
pad (bool, optional) – Pad the right with spaces. Defaults to True.
width (int, optional) – Restrict contents to given width, or None to use default width. Defaults to None.
height (int, optional) – Set height of align renderable, or None to fit to contents. Defaults to None.
- Raises
ValueError – if
align
is not one of the expected values.
- classmethod center(renderable, style=None, *, vertical=None, pad=True, width=None, height=None)[source]¶
Align a renderable to the center.
- classmethod left(renderable, style=None, *, vertical=None, pad=True, width=None, height=None)[source]¶
Align a renderable to the left.
rich.bar¶
- class rich.bar.Bar(size, begin, end, *, width=None, color='default', bgcolor='default')[source]¶
Renders a solid block bar.
- Parameters
size (float) – Value for the end of the bar.
begin (float) – Begin point (between 0 and size, inclusive).
end (float) – End point (between 0 and size, inclusive).
width (int, optional) – Width of the bar, or
None
for maximum width. Defaults to None.color (Union[Color, str], optional) – Color of the bar. Defaults to “default”.
bgcolor (Union[Color, str], optional) – Color of bar background. Defaults to “default”.
rich.color¶
- class rich.color.Color(name, type, number=None, triplet=None)[source]¶
Terminal color definition.
- Parameters
- classmethod default()[source]¶
Get a Color instance representing the default color.
- Returns
Default color.
- Return type
- downgrade(system)[source]¶
Downgrade a color system to a system with fewer colors.
- Parameters
system (ColorSystem) –
- Return type
- classmethod from_rgb(red, green, blue)[source]¶
Create a truecolor from three color components in the range(0->255).
- classmethod from_triplet(triplet)[source]¶
Create a truecolor RGB color from a triplet of values.
- Parameters
triplet (ColorTriplet) – A color triplet containing red, green and blue components.
- Returns
A new color object.
- Return type
- get_truecolor(theme=None, foreground=True)[source]¶
Get an equivalent color triplet for this color.
- Parameters
theme (TerminalTheme, optional) – Optional terminal theme, or None to use default. Defaults to None.
foreground (bool, optional) – True for a foreground color, or False for background. Defaults to True.
- Returns
A color triplet containing RGB components.
- Return type
ColorTriplet
- property name¶
The name of the color (typically the input to Color.parse).
- property number¶
The color number, if a standard color, or None.
- property system: ColorSystem¶
Get the native color system for this color.
- property triplet¶
A triplet of color components, if an RGB color.
- property type¶
The type of the color.
rich.columns¶
- class rich.columns.Columns(renderables=None, padding=(0, 1), *, width=None, expand=False, equal=False, column_first=False, right_to_left=False, align=None, title=None)[source]¶
Display renderables in neat columns.
- Parameters
renderables (Iterable[RenderableType]) – Any number of Rich renderables (including str).
width (int, optional) – The desired width of the columns, or None to auto detect. Defaults to None.
padding (PaddingDimensions, optional) – Optional padding around cells. Defaults to (0, 1).
expand (bool, optional) – Expand columns to full width. Defaults to False.
equal (bool, optional) – Arrange in to equal sized columns. Defaults to False.
column_first (bool, optional) – Align items from top to bottom (rather than left to right). Defaults to False.
right_to_left (bool, optional) – Start column from right hand side. Defaults to False.
align (str, optional) – Align value (“left”, “right”, or “center”) or None for default. Defaults to None.
title (TextType, optional) – Optional title for Columns.
rich.console¶
- class rich.console.Capture(console)[source]¶
Context manager to capture the result of printing to the console. See
capture()
for how to use.- Parameters
console (Console) – A console instance to capture output.
- class rich.console.Console(*, color_system='auto', force_terminal=None, force_jupyter=None, force_interactive=None, soft_wrap=False, theme=None, stderr=False, file=None, quiet=False, width=None, height=None, style=None, no_color=None, tab_size=8, record=False, markup=True, emoji=True, emoji_variant=None, highlight=True, log_time=True, log_path=True, log_time_format='[%X]', highlighter=<rich.highlighter.ReprHighlighter object>, legacy_windows=None, safe_box=True, get_datetime=None, get_time=None, _environ=None)[source]¶
A high level console interface.
- Parameters
color_system (str, optional) – The color system supported by your terminal, either
"standard"
,"256"
or"truecolor"
. Leave as"auto"
to autodetect.force_terminal (Optional[bool], optional) – Enable/disable terminal control codes, or None to auto-detect terminal. Defaults to None.
force_jupyter (Optional[bool], optional) – Enable/disable Jupyter rendering, or None to auto-detect Jupyter. Defaults to None.
force_interactive (Optional[bool], optional) – Enable/disable interactive mode, or None to auto detect. Defaults to None.
soft_wrap (Optional[bool], optional) – Set soft wrap default on print method. Defaults to False.
theme (Theme, optional) – An optional style theme object, or
None
for default theme.stderr (bool, optional) – Use stderr rather than stdout if
file
is not specified. Defaults to False.file (IO, optional) – A file object where the console should write to. Defaults to stdout.
quiet (bool, Optional) – Boolean to suppress all output. Defaults to False.
width (int, optional) – The width of the terminal. Leave as default to auto-detect width.
height (int, optional) – The height of the terminal. Leave as default to auto-detect height.
style (StyleType, optional) – Style to apply to all output, or None for no style. Defaults to None.
no_color (Optional[bool], optional) – Enabled no color mode, or None to auto detect. Defaults to None.
tab_size (int, optional) – Number of spaces used to replace a tab character. Defaults to 8.
record (bool, optional) – Boolean to enable recording of terminal output, required to call
export_html()
,export_svg()
, andexport_text()
. Defaults to False.markup (bool, optional) – Boolean to enable Console Markup. Defaults to True.
emoji (bool, optional) – Enable emoji code. Defaults to True.
emoji_variant (str, optional) – Optional emoji variant, either “text” or “emoji”. Defaults to None.
highlight (bool, optional) – Enable automatic highlighting. Defaults to True.
log_time (bool, optional) – Boolean to enable logging of time by
log()
methods. Defaults to True.log_path (bool, optional) – Boolean to enable the logging of the caller by
log()
. Defaults to True.log_time_format (Union[str, TimeFormatterCallable], optional) – If
log_time
is enabled, either string for strftime or callable that formats the time. Defaults to “[%X] “.highlighter (HighlighterType, optional) – Default highlighter.
legacy_windows (bool, optional) – Enable legacy Windows mode, or
None
to auto detect. Defaults toNone
.safe_box (bool, optional) – Restrict box options that don’t render on legacy Windows.
get_datetime (Callable[[], datetime], optional) – Callable that gets the current time as a datetime.datetime object (used by Console.log), or None for datetime.now.
get_time (Callable[[], time], optional) – Callable that gets the current time in seconds, default uses time.monotonic.
- begin_capture()[source]¶
Begin capturing console output. Call
end_capture()
to exit capture mode and return output.- Return type
None
- capture()[source]¶
A context manager to capture the result of print() or log() in a string, rather than writing it to the console.
Example
>>> from rich.console import Console >>> console = Console() >>> with console.capture() as capture: ... console.print("[bold magenta]Hello World[/]") >>> print(capture.get())
- Returns
Context manager with disables writing to the terminal.
- Return type
- clear(home=True)[source]¶
Clear the screen.
- Parameters
home (bool, optional) – Also move the cursor to ‘home’ position. Defaults to True.
- Return type
None
- property color_system: Optional[str]¶
Get color system string.
- Returns
“standard”, “256” or “truecolor”.
- Return type
Optional[str]
- control(*control)[source]¶
Insert non-printing control codes.
- Parameters
control_codes (str) – Control codes, such as those that may move the cursor.
control (Control) –
- Return type
None
- property encoding: str¶
Get the encoding of the console file, e.g.
"utf-8"
.- Returns
A standard encoding string.
- Return type
- end_capture()[source]¶
End capture mode and return captured string.
- Returns
Console output.
- Return type
- export_html(*, theme=None, clear=True, code_format=None, inline_styles=False)[source]¶
Generate HTML from console contents (requires record=True argument in constructor).
- Parameters
theme (TerminalTheme, optional) – TerminalTheme object containing console colors.
clear (bool, optional) – Clear record buffer after exporting. Defaults to
True
.code_format (str, optional) – Format string to render HTML. In addition to ‘{foreground}’, ‘{background}’, and ‘{code}’, should contain ‘{stylesheet}’ if inline_styles is
False
.inline_styles (bool, optional) – If
True
styles will be inlined in to spans, which makes files larger but easier to cut and paste markup. IfFalse
, styles will be embedded in a style tag. Defaults to False.
- Returns
String containing console contents as HTML.
- Return type
- export_svg(*, title='Rich', theme=None, clear=True, code_format='<svg class="rich-terminal" viewBox="0 0 {width} {height}" xmlns="http://www.w3.org/2000/svg">\n <!-- Generated with Rich https://www.textualize.io -->\n <style>\n\n @font-face {{\n font-family: "Fira Code";\n src: local("FiraCode-Regular"),\n url("https://cdnjs.cloudflare.com/ajax/libs/firacode/6.2.0/woff2/FiraCode-Regular.woff2") format("woff2"),\n url("https://cdnjs.cloudflare.com/ajax/libs/firacode/6.2.0/woff/FiraCode-Regular.woff") format("woff");\n font-style: normal;\n font-weight: 400;\n }}\n @font-face {{\n font-family: "Fira Code";\n src: local("FiraCode-Bold"),\n url("https://cdnjs.cloudflare.com/ajax/libs/firacode/6.2.0/woff2/FiraCode-Bold.woff2") format("woff2"),\n url("https://cdnjs.cloudflare.com/ajax/libs/firacode/6.2.0/woff/FiraCode-Bold.woff") format("woff");\n font-style: bold;\n font-weight: 700;\n }}\n\n .{unique_id}-matrix {{\n font-family: Fira Code, monospace;\n font-size: {char_height}px;\n line-height: {line_height}px;\n font-variant-east-asian: full-width;\n }}\n\n .{unique_id}-title {{\n font-size: 18px;\n font-weight: bold;\n font-family: arial;\n }}\n\n {styles}\n </style>\n\n <defs>\n <clipPath id="{unique_id}-clip-terminal">\n <rect x="0" y="0" width="{terminal_width}" height="{terminal_height}" />\n </clipPath>\n {lines}\n </defs>\n\n {chrome}\n <g transform="translate({terminal_x}, {terminal_y})" clip-path="url(#{unique_id}-clip-terminal)">\n {backgrounds}\n <g class="{unique_id}-matrix">\n {matrix}\n </g>\n </g>\n</svg>\n', font_aspect_ratio=0.61, unique_id=None)[source]¶
Generate an SVG from the console contents (requires record=True in Console constructor).
- Parameters
title (str, optional) – The title of the tab in the output image
theme (TerminalTheme, optional) – The
TerminalTheme
object to use to style the terminalclear (bool, optional) – Clear record buffer after exporting. Defaults to
True
code_format (str, optional) – Format string used to generate the SVG. Rich will inject a number of variables into the string in order to form the final SVG output. The default template used and the variables injected by Rich can be found by inspecting the
console.CONSOLE_SVG_FORMAT
variable.font_aspect_ratio (float, optional) – The width to height ratio of the font used in the
code_format
string. Defaults to 0.61, which is the width to height ratio of Fira Code (the default font). If you aren’t specifying a different font insidecode_format
, you probably don’t need this.unique_id (str, optional) – unique id that is used as the prefix for various elements (CSS styles, node ids). If not set, this defaults to a computed value based on the recorded content.
- Return type
- export_text(*, clear=True, styles=False)[source]¶
Generate text from console contents (requires record=True argument in constructor).
- get_style(name, *, default=None)[source]¶
Get a Style instance by its theme name or parse a definition.
- property height: int¶
Get the height of the console.
- Returns
The height (in lines) of the console.
- Return type
- input(prompt='', *, markup=True, emoji=True, password=False, stream=None)[source]¶
Displays a prompt and waits for input from the user. The prompt may contain color / style.
It works in the same way as Python’s builtin
input()
function and provides elaborate line editing and history features if Python’s builtinreadline
module is previously loaded.- Parameters
markup (bool, optional) – Enable console markup (requires a str prompt). Defaults to True.
emoji (bool, optional) – Enable emoji (requires a str prompt). Defaults to True.
password (bool) – (bool, optional): Hide typed text. Defaults to False.
stream (Optional[TextIO]) – (TextIO, optional): Optional file to read input from (rather than stdin). Defaults to None.
- Returns
Text read from stdin.
- Return type
- property is_alt_screen: bool¶
Check if the alt screen was enabled.
- Returns
True if the alt screen was enabled, otherwise False.
- Return type
- property is_dumb_terminal: bool¶
Detect dumb terminal.
- Returns
True if writing to a dumb terminal, otherwise False.
- Return type
- property is_terminal: bool¶
Check if the console is writing to a terminal.
- Returns
True if the console writing to a device capable of understanding terminal codes, otherwise False.
- Return type
- line(count=1)[source]¶
Write new line(s).
- Parameters
count (int, optional) – Number of new lines. Defaults to 1.
- Return type
None
- log(*objects, sep=' ', end='\n', style=None, justify=None, emoji=None, markup=None, highlight=None, log_locals=False, _stack_offset=1)[source]¶
Log rich content to the terminal.
- Parameters
objects (positional args) – Objects to log to the terminal.
sep (str, optional) – String to write between print data. Defaults to ” “.
end (str, optional) – String to write at end of print data. Defaults to “\n”.
style (Union[str, Style], optional) – A style to apply to output. Defaults to None.
justify (str, optional) – One of “left”, “right”, “center”, or “full”. Defaults to
None
.emoji (Optional[bool], optional) – Enable emoji code, or
None
to use console default. Defaults to None.markup (Optional[bool], optional) – Enable markup, or
None
to use console default. Defaults to None.highlight (Optional[bool], optional) – Enable automatic highlighting, or
None
to use console default. Defaults to None.log_locals (bool, optional) – Boolean to enable logging of locals where
log()
was called. Defaults to False._stack_offset (int, optional) – Offset of caller from end of call stack. Defaults to 1.
- Return type
None
- measure(renderable, *, options=None)[source]¶
Measure a renderable. Returns a
Measurement
object which contains information regarding the number of characters required to print the renderable.- Parameters
renderable (RenderableType) – Any renderable or string.
options (Optional[ConsoleOptions], optional) – Options to use when measuring, or None to use default options. Defaults to None.
- Returns
A measurement of the renderable.
- Return type
- property options: ConsoleOptions¶
Get default console options.
- out(*objects, sep=' ', end='\n', style=None, highlight=None)[source]¶
Output to the terminal. This is a low-level way of writing to the terminal which unlike
print()
won’t pretty print, wrap text, or apply markup, but will optionally apply highlighting and a basic style.- Parameters
sep (str, optional) – String to write between print data. Defaults to ” “.
end (str, optional) – String to write at end of print data. Defaults to “\n”.
style (Union[str, Style], optional) – A style to apply to output. Defaults to None.
highlight (Optional[bool], optional) – Enable automatic highlighting, or
None
to use console default. Defaults toNone
.objects (Any) –
- Return type
None
- pager(pager=None, styles=False, links=False)[source]¶
A context manager to display anything printed within a “pager”. The pager application is defined by the system and will typically support at least pressing a key to scroll.
- Parameters
- Return type
Example
>>> from rich.console import Console >>> from rich.__main__ import make_test_card >>> console = Console() >>> with console.pager(): console.print(make_test_card())
- Returns
A context manager.
- Return type
- Parameters
- print(*objects, sep=' ', end='\n', style=None, justify=None, overflow=None, no_wrap=None, emoji=None, markup=None, highlight=None, width=None, height=None, crop=True, soft_wrap=None, new_line_start=False)[source]¶
Print to the console.
- Parameters
objects (positional args) – Objects to log to the terminal.
sep (str, optional) – String to write between print data. Defaults to ” “.
end (str, optional) – String to write at end of print data. Defaults to “\n”.
style (Union[str, Style], optional) – A style to apply to output. Defaults to None.
justify (str, optional) – Justify method: “default”, “left”, “right”, “center”, or “full”. Defaults to
None
.overflow (str, optional) – Overflow method: “ignore”, “crop”, “fold”, or “ellipsis”. Defaults to None.
no_wrap (Optional[bool], optional) – Disable word wrapping. Defaults to None.
emoji (Optional[bool], optional) – Enable emoji code, or
None
to use console default. Defaults toNone
.markup (Optional[bool], optional) – Enable markup, or
None
to use console default. Defaults toNone
.highlight (Optional[bool], optional) – Enable automatic highlighting, or
None
to use console default. Defaults toNone
.width (Optional[int], optional) – Width of output, or
None
to auto-detect. Defaults toNone
.crop (Optional[bool], optional) – Crop output to width of terminal. Defaults to True.
soft_wrap (bool, optional) – Enable soft wrap mode which disables word wrapping and cropping of text or
None
for Console default. Defaults toNone
.new_line_start (bool, False) – Insert a new line at the start if the output contains more than one line. Defaults to
False
.
- Return type
None
- print_exception(*, width=100, extra_lines=3, theme=None, word_wrap=False, show_locals=False, suppress=(), max_frames=100)[source]¶
Prints a rich render of the last exception and traceback.
- Parameters
width (Optional[int], optional) – Number of characters used to render code. Defaults to 100.
extra_lines (int, optional) – Additional lines of code to render. Defaults to 3.
theme (str, optional) – Override pygments theme used in traceback
word_wrap (bool, optional) – Enable word wrapping of long lines. Defaults to False.
show_locals (bool, optional) – Enable display of local variables. Defaults to False.
suppress (Iterable[Union[str, ModuleType]]) – Optional sequence of modules or paths to exclude from traceback.
max_frames (int) – Maximum number of frames to show in a traceback, 0 for no maximum. Defaults to 100.
- Return type
None
- print_json(json=None, *, data=None, indent=2, highlight=True, skip_keys=False, ensure_ascii=False, check_circular=True, allow_nan=True, default=None, sort_keys=False)[source]¶
Pretty prints JSON. Output will be valid JSON.
- Parameters
json (Optional[str]) – A string containing JSON.
data (Any) – If json is not supplied, then encode this data.
indent (Union[None, int, str], optional) – Number of spaces to indent. Defaults to 2.
highlight (bool, optional) – Enable highlighting of output: Defaults to True.
skip_keys (bool, optional) – Skip keys not of a basic type. Defaults to False.
ensure_ascii (bool, optional) – Escape all non-ascii characters. Defaults to False.
check_circular (bool, optional) – Check for circular references. Defaults to True.
allow_nan (bool, optional) – Allow NaN and Infinity values. Defaults to True.
default (Callable, optional) – A callable that converts values that can not be encoded in to something that can be JSON encoded. Defaults to None.
sort_keys (bool, optional) – Sort dictionary keys. Defaults to False.
- Return type
None
- push_render_hook(hook)[source]¶
Add a new render hook to the stack.
- Parameters
hook (RenderHook) – Render hook instance.
- Return type
None
- push_theme(theme, *, inherit=True)[source]¶
Push a new theme on to the top of the stack, replacing the styles from the previous theme. Generally speaking, you should call
use_theme()
to get a context manager, rather than calling this method directly.
- render(renderable, options=None)[source]¶
Render an object in to an iterable of Segment instances.
This method contains the logic for rendering objects with the console protocol. You are unlikely to need to use it directly, unless you are extending the library.
- Parameters
renderable (RenderableType) – An object supporting the console protocol, or an object that may be converted to a string.
options (ConsoleOptions, optional) – An options object, or None to use self.options. Defaults to None.
- Returns
An iterable of segments that may be rendered.
- Return type
Iterable[Segment]
- render_lines(renderable, options=None, *, style=None, pad=True, new_lines=False)[source]¶
Render objects in to a list of lines.
The output of render_lines is useful when further formatting of rendered console text is required, such as the Panel class which draws a border around any renderable object.
- Args:
renderable (RenderableType): Any object renderable in the console. options (Optional[ConsoleOptions], optional): Console options, or None to use self.options. Default to
None
. style (Style, optional): Optional style to apply to renderables. Defaults toNone
. pad (bool, optional): Pad lines shorter than render width. Defaults toTrue
. new_lines (bool, optional): Include “
” characters at end of lines.
- Returns:
List[List[Segment]]: A list of lines, where a line is a list of Segment objects.
- render_str(text, *, style='', justify=None, overflow=None, emoji=None, markup=None, highlight=None, highlighter=None)[source]¶
Convert a string to a Text instance. This is called automatically if you print or log a string.
- Parameters
text (str) – Text to render.
style (Union[str, Style], optional) – Style to apply to rendered text.
justify (str, optional) – Justify method: “default”, “left”, “center”, “full”, or “right”. Defaults to
None
.overflow (str, optional) – Overflow method: “crop”, “fold”, or “ellipsis”. Defaults to
None
.emoji (Optional[bool], optional) – Enable emoji, or
None
to use Console default.markup (Optional[bool], optional) – Enable markup, or
None
to use Console default.highlight (Optional[bool], optional) – Enable highlighting, or
None
to use Console default.highlighter (HighlighterType, optional) – Optional highlighter to apply.
- Returns
Renderable object.
- Return type
- rule(title='', *, characters='─', style='rule.line', align='center')[source]¶
Draw a line with optional centered title.
- Parameters
title (str, optional) – Text to render over the rule. Defaults to “”.
characters (str, optional) – Character(s) to form the line. Defaults to “─”.
style (str, optional) – Style of line. Defaults to “rule.line”.
align (str, optional) – How to align the title, one of “left”, “center”, or “right”. Defaults to “center”.
- Return type
None
- save_html(path, *, theme=None, clear=True, code_format='<!DOCTYPE html>\n<html>\n<head>\n<meta charset="UTF-8">\n<style>\n{stylesheet}\nbody {{\n color: {foreground};\n background-color: {background};\n}}\n</style>\n</head>\n<body>\n <pre style="font-family:Menlo,\'DejaVu Sans Mono\',consolas,\'Courier New\',monospace"><code>{code}</code></pre>\n</body>\n</html>\n', inline_styles=False)[source]¶
Generate HTML from console contents and write to a file (requires record=True argument in constructor).
- Parameters
path (str) – Path to write html file.
theme (TerminalTheme, optional) – TerminalTheme object containing console colors.
clear (bool, optional) – Clear record buffer after exporting. Defaults to
True
.code_format (str, optional) – Format string to render HTML. In addition to ‘{foreground}’, ‘{background}’, and ‘{code}’, should contain ‘{stylesheet}’ if inline_styles is
False
.inline_styles (bool, optional) – If
True
styles will be inlined in to spans, which makes files larger but easier to cut and paste markup. IfFalse
, styles will be embedded in a style tag. Defaults to False.
- Return type
None
- save_svg(path, *, title='Rich', theme=None, clear=True, code_format='<svg class="rich-terminal" viewBox="0 0 {width} {height}" xmlns="http://www.w3.org/2000/svg">\n <!-- Generated with Rich https://www.textualize.io -->\n <style>\n\n @font-face {{\n font-family: "Fira Code";\n src: local("FiraCode-Regular"),\n url("https://cdnjs.cloudflare.com/ajax/libs/firacode/6.2.0/woff2/FiraCode-Regular.woff2") format("woff2"),\n url("https://cdnjs.cloudflare.com/ajax/libs/firacode/6.2.0/woff/FiraCode-Regular.woff") format("woff");\n font-style: normal;\n font-weight: 400;\n }}\n @font-face {{\n font-family: "Fira Code";\n src: local("FiraCode-Bold"),\n url("https://cdnjs.cloudflare.com/ajax/libs/firacode/6.2.0/woff2/FiraCode-Bold.woff2") format("woff2"),\n url("https://cdnjs.cloudflare.com/ajax/libs/firacode/6.2.0/woff/FiraCode-Bold.woff") format("woff");\n font-style: bold;\n font-weight: 700;\n }}\n\n .{unique_id}-matrix {{\n font-family: Fira Code, monospace;\n font-size: {char_height}px;\n line-height: {line_height}px;\n font-variant-east-asian: full-width;\n }}\n\n .{unique_id}-title {{\n font-size: 18px;\n font-weight: bold;\n font-family: arial;\n }}\n\n {styles}\n </style>\n\n <defs>\n <clipPath id="{unique_id}-clip-terminal">\n <rect x="0" y="0" width="{terminal_width}" height="{terminal_height}" />\n </clipPath>\n {lines}\n </defs>\n\n {chrome}\n <g transform="translate({terminal_x}, {terminal_y})" clip-path="url(#{unique_id}-clip-terminal)">\n {backgrounds}\n <g class="{unique_id}-matrix">\n {matrix}\n </g>\n </g>\n</svg>\n', font_aspect_ratio=0.61, unique_id=None)[source]¶
Generate an SVG file from the console contents (requires record=True in Console constructor).
- Parameters
path (str) – The path to write the SVG to.
title (str, optional) – The title of the tab in the output image
theme (TerminalTheme, optional) – The
TerminalTheme
object to use to style the terminalclear (bool, optional) – Clear record buffer after exporting. Defaults to
True
code_format (str, optional) – Format string used to generate the SVG. Rich will inject a number of variables into the string in order to form the final SVG output. The default template used and the variables injected by Rich can be found by inspecting the
console.CONSOLE_SVG_FORMAT
variable.font_aspect_ratio (float, optional) – The width to height ratio of the font used in the
code_format
string. Defaults to 0.61, which is the width to height ratio of Fira Code (the default font). If you aren’t specifying a different font insidecode_format
, you probably don’t need this.unique_id (str, optional) – unique id that is used as the prefix for various elements (CSS styles, node ids). If not set, this defaults to a computed value based on the recorded content.
- Return type
None
- save_text(path, *, clear=True, styles=False)[source]¶
Generate text from console and save to a given location (requires record=True argument in constructor).
- screen(hide_cursor=True, style=None)[source]¶
Context manager to enable and disable ‘alternative screen’ mode.
- set_alt_screen(enable=True)[source]¶
Enables alternative screen mode.
Note, if you enable this mode, you should ensure that is disabled before the application exits. See
screen()
for a context manager that handles this for you.
- set_live(live)[source]¶
Set Live instance. Used by Live context manager.
- Parameters
live (Live) – Live instance using this Console.
- Raises
errors.LiveError – If this Console has a Live context currently active.
- Return type
None
- set_window_title(title)[source]¶
Set the title of the console terminal window.
Warning: There is no means within Rich of “resetting” the window title to its previous value, meaning the title you set will persist even after your application exits.
fish
shell resets the window title before and after each command by default, negating this issue. Windows Terminal and command prompt will also reset the title for you. Most other shells and terminals, however, do not do this.Some terminals may require configuration changes before you can set the title. Some terminals may not support setting the title at all.
Other software (including the terminal itself, the shell, custom prompts, plugins, etc.) may also set the terminal window title. This could result in whatever value you write using this method being overwritten.
- Parameters
title (str) – The new title of the terminal window.
- Returns
- True if the control code to change the terminal title was
written, otherwise False. Note that a return value of True does not guarantee that the window title has actually changed, since the feature may be unsupported/disabled in some terminals.
- Return type
- property size: ConsoleDimensions¶
Get the size of the console.
- Returns
A named tuple containing the dimensions.
- Return type
- status(status, *, spinner='dots', spinner_style='status.spinner', speed=1.0, refresh_per_second=12.5)[source]¶
Display a status and spinner.
- Parameters
status (RenderableType) – A status renderable (str or Text typically).
spinner (str, optional) – Name of spinner animation (see python -m rich.spinner). Defaults to “dots”.
spinner_style (StyleType, optional) – Style of spinner. Defaults to “status.spinner”.
speed (float, optional) – Speed factor for spinner animation. Defaults to 1.0.
refresh_per_second (float, optional) – Number of refreshes per second. Defaults to 12.5.
- Returns
A Status object that may be used as a context manager.
- Return type
- update_screen(renderable, *, region=None, options=None)[source]¶
Update the screen at a given offset.
- Parameters
renderable (RenderableType) – A Rich renderable.
region (Region, optional) – Region of screen to update, or None for entire screen. Defaults to None.
x (int, optional) – x offset. Defaults to 0.
y (int, optional) – y offset. Defaults to 0.
options (Optional[ConsoleOptions]) –
- Raises
errors.NoAltScreen – If the Console isn’t in alt screen mode.
- Return type
None
- class rich.console.ConsoleDimensions(width, height)[source]¶
Size of the terminal.
- property height¶
The height of the console in lines.
- property width¶
The width of the console in ‘cells’.
- class rich.console.ConsoleOptions(size, legacy_windows, min_width, max_width, is_terminal, encoding, max_height, justify=None, overflow=None, no_wrap=False, highlight=None, markup=None, height=None)[source]¶
Options for __rich_console__ method.
- Parameters
size (ConsoleDimensions) –
legacy_windows (bool) –
min_width (int) –
max_width (int) –
is_terminal (bool) –
encoding (str) –
max_height (int) –
justify (Optional[typing_extensions.Literal[default, left, center, right, full]]) –
overflow (Optional[typing_extensions.Literal[fold, crop, ellipsis, ignore]]) –
- justify: Optional[typing_extensions.Literal[default, left, center, right, full]] = None¶
Justify value override for renderable.
- overflow: Optional[typing_extensions.Literal[fold, crop, ellipsis, ignore]] = None¶
Overflow value override for renderable.
- reset_height()[source]¶
Return a copy of the options with height set to
None
.- Returns
New console options instance.
- Return type
~ConsoleOptions
- size: ConsoleDimensions¶
Size of console.
- update(*, width=<rich.console.NoChange object>, min_width=<rich.console.NoChange object>, max_width=<rich.console.NoChange object>, justify=<rich.console.NoChange object>, overflow=<rich.console.NoChange object>, no_wrap=<rich.console.NoChange object>, highlight=<rich.console.NoChange object>, markup=<rich.console.NoChange object>, height=<rich.console.NoChange object>)[source]¶
Update values, return a copy.
- class rich.console.ConsoleRenderable(*args, **kwds)[source]¶
An object that supports the console protocol.
- class rich.console.ConsoleThreadLocals(theme_stack, buffer=<factory>, buffer_index=0)[source]¶
Thread local values for Console context.
- class rich.console.Group(*renderables, fit=True)[source]¶
Takes a group of renderables and returns a renderable object that renders the group.
- Parameters
renderables (Iterable[RenderableType]) – An iterable of renderable objects.
fit (bool, optional) – Fit dimension of group to contents, or fill available space. Defaults to True.
- class rich.console.NewLine(count=1)[source]¶
A renderable to generate new line(s)
- Parameters
count (int) –
- class rich.console.PagerContext(console, pager=None, styles=False, links=False)[source]¶
A context manager that ‘pages’ content. See
pager()
for usage.
- class rich.console.RenderHook[source]¶
Provides hooks in to the render process.
- abstract process_renderables(renderables)[source]¶
Called with a list of objects to render.
This method can return a new list of renderables, or modify and return the same list.
- Parameters
renderables (List[ConsoleRenderable]) – A number of renderable objects.
- Returns
A replacement list of renderables.
- Return type
List[ConsoleRenderable]
- rich.console.RenderableType¶
A string or any object that may be rendered by Rich.
alias of
Union
[ConsoleRenderable
,RichCast
,str
]
- class rich.console.RichCast(*args, **kwds)[source]¶
An object that may be ‘cast’ to a console renderable.
- class rich.console.ScreenContext(console, hide_cursor, style='')[source]¶
A context manager that enables an alternative screen. See
screen()
for usage.- update(*renderables, style=None)[source]¶
Update the screen.
- Parameters
renderable (RenderableType, optional) – Optional renderable to replace current renderable, or None for no change. Defaults to None.
style (Optional[Union[str, Style]]) – (Style, optional): Replacement style, or None for no change. Defaults to None.
renderables (Union[ConsoleRenderable, RichCast, str]) –
- Return type
None
- class rich.console.ThemeContext(console, theme, inherit=True)[source]¶
A context manager to use a temporary theme. See
use_theme()
for usage.
rich.emoji¶
rich.highlighter¶
- class rich.highlighter.Highlighter[source]¶
Abstract base class for highlighters.
- class rich.highlighter.ISO8601Highlighter[source]¶
Highlights the ISO8601 date time strings. Regex reference: https://www.oreilly.com/library/view/regular-expressions-cookbook/9781449327453/ch04s07.html
- class rich.highlighter.JSONHighlighter[source]¶
Highlights JSON
- highlight(text)[source]¶
Highlight
rich.text.Text
using regular expressions.- Parameters
text (~Text) – Text to highlighted.
- Return type
None
- class rich.highlighter.NullHighlighter[source]¶
A highlighter object that doesn’t highlight.
May be used to disable highlighting entirely.
- class rich.highlighter.RegexHighlighter[source]¶
Applies highlighting from a list of regular expressions.
- highlight(text)[source]¶
Highlight
rich.text.Text
using regular expressions.- Parameters
text (~Text) – Text to highlighted.
- Return type
None
rich¶
Rich text and beautiful formatting in the terminal.
- rich.get_console()[source]¶
Get a global
Console
instance. This function is used when Rich requires a Console, and hasn’t been explicitly given one.- Returns
A console instance.
- Return type
- rich.inspect(obj, *, console=None, title=None, help=False, methods=False, docs=True, private=False, dunder=False, sort=True, all=False, value=True)[source]¶
Inspect any Python object.
inspect(<OBJECT>) to see summarized info.
inspect(<OBJECT>, methods=True) to see methods.
inspect(<OBJECT>, help=True) to see full (non-abbreviated) help.
inspect(<OBJECT>, private=True) to see private attributes (single underscore).
inspect(<OBJECT>, dunder=True) to see attributes beginning with double underscore.
inspect(<OBJECT>, all=True) to see all attributes.
- Parameters
obj (Any) – An object to inspect.
title (str, optional) – Title to display over inspect result, or None use type. Defaults to None.
help (bool, optional) – Show full help text rather than just first paragraph. Defaults to False.
methods (bool, optional) – Enable inspection of callables. Defaults to False.
docs (bool, optional) – Also render doc strings. Defaults to True.
private (bool, optional) – Show private attributes (beginning with underscore). Defaults to False.
dunder (bool, optional) – Show attributes starting with double underscore. Defaults to False.
sort (bool, optional) – Sort attributes alphabetically. Defaults to True.
all (bool, optional) – Show all attributes. Defaults to False.
value (bool, optional) – Pretty print value. Defaults to True.
- Return type
None
- rich.print(*objects, sep=' ', end='\n', file=None, flush=False)[source]¶
Print object(s) supplied via positional arguments. This function has an identical signature to the built-in print. For more advanced features, see the
Console
class.- Parameters
sep (str, optional) – Separator between printed objects. Defaults to ” “.
end (str, optional) – Character to write at end of output. Defaults to “\n”.
file (IO[str], optional) – File to write to, or None for stdout. Defaults to None.
flush (bool, optional) – Has no effect as Rich always flushes output. Defaults to False.
objects (Any) –
- Return type
None
- rich.print_json(json=None, *, data=None, indent=2, highlight=True, skip_keys=False, ensure_ascii=False, check_circular=True, allow_nan=True, default=None, sort_keys=False)[source]¶
Pretty prints JSON. Output will be valid JSON.
- Parameters
json (str) – A string containing JSON.
data (Any) – If json is not supplied, then encode this data.
indent (int, optional) – Number of spaces to indent. Defaults to 2.
highlight (bool, optional) – Enable highlighting of output: Defaults to True.
skip_keys (bool, optional) – Skip keys not of a basic type. Defaults to False.
ensure_ascii (bool, optional) – Escape all non-ascii characters. Defaults to False.
check_circular (bool, optional) – Check for circular references. Defaults to True.
allow_nan (bool, optional) – Allow NaN and Infinity values. Defaults to True.
default (Callable, optional) – A callable that converts values that can not be encoded in to something that can be JSON encoded. Defaults to None.
sort_keys (bool, optional) – Sort dictionary keys. Defaults to False.
- Return type
None
rich.json¶
- class rich.json.JSON(json, indent=2, highlight=True, skip_keys=False, ensure_ascii=False, check_circular=True, allow_nan=True, default=None, sort_keys=False)[source]¶
A renderable which pretty prints JSON.
- Parameters
json (str) – JSON encoded data.
indent (Union[None, int, str], optional) – Number of characters to indent by. Defaults to 2.
highlight (bool, optional) – Enable highlighting. Defaults to True.
skip_keys (bool, optional) – Skip keys not of a basic type. Defaults to False.
ensure_ascii (bool, optional) – Escape all non-ascii characters. Defaults to False.
check_circular (bool, optional) – Check for circular references. Defaults to True.
allow_nan (bool, optional) – Allow NaN and Infinity values. Defaults to True.
default (Callable, optional) – A callable that converts values that can not be encoded in to something that can be JSON encoded. Defaults to None.
sort_keys (bool, optional) – Sort dictionary keys. Defaults to False.
- classmethod from_data(data, indent=2, highlight=True, skip_keys=False, ensure_ascii=False, check_circular=True, allow_nan=True, default=None, sort_keys=False)[source]¶
Encodes a JSON object from arbitrary data.
- Parameters
data (Any) – An object that may be encoded in to JSON
indent (Union[None, int, str], optional) – Number of characters to indent by. Defaults to 2.
highlight (bool, optional) – Enable highlighting. Defaults to True.
default (Callable, optional) – Optional callable which will be called for objects that cannot be serialized. Defaults to None.
skip_keys (bool, optional) – Skip keys not of a basic type. Defaults to False.
ensure_ascii (bool, optional) – Escape all non-ascii characters. Defaults to False.
check_circular (bool, optional) – Check for circular references. Defaults to True.
allow_nan (bool, optional) – Allow NaN and Infinity values. Defaults to True.
default – A callable that converts values that can not be encoded in to something that can be JSON encoded. Defaults to None.
sort_keys (bool, optional) – Sort dictionary keys. Defaults to False.
- Returns
New JSON object from the given data.
- Return type
rich.layout¶
- class rich.layout.ColumnSplitter[source]¶
Split a layout region in to columns.
- class rich.layout.Layout(renderable=None, *, name=None, size=None, minimum_size=1, ratio=1, visible=True)[source]¶
A renderable to divide a fixed height in to rows or columns.
- Parameters
renderable (RenderableType, optional) – Renderable content, or None for placeholder. Defaults to None.
name (str, optional) – Optional identifier for Layout. Defaults to None.
size (int, optional) – Optional fixed size of layout. Defaults to None.
minimum_size (int, optional) – Minimum size of layout. Defaults to 1.
ratio (int, optional) – Optional ratio for flexible layout. Defaults to 1.
visible (bool, optional) – Visibility of layout. Defaults to True.
- add_split(*layouts)[source]¶
Add a new layout(s) to existing split.
- Parameters
*layouts (Union[Layout, RenderableType]) – Positional arguments should be renderables or (sub) Layout instances.
- Return type
None
- property map: Dict[Layout, LayoutRender]¶
Get a map of the last render.
- render(console, options)[source]¶
Render the sub_layouts.
- Parameters
console (Console) – Console instance.
options (ConsoleOptions) – Console options.
- Returns
A dict that maps Layout on to a tuple of Region, lines
- Return type
RenderMap
- property renderable: Union[ConsoleRenderable, RichCast, str]¶
Layout renderable.
- split_column(*layouts)[source]¶
Split the layout in to a column (layouts stacked on top of each other).
- Parameters
*layouts (Layout) – Positional arguments should be (sub) Layout instances.
- Return type
None
- class rich.layout.LayoutRender(region, render)[source]¶
An individual layout render.
- property region¶
Alias for field number 0
- property render¶
Alias for field number 1
- class rich.layout.RowSplitter[source]¶
Split a layout region in to rows.
rich.live¶
- class rich.live.Live(renderable=None, *, console=None, screen=False, auto_refresh=True, refresh_per_second=4, transient=False, redirect_stdout=True, redirect_stderr=True, vertical_overflow='ellipsis', get_renderable=None)[source]¶
Renders an auto-updating live display of any given renderable.
- Parameters
renderable (RenderableType, optional) – The renderable to live display. Defaults to displaying nothing.
console (Console, optional) – Optional Console instance. Default will an internal Console instance writing to stdout.
screen (bool, optional) – Enable alternate screen mode. Defaults to False.
auto_refresh (bool, optional) – Enable auto refresh. If disabled, you will need to call refresh() or update() with refresh flag. Defaults to True
refresh_per_second (float, optional) – Number of times per second to refresh the live display. Defaults to 4.
transient (bool, optional) – Clear the renderable on exit (has no effect when screen=True). Defaults to False.
redirect_stdout (bool, optional) – Enable redirection of stdout, so
print
may be used. Defaults to True.redirect_stderr (bool, optional) – Enable redirection of stderr. Defaults to True.
vertical_overflow (VerticalOverflowMethod, optional) – How to handle renderable when it is too tall for the console. Defaults to “ellipsis”.
get_renderable (Callable[[], RenderableType], optional) – Optional callable to get renderable. Defaults to None.
- process_renderables(renderables)[source]¶
Process renderables to restore cursor and display progress.
- Parameters
renderables (List[ConsoleRenderable]) –
- Return type
- property renderable: Union[ConsoleRenderable, RichCast, str]¶
Get the renderable that is being displayed
- Returns
Displayed renderable.
- Return type
RenderableType
rich.logging¶
- class rich.logging.RichHandler(level=0, console=None, *, show_time=True, omit_repeated_times=True, show_level=True, show_path=True, enable_link_path=True, highlighter=None, markup=False, rich_tracebacks=False, tracebacks_width=None, tracebacks_extra_lines=3, tracebacks_theme=None, tracebacks_word_wrap=True, tracebacks_show_locals=False, tracebacks_suppress=(), locals_max_length=10, locals_max_string=80, log_time_format='[%x %X]', keywords=None)[source]¶
A logging handler that renders output with Rich. The time / level / message and file are displayed in columns. The level is color coded, and the message is syntax highlighted.
Note
Be careful when enabling console markup in log messages if you have configured logging for libraries not under your control. If a dependency writes messages containing square brackets, it may not produce the intended output.
- Parameters
level (Union[int, str], optional) – Log level. Defaults to logging.NOTSET.
console (
Console
, optional) – Optional console instance to write logs. Default will use a global console instance writing to stdout.show_time (bool, optional) – Show a column for the time. Defaults to True.
omit_repeated_times (bool, optional) – Omit repetition of the same time. Defaults to True.
show_level (bool, optional) – Show a column for the level. Defaults to True.
show_path (bool, optional) – Show the path to the original log call. Defaults to True.
enable_link_path (bool, optional) – Enable terminal link of path column to file. Defaults to True.
highlighter (Highlighter, optional) – Highlighter to style log messages, or None to use ReprHighlighter. Defaults to None.
markup (bool, optional) – Enable console markup in log messages. Defaults to False.
rich_tracebacks (bool, optional) – Enable rich tracebacks with syntax highlighting and formatting. Defaults to False.
tracebacks_width (Optional[int], optional) – Number of characters used to render tracebacks, or None for full width. Defaults to None.
tracebacks_extra_lines (int, optional) – Additional lines of code to render tracebacks, or None for full width. Defaults to None.
tracebacks_theme (str, optional) – Override pygments theme used in traceback.
tracebacks_word_wrap (bool, optional) – Enable word wrapping of long tracebacks lines. Defaults to True.
tracebacks_show_locals (bool, optional) – Enable display of locals in tracebacks. Defaults to False.
tracebacks_suppress (Sequence[Union[str, ModuleType]]) – Optional sequence of modules or paths to exclude from traceback.
locals_max_length (int, optional) – Maximum length of containers before abbreviating, or None for no abbreviation. Defaults to 10.
locals_max_string (int, optional) – Maximum length of string before truncating, or None to disable. Defaults to 80.
log_time_format (Union[str, TimeFormatterCallable], optional) – If
log_time
is enabled, either string for strftime or callable that formats the time. Defaults to “[%x %X] “.keywords (List[str], optional) – List of words to highlight instead of
RichHandler.KEYWORDS
.
- HIGHLIGHTER_CLASS¶
alias of
ReprHighlighter
- get_level_text(record)[source]¶
Get the level name from the record.
- Parameters
record (LogRecord) – LogRecord instance.
- Returns
A tuple of the style and level name.
- Return type
- render(*, record, traceback, message_renderable)[source]¶
Render log for display.
- Parameters
record (LogRecord) – logging Record.
traceback (Optional[Traceback]) – Traceback instance or None for no Traceback.
message_renderable (ConsoleRenderable) – Renderable (typically Text) containing log message contents.
- Returns
Renderable to display log.
- Return type
rich.markdown¶
- class rich.markdown.BlockQuote[source]¶
A block quote.
- on_child_close(context, child)[source]¶
Called when a child element is closed.
This method allows a parent element to take over rendering of its children.
- Parameters
context (MarkdownContext) – The markdown context.
child (MarkdownElement) – The child markdown element.
- Returns
Return True to render the element, or False to not render the element.
- Return type
- class rich.markdown.Heading(tag)[source]¶
A heading.
- Parameters
tag (str) –
- classmethod create(markdown, token)[source]¶
Factory to create markdown element,
- Parameters
markdown (Markdown) – The parent Markdown object.
token (Token) – A node from markdown-it.
- Returns
A new markdown element
- Return type
MarkdownElement
- on_enter(context)[source]¶
Called when the node is entered.
- Parameters
context (MarkdownContext) – The markdown context.
- Return type
None
- class rich.markdown.ImageItem(destination, hyperlinks)[source]¶
Renders a placeholder for an image.
- classmethod create(markdown, token)[source]¶
Factory to create markdown element,
- Parameters
markdown (Markdown) – The parent Markdown object.
token (Any) – A token from markdown-it.
- Returns
A new markdown element
- Return type
MarkdownElement
- on_enter(context)[source]¶
Called when the node is entered.
- Parameters
context (MarkdownContext) – The markdown context.
- Return type
None
- class rich.markdown.ListElement(list_type, list_start)[source]¶
A list element.
- classmethod create(markdown, token)[source]¶
Factory to create markdown element,
- Parameters
markdown (Markdown) – The parent Markdown object.
token (Token) – A node from markdown-it.
- Returns
A new markdown element
- Return type
MarkdownElement
- on_child_close(context, child)[source]¶
Called when a child element is closed.
This method allows a parent element to take over rendering of its children.
- Parameters
context (MarkdownContext) – The markdown context.
child (MarkdownElement) – The child markdown element.
- Returns
Return True to render the element, or False to not render the element.
- Return type
- class rich.markdown.ListItem[source]¶
An item in a list.
- on_child_close(context, child)[source]¶
Called when a child element is closed.
This method allows a parent element to take over rendering of its children.
- Parameters
context (MarkdownContext) – The markdown context.
child (MarkdownElement) – The child markdown element.
- Returns
Return True to render the element, or False to not render the element.
- Return type
- class rich.markdown.Markdown(markup, code_theme='monokai', justify=None, style='none', hyperlinks=True, inline_code_lexer=None, inline_code_theme=None)[source]¶
A Markdown renderable.
- Parameters
markup (str) – A string containing markdown.
code_theme (str, optional) – Pygments theme for code blocks. Defaults to “monokai”.
justify (JustifyMethod, optional) – Justify value for paragraphs. Defaults to None.
style (Union[str, Style], optional) – Optional style to apply to markdown.
hyperlinks (bool, optional) – Enable hyperlinks. Defaults to
True
.inline_code_lexer (Optional[str]) – (str, optional): Lexer to use if inline code highlighting is enabled. Defaults to None.
inline_code_theme (Optional[str]) – (Optional[str], optional): Pygments theme for inline code highlighting, or None for no highlighting. Defaults to None.
- class rich.markdown.MarkdownContext(console, options, style, inline_code_lexer=None, inline_code_theme='monokai')[source]¶
Manages the console render state.
- Parameters
console (Console) –
options (ConsoleOptions) –
style (Style) –
inline_code_lexer (Optional[str]) –
inline_code_theme (str) –
- class rich.markdown.Paragraph(justify)[source]¶
A Paragraph.
- Parameters
justify (typing_extensions.Literal[default, left, center, right, full]) –
- class rich.markdown.TableBodyElement[source]¶
MarkdownElement corresponding to tbody_open and tbody_close.
- on_child_close(context, child)[source]¶
Called when a child element is closed.
This method allows a parent element to take over rendering of its children.
- Parameters
context (MarkdownContext) – The markdown context.
child (MarkdownElement) – The child markdown element.
- Returns
Return True to render the element, or False to not render the element.
- Return type
- class rich.markdown.TableDataElement(justify)[source]¶
MarkdownElement corresponding to td_open and td_close and th_open and th_close.
- Parameters
justify (JustifyMethod) –
- class rich.markdown.TableElement[source]¶
MarkdownElement corresponding to table_open.
- on_child_close(context, child)[source]¶
Called when a child element is closed.
This method allows a parent element to take over rendering of its children.
- Parameters
context (MarkdownContext) – The markdown context.
child (MarkdownElement) – The child markdown element.
- Returns
Return True to render the element, or False to not render the element.
- Return type
- class rich.markdown.TableHeaderElement[source]¶
MarkdownElement corresponding to thead_open and thead_close.
- on_child_close(context, child)[source]¶
Called when a child element is closed.
This method allows a parent element to take over rendering of its children.
- Parameters
context (MarkdownContext) – The markdown context.
child (MarkdownElement) – The child markdown element.
- Returns
Return True to render the element, or False to not render the element.
- Return type
- class rich.markdown.TableRowElement[source]¶
MarkdownElement corresponding to tr_open and tr_close.
- on_child_close(context, child)[source]¶
Called when a child element is closed.
This method allows a parent element to take over rendering of its children.
- Parameters
context (MarkdownContext) – The markdown context.
child (MarkdownElement) – The child markdown element.
- Returns
Return True to render the element, or False to not render the element.
- Return type
- class rich.markdown.TextElement[source]¶
Base class for elements that render text.
- on_enter(context)[source]¶
Called when the node is entered.
- Parameters
context (MarkdownContext) – The markdown context.
- Return type
None
- on_leave(context)[source]¶
Called when the parser leaves the element.
- Parameters
context (MarkdownContext) – [description]
- Return type
None
rich.markup¶
- class rich.markup.Tag(name, parameters)[source]¶
A tag in console markup.
- property name¶
The tag name. e.g. ‘bold’.
- property parameters¶
Any additional parameters after the name.
- rich.markup.escape(markup, _escape=<built-in method sub of re.Pattern object>)[source]¶
Escapes text so that it won’t be interpreted as markup.
rich.measure¶
- class rich.measure.Measurement(minimum, maximum)[source]¶
Stores the minimum and maximum widths (in characters) required to render an object.
- clamp(min_width=None, max_width=None)[source]¶
Clamp a measurement within the specified range.
- Parameters
- Returns
New Measurement object.
- Return type
- classmethod get(console, options, renderable)[source]¶
Get a measurement for a renderable.
- Parameters
console (Console) – Console instance.
options (ConsoleOptions) – Console options.
renderable (RenderableType) – An object that may be rendered with Rich.
- Raises
errors.NotRenderableError – If the object is not renderable.
- Returns
Measurement object containing range of character widths required to render the object.
- Return type
- property maximum¶
Maximum number of cells required to render.
- property minimum¶
Minimum number of cells required to render.
- normalize()[source]¶
Get measurement that ensures that minimum <= maximum and minimum >= 0
- Returns
A normalized measurement.
- Return type
- with_maximum(width)[source]¶
Get a RenderableWith where the widths are <= width.
- Parameters
width (int) – Maximum desired width.
- Returns
New Measurement object.
- Return type
- rich.measure.measure_renderables(console, options, renderables)[source]¶
Get a measurement that would fit a number of renderables.
- Parameters
console (Console) – Console instance.
options (ConsoleOptions) – Console options.
renderables (Iterable[RenderableType]) – One or more renderable objects.
- Returns
- Measurement object containing range of character widths required to
contain all given renderables.
- Return type
rich.padding¶
- class rich.padding.Padding(renderable, pad=(0, 0, 0, 0), *, style='none', expand=True)[source]¶
Draw space around content.
Example
>>> print(Padding("Hello", (2, 4), style="on blue"))
- Parameters
renderable (RenderableType) – String or other renderable.
pad (Union[int, Tuple[int]]) – Padding for top, right, bottom, and left borders. May be specified with 1, 2, or 4 integers (CSS style).
style (Union[str, Style], optional) – Style for padding characters. Defaults to “none”.
expand (bool, optional) – Expand padding to fit available width. Defaults to True.
rich.panel¶
- class rich.panel.Panel(renderable, box=Box(...), *, title=None, title_align='center', subtitle=None, subtitle_align='center', safe_box=None, expand=True, style='none', border_style='none', width=None, height=None, padding=(0, 1), highlight=False)[source]¶
A console renderable that draws a border around its contents.
Example
>>> console.print(Panel("Hello, World!"))
- Parameters
renderable (RenderableType) – A console renderable object.
box (Box, optional) – A Box instance that defines the look of the border (see Box. Defaults to box.ROUNDED.
safe_box (bool, optional) – Disable box characters that don’t display on windows legacy terminal with raster fonts. Defaults to True.
expand (bool, optional) – If True the panel will stretch to fill the console width, otherwise it will be sized to fit the contents. Defaults to True.
style (str, optional) – The style of the panel (border and contents). Defaults to “none”.
border_style (str, optional) – The style of the border. Defaults to “none”.
width (Optional[int], optional) – Optional width of panel. Defaults to None to auto-detect.
height (Optional[int], optional) – Optional height of panel. Defaults to None to auto-detect.
padding (Optional[PaddingDimensions]) – Optional padding around renderable. Defaults to 0.
highlight (bool, optional) – Enable automatic highlighting of panel title (if str). Defaults to False.
title_align (typing_extensions.Literal[left, center, right]) –
subtitle_align (typing_extensions.Literal[left, center, right]) –
- classmethod fit(renderable, box=Box(...), *, title=None, title_align='center', subtitle=None, subtitle_align='center', safe_box=None, style='none', border_style='none', width=None, padding=(0, 1))[source]¶
An alternative constructor that sets expand=False.
rich.pretty¶
- class rich.pretty.Node(key_repr='', value_repr='', open_brace='', close_brace='', empty='', last=False, is_tuple=False, is_namedtuple=False, children=None, key_separator=': ', separator=', ')[source]¶
A node in a repr tree. May be atomic or a container.
- Parameters
- class rich.pretty.Pretty(_object, highlighter=None, *, indent_size=4, justify=None, overflow=None, no_wrap=False, indent_guides=False, max_length=None, max_string=None, max_depth=None, expand_all=False, margin=0, insert_line=False)[source]¶
A rich renderable that pretty prints an object.
- Parameters
_object (Any) – An object to pretty print.
highlighter (HighlighterType, optional) – Highlighter object to apply to result, or None for ReprHighlighter. Defaults to None.
indent_size (int, optional) – Number of spaces in indent. Defaults to 4.
justify (JustifyMethod, optional) – Justify method, or None for default. Defaults to None.
overflow (OverflowMethod, optional) – Overflow method, or None for default. Defaults to None.
no_wrap (Optional[bool], optional) – Disable word wrapping. Defaults to False.
indent_guides (bool, optional) – Enable indentation guides. Defaults to False.
max_length (int, optional) – Maximum length of containers before abbreviating, or None for no abbreviation. Defaults to None.
max_string (int, optional) – Maximum length of string before truncating, or None to disable. Defaults to None.
max_depth (int, optional) – Maximum depth of nested data structures, or None for no maximum. Defaults to None.
expand_all (bool, optional) – Expand all containers. Defaults to False.
margin (int, optional) – Subtrace a margin from width to force containers to expand earlier. Defaults to 0.
insert_line (bool, optional) – Insert a new line if the output has multiple new lines. Defaults to False.
- rich.pretty.install(console=None, overflow='ignore', crop=False, indent_guides=False, max_length=None, max_string=None, max_depth=None, expand_all=False)[source]¶
Install automatic pretty printing in the Python REPL.
- Parameters
console (Console, optional) – Console instance or
None
to use global console. Defaults to None.overflow (Optional[OverflowMethod], optional) – Overflow method. Defaults to “ignore”.
crop (Optional[bool], optional) – Enable cropping of long lines. Defaults to False.
indent_guides (bool, optional) – Enable indentation guides. Defaults to False.
max_length (int, optional) – Maximum length of containers before abbreviating, or None for no abbreviation. Defaults to None.
max_string (int, optional) – Maximum length of string before truncating, or None to disable. Defaults to None.
max_depth (int, optional) – Maximum depth of nested data structures, or None for no maximum. Defaults to None.
expand_all (bool, optional) – Expand all containers. Defaults to False.
max_frames (int) – Maximum number of frames to show in a traceback, 0 for no maximum. Defaults to 100.
- Return type
None
- rich.pretty.pprint(_object, *, console=None, indent_guides=True, max_length=None, max_string=None, max_depth=None, expand_all=False)[source]¶
A convenience function for pretty printing.
- Parameters
_object (Any) – Object to pretty print.
console (Console, optional) – Console instance, or None to use default. Defaults to None.
max_length (int, optional) – Maximum length of containers before abbreviating, or None for no abbreviation. Defaults to None.
max_string (int, optional) – Maximum length of strings before truncating, or None to disable. Defaults to None.
max_depth (int, optional) – Maximum depth for nested data structures, or None for unlimited depth. Defaults to None.
indent_guides (bool, optional) – Enable indentation guides. Defaults to True.
expand_all (bool, optional) – Expand all containers. Defaults to False.
- Return type
None
- rich.pretty.pretty_repr(_object, *, max_width=80, indent_size=4, max_length=None, max_string=None, max_depth=None, expand_all=False)[source]¶
Prettify repr string by expanding on to new lines to fit within a given width.
- Parameters
_object (Any) – Object to repr.
max_width (int, optional) – Desired maximum width of repr string. Defaults to 80.
indent_size (int, optional) – Number of spaces to indent. Defaults to 4.
max_length (int, optional) – Maximum length of containers before abbreviating, or None for no abbreviation. Defaults to None.
max_string (int, optional) – Maximum length of string before truncating, or None to disable truncating. Defaults to None.
max_depth (int, optional) – Maximum depth of nested data structure, or None for no depth. Defaults to None.
expand_all (bool, optional) – Expand all containers regardless of available width. Defaults to False.
- Returns
A possibly multi-line representation of the object.
- Return type
- rich.pretty.traverse(_object, max_length=None, max_string=None, max_depth=None)[source]¶
Traverse object and generate a tree.
- Parameters
_object (Any) – Object to be traversed.
max_length (int, optional) – Maximum length of containers before abbreviating, or None for no abbreviation. Defaults to None.
max_string (int, optional) – Maximum length of string before truncating, or None to disable truncating. Defaults to None.
max_depth (int, optional) – Maximum depth of data structures, or None for no maximum. Defaults to None.
- Returns
The root of a tree structure which can be used to render a pretty repr.
- Return type
rich.progress_bar¶
- class rich.progress_bar.ProgressBar(total=100.0, completed=0, width=None, pulse=False, style='bar.back', complete_style='bar.complete', finished_style='bar.finished', pulse_style='bar.pulse', animation_time=None)[source]¶
Renders a (progress) bar. Used by rich.progress.
- Parameters
total (float, optional) – Number of steps in the bar. Defaults to 100. Set to None to render a pulsing animation.
completed (float, optional) – Number of steps completed. Defaults to 0.
width (int, optional) – Width of the bar, or
None
for maximum width. Defaults to None.pulse (bool, optional) – Enable pulse effect. Defaults to False. Will pulse if a None total was passed.
style (StyleType, optional) – Style for the bar background. Defaults to “bar.back”.
complete_style (StyleType, optional) – Style for the completed bar. Defaults to “bar.complete”.
finished_style (StyleType, optional) – Style for a finished bar. Defaults to “bar.finished”.
pulse_style (StyleType, optional) – Style for pulsing bars. Defaults to “bar.pulse”.
animation_time (Optional[float], optional) – Time in seconds to use for animation, or None to use system time.
rich.progress¶
- class rich.progress.BarColumn(bar_width=40, style='bar.back', complete_style='bar.complete', finished_style='bar.finished', pulse_style='bar.pulse', table_column=None)[source]¶
Renders a visual progress bar.
- Parameters
bar_width (Optional[int], optional) – Width of bar or None for full width. Defaults to 40.
style (StyleType, optional) – Style for the bar background. Defaults to “bar.back”.
complete_style (StyleType, optional) – Style for the completed bar. Defaults to “bar.complete”.
finished_style (StyleType, optional) – Style for a finished bar. Defaults to “bar.finished”.
pulse_style (StyleType, optional) – Style for pulsing bars. Defaults to “bar.pulse”.
- class rich.progress.DownloadColumn(binary_units=False, table_column=None)[source]¶
Renders file size downloaded and total, e.g. ‘0.5/2.3 GB’.
- Parameters
- class rich.progress.MofNCompleteColumn(separator='/', table_column=None)[source]¶
Renders completed count/total, e.g. ‘ 10/1000’.
Best for bounded tasks with int quantities.
Space pads the completed count so that progress length does not change as task progresses past powers of 10.
- Parameters
- class rich.progress.Progress(*columns, console=None, auto_refresh=True, refresh_per_second=10, speed_estimate_period=30.0, transient=False, redirect_stdout=True, redirect_stderr=True, get_time=None, disable=False, expand=False)[source]¶
Renders an auto-updating progress bar(s).
- Parameters
console (Console, optional) – Optional Console instance. Default will an internal Console instance writing to stdout.
auto_refresh (bool, optional) – Enable auto refresh. If disabled, you will need to call refresh().
refresh_per_second (Optional[float], optional) – Number of times per second to refresh the progress information or None to use default (10). Defaults to None.
speed_estimate_period (float) – (float, optional): Period (in seconds) used to calculate the speed estimate. Defaults to 30.
transient (bool) – (bool, optional): Clear the progress on exit. Defaults to False.
redirect_stdout (bool) – (bool, optional): Enable redirection of stdout, so
print
may be used. Defaults to True.redirect_stderr (bool) – (bool, optional): Enable redirection of stderr. Defaults to True.
get_time (Optional[Callable[[], float]]) – (Callable, optional): A callable that gets the current time, or None to use Console.get_time. Defaults to None.
disable (bool, optional) – Disable progress display. Defaults to False
expand (bool, optional) – Expand tasks table to fit width. Defaults to False.
columns (Union[str, ProgressColumn]) –
- add_task(description, start=True, total=100.0, completed=0, visible=True, **fields)[source]¶
Add a new ‘task’ to the Progress display.
- Parameters
description (str) – A description of the task.
start (bool, optional) – Start the task immediately (to calculate elapsed time). If set to False, you will need to call start manually. Defaults to True.
total (float, optional) – Number of total steps in the progress if known. Set to None to render a pulsing animation. Defaults to 100.
completed (int, optional) – Number of steps completed so far. Defaults to 0.
visible (bool, optional) – Enable display of the task. Defaults to True.
**fields (str) – Additional data fields required for rendering.
- Returns
An ID you can use when calling update.
- Return type
TaskID
- advance(task_id, advance=1)[source]¶
Advance task by a number of steps.
- Parameters
task_id (TaskID) – ID of task.
advance (float) – Number of steps to advance. Default is 1.
- Return type
None
- classmethod get_default_columns()[source]¶
- Get the default columns used for a new Progress instance:
a text column for the description (TextColumn)
the bar itself (BarColumn)
a text column showing completion percentage (TextColumn)
an estimated-time-remaining column (TimeRemainingColumn)
If the Progress instance is created without passing a columns argument, the default columns defined here will be used.
You can also create a Progress instance using custom columns before and/or after the defaults, as in this example:
- progress = Progress(
SpinnerColumn(), *Progress.default_columns(), “Elapsed:”, TimeElapsedColumn(),
)
This code shows the creation of a Progress display, containing a spinner to the left, the default columns, and a labeled elapsed time column.
- Return type
Tuple[ProgressColumn, …]
- open(file: Union[str, PathLike[str], bytes], mode: typing_extensions.Literal[rb], buffering: int = -1, encoding: Optional[str] = None, errors: Optional[str] = None, newline: Optional[str] = None, *, total: Optional[int] = None, task_id: Optional[TaskID] = None, description: str = 'Reading...') BinaryIO [source]¶
- open(file: Union[str, PathLike[str], bytes], mode: Union[typing_extensions.Literal[r], typing_extensions.Literal[rt]], buffering: int = -1, encoding: Optional[str] = None, errors: Optional[str] = None, newline: Optional[str] = None, *, total: Optional[int] = None, task_id: Optional[TaskID] = None, description: str = 'Reading...') TextIO
Track progress while reading from a binary file.
- Parameters
path (Union[str, PathLike[str]]) – The path to the file to read.
mode (str) – The mode to use to open the file. Only supports “r”, “rb” or “rt”.
buffering (int) – The buffering strategy to use, see
io.open()
.encoding (str, optional) – The encoding to use when reading in text mode, see
io.open()
.errors (str, optional) – The error handling strategy for decoding errors, see
io.open()
.newline (str, optional) – The strategy for handling newlines in text mode, see
io.open()
.total (int, optional) – Total number of bytes to read. If none given, os.stat(path).st_size is used.
task_id (TaskID) – Task to track. Default is new task.
description (str, optional) – Description of task, if new task is created.
- Returns
A readable file-like object in binary mode.
- Return type
BinaryIO
- Raises
ValueError – When an invalid mode is given.
- remove_task(task_id)[source]¶
Delete a task if it exists.
- Parameters
task_id (TaskID) – A task ID.
- Return type
None
- reset(task_id, *, start=True, total=None, completed=0, visible=None, description=None, **fields)[source]¶
Reset a task so completed is 0 and the clock is reset.
- Parameters
task_id (TaskID) – ID of task.
start (bool, optional) – Start the task after reset. Defaults to True.
total (float, optional) – New total steps in task, or None to use current total. Defaults to None.
completed (int, optional) – Number of steps completed. Defaults to 0.
visible (bool, optional) – Enable display of the task. Defaults to True.
description (str, optional) – Change task description if not None. Defaults to None.
**fields (str) – Additional data fields required for rendering.
- Return type
None
- start_task(task_id)[source]¶
Start a task.
Starts a task (used when calculating elapsed time). You may need to call this manually, if you called
add_task
withstart=False
.- Parameters
task_id (TaskID) – ID of task.
- Return type
None
- stop_task(task_id)[source]¶
Stop a task.
This will freeze the elapsed time on the task.
- Parameters
task_id (TaskID) – ID of task.
- Return type
None
- track(sequence, total=None, task_id=None, description='Working...', update_period=0.1)[source]¶
Track progress by iterating over a sequence.
- Parameters
sequence (Sequence[ProgressType]) – A sequence of values you want to iterate over and track progress.
total (Optional[float]) – (float, optional): Total number of steps. Default is len(sequence).
task_id (Optional[TaskID]) – (TaskID): Task to track. Default is new task.
description (str) – (str, optional): Description of task, if new task is created.
update_period (float, optional) – Minimum time (in seconds) between calls to update(). Defaults to 0.1.
- Returns
An iterable of values taken from the provided sequence.
- Return type
Iterable[ProgressType]
- update(task_id, *, total=None, completed=None, advance=None, description=None, visible=None, refresh=False, **fields)[source]¶
Update information associated with a task.
- Parameters
task_id (TaskID) – Task id (returned by add_task).
total (float, optional) – Updates task.total if not None.
completed (float, optional) – Updates task.completed if not None.
advance (float, optional) – Add a value to task.completed if not None.
description (str, optional) – Change task description if not None.
visible (bool, optional) – Set visible flag if not None.
refresh (bool) – Force a refresh of progress information. Default is False.
**fields (Any) – Additional data fields required for rendering.
- Return type
None
- wrap_file(file, total=None, *, task_id=None, description='Reading...')[source]¶
Track progress file reading from a binary file.
- Parameters
file (BinaryIO) – A file-like object opened in binary mode.
total (int, optional) – Total number of bytes to read. This must be provided unless a task with a total is also given.
task_id (TaskID) – Task to track. Default is new task.
description (str, optional) – Description of task, if new task is created.
- Returns
A readable file-like object in binary mode.
- Return type
BinaryIO
- Raises
ValueError – When no total value can be extracted from the arguments or the task.
- class rich.progress.ProgressColumn(table_column=None)[source]¶
Base class for a widget to use in progress display.
- class rich.progress.ProgressSample(timestamp, completed)[source]¶
Sample of progress for a given time.
- property completed¶
Number of steps completed.
- property timestamp¶
Timestamp of sample.
- class rich.progress.RenderableColumn(renderable='', *, table_column=None)[source]¶
A column to insert an arbitrary column.
- Parameters
- class rich.progress.SpinnerColumn(spinner_name='dots', style='progress.spinner', speed=1.0, finished_text=' ', table_column=None)[source]¶
A column with a ‘spinner’ animation.
- Parameters
spinner_name (str, optional) – Name of spinner animation. Defaults to “dots”.
style (StyleType, optional) – Style of spinner. Defaults to “progress.spinner”.
speed (float, optional) – Speed factor of spinner. Defaults to 1.0.
finished_text (TextType, optional) – Text used when task is finished. Defaults to ” “.
- class rich.progress.Task(id, description, total, completed, _get_time, finished_time=None, visible=True, fields=<factory>, finished_speed=None, _lock=<factory>)[source]¶
Information regarding a progress task.
This object should be considered read-only outside of the
Progress
class.- Parameters
- property elapsed: Optional[float]¶
Time elapsed since task was started, or
None
if the task hasn’t started.- Type
Optional[float]
- id: TaskID¶
Task ID associated with this task (used in Progress methods).
- property percentage: float¶
Get progress of task as a percentage. If a None total was set, returns 0
- Type
- property remaining: Optional[float]¶
Get the number of steps remaining, if a non-None total was set.
- Type
Optional[float]
- start_time: Optional[float] = None¶
Time this task was started, or None if not started.
- Type
Optional[float]
- stop_time: Optional[float] = None¶
Time this task was stopped, or None if not stopped.
- Type
Optional[float]
- class rich.progress.TaskProgressColumn(text_format='[progress.percentage]{task.percentage:>3.0f}%', text_format_no_percentage='', style='none', justify='left', markup=True, highlighter=None, table_column=None, show_speed=False)[source]¶
Show task progress as a percentage.
- Parameters
text_format (str, optional) – Format for percentage display. Defaults to “[progress.percentage]{task.percentage:>3.0f}%”.
text_format_no_percentage (str, optional) – Format if percentage is unknown. Defaults to “”.
style (StyleType, optional) – Style of output. Defaults to “none”.
justify (JustifyMethod, optional) – Text justification. Defaults to “left”.
markup (bool, optional) – Enable markup. Defaults to True.
highlighter (Optional[Highlighter], optional) – Highlighter to apply to output. Defaults to None.
table_column (Optional[Column], optional) – Table Column to use. Defaults to None.
show_speed (bool, optional) – Show speed if total is unknown. Defaults to False.
- class rich.progress.TextColumn(text_format, style='none', justify='left', markup=True, highlighter=None, table_column=None)[source]¶
A column containing text.
- Parameters
- class rich.progress.TimeRemainingColumn(compact=False, elapsed_when_finished=False, table_column=None)[source]¶
Renders estimated time remaining.
- Parameters
- class rich.progress.TransferSpeedColumn(table_column=None)[source]¶
Renders human readable transfer speed.
- rich.progress.open(file: Union[str, PathLike[str], bytes], mode: Union[typing_extensions.Literal[rt], typing_extensions.Literal[r]], buffering: int = -1, encoding: Optional[str] = None, errors: Optional[str] = None, newline: Optional[str] = None, *, total: Optional[int] = None, description: str = 'Reading...', auto_refresh: bool = True, console: Optional[Console] = None, transient: bool = False, get_time: Optional[Callable[[], float]] = None, refresh_per_second: float = 10, style: Union[str, Style] = 'bar.back', complete_style: Union[str, Style] = 'bar.complete', finished_style: Union[str, Style] = 'bar.finished', pulse_style: Union[str, Style] = 'bar.pulse', disable: bool = False) AbstractContextManager[TextIO] [source]¶
- rich.progress.open(file: Union[str, PathLike[str], bytes], mode: typing_extensions.Literal[rb], buffering: int = -1, encoding: Optional[str] = None, errors: Optional[str] = None, newline: Optional[str] = None, *, total: Optional[int] = None, description: str = 'Reading...', auto_refresh: bool = True, console: Optional[Console] = None, transient: bool = False, get_time: Optional[Callable[[], float]] = None, refresh_per_second: float = 10, style: Union[str, Style] = 'bar.back', complete_style: Union[str, Style] = 'bar.complete', finished_style: Union[str, Style] = 'bar.finished', pulse_style: Union[str, Style] = 'bar.pulse', disable: bool = False) AbstractContextManager[BinaryIO]
Read bytes from a file while tracking progress.
- Parameters
path (Union[str, PathLike[str], BinaryIO]) – The path to the file to read, or a file-like object in binary mode.
mode (str) – The mode to use to open the file. Only supports “r”, “rb” or “rt”.
buffering (int) – The buffering strategy to use, see
io.open()
.encoding (str, optional) – The encoding to use when reading in text mode, see
io.open()
.errors (str, optional) – The error handling strategy for decoding errors, see
io.open()
.newline (str, optional) – The strategy for handling newlines in text mode, see
io.open()
total – (int, optional): Total number of bytes to read. Must be provided if reading from a file handle. Default for a path is os.stat(file).st_size.
description (str, optional) – Description of task show next to progress bar. Defaults to “Reading”.
auto_refresh (bool, optional) – Automatic refresh, disable to force a refresh after each iteration. Default is True.
transient – (bool, optional): Clear the progress on exit. Defaults to False.
console (Console, optional) – Console to write to. Default creates internal Console instance.
refresh_per_second (float) – Number of times per second to refresh the progress information. Defaults to 10.
style (StyleType, optional) – Style for the bar background. Defaults to “bar.back”.
complete_style (StyleType, optional) – Style for the completed bar. Defaults to “bar.complete”.
finished_style (StyleType, optional) – Style for a finished bar. Defaults to “bar.finished”.
pulse_style (StyleType, optional) – Style for pulsing bars. Defaults to “bar.pulse”.
disable (bool, optional) – Disable display of progress.
encoding – The encoding to use when reading in text mode.
- Returns
A context manager yielding a progress reader.
- Return type
ContextManager[BinaryIO]
- rich.progress.track(sequence, description='Working...', total=None, auto_refresh=True, console=None, transient=False, get_time=None, refresh_per_second=10, style='bar.back', complete_style='bar.complete', finished_style='bar.finished', pulse_style='bar.pulse', update_period=0.1, disable=False, show_speed=True)[source]¶
Track progress by iterating over a sequence.
- Parameters
sequence (Iterable[ProgressType]) – A sequence (must support “len”) you wish to iterate over.
description (str, optional) – Description of task show next to progress bar. Defaults to “Working”.
total (Optional[float]) – (float, optional): Total number of steps. Default is len(sequence).
auto_refresh (bool, optional) – Automatic refresh, disable to force a refresh after each iteration. Default is True.
transient (bool) – (bool, optional): Clear the progress on exit. Defaults to False.
console (Console, optional) – Console to write to. Default creates internal Console instance.
refresh_per_second (float) – Number of times per second to refresh the progress information. Defaults to 10.
style (StyleType, optional) – Style for the bar background. Defaults to “bar.back”.
complete_style (StyleType, optional) – Style for the completed bar. Defaults to “bar.complete”.
finished_style (StyleType, optional) – Style for a finished bar. Defaults to “bar.finished”.
pulse_style (StyleType, optional) – Style for pulsing bars. Defaults to “bar.pulse”.
update_period (float, optional) – Minimum time (in seconds) between calls to update(). Defaults to 0.1.
disable (bool, optional) – Disable display of progress.
show_speed (bool, optional) – Show speed if total isn’t known. Defaults to True.
- Returns
An iterable of the values in the sequence.
- Return type
Iterable[ProgressType]
- rich.progress.wrap_file(file, total, *, description='Reading...', auto_refresh=True, console=None, transient=False, get_time=None, refresh_per_second=10, style='bar.back', complete_style='bar.complete', finished_style='bar.finished', pulse_style='bar.pulse', disable=False)[source]¶
Read bytes from a file while tracking progress.
- Parameters
file (Union[str, PathLike[str], BinaryIO]) – The path to the file to read, or a file-like object in binary mode.
total (int) – Total number of bytes to read.
description (str, optional) – Description of task show next to progress bar. Defaults to “Reading”.
auto_refresh (bool, optional) – Automatic refresh, disable to force a refresh after each iteration. Default is True.
transient (bool) – (bool, optional): Clear the progress on exit. Defaults to False.
console (Console, optional) – Console to write to. Default creates internal Console instance.
refresh_per_second (float) – Number of times per second to refresh the progress information. Defaults to 10.
style (StyleType, optional) – Style for the bar background. Defaults to “bar.back”.
complete_style (StyleType, optional) – Style for the completed bar. Defaults to “bar.complete”.
finished_style (StyleType, optional) – Style for a finished bar. Defaults to “bar.finished”.
pulse_style (StyleType, optional) – Style for pulsing bars. Defaults to “bar.pulse”.
disable (bool, optional) – Disable display of progress.
- Returns
A context manager yielding a progress reader.
- Return type
ContextManager[BinaryIO]
rich.prompt¶
- class rich.prompt.Confirm(prompt='', *, console=None, password=False, choices=None, show_default=True, show_choices=True)[source]¶
A yes / no confirmation prompt.
Example
>>> if Confirm.ask("Continue"): run_job()
- class rich.prompt.FloatPrompt(prompt='', *, console=None, password=False, choices=None, show_default=True, show_choices=True)[source]¶
A prompt that returns a float.
Example
>>> temperature = FloatPrompt.ask("Enter desired temperature")
- class rich.prompt.IntPrompt(prompt='', *, console=None, password=False, choices=None, show_default=True, show_choices=True)[source]¶
A prompt that returns an integer.
Example
>>> burrito_count = IntPrompt.ask("How many burritos do you want to order")
- exception rich.prompt.InvalidResponse(message)[source]¶
Exception to indicate a response was invalid. Raise this within process_response() to indicate an error and provide an error message.
- class rich.prompt.Prompt(prompt='', *, console=None, password=False, choices=None, show_default=True, show_choices=True)[source]¶
A prompt that returns a str.
Example
>>> name = Prompt.ask("Enter your name")
- class rich.prompt.PromptBase(prompt='', *, console=None, password=False, choices=None, show_default=True, show_choices=True)[source]¶
Ask the user for input until a valid response is received. This is the base class, see one of the concrete classes for examples.
- Parameters
prompt (TextType, optional) – Prompt text. Defaults to “”.
console (Console, optional) – A Console instance or None to use global console. Defaults to None.
password (bool, optional) – Enable password input. Defaults to False.
choices (List[str], optional) – A list of valid choices. Defaults to None.
show_default (bool, optional) – Show default in prompt. Defaults to True.
show_choices (bool, optional) – Show choices in prompt. Defaults to True.
- classmethod ask(prompt: Union[str, Text] = '', *, console: Optional[Console] = None, password: bool = False, choices: Optional[List[str]] = None, show_default: bool = True, show_choices: bool = True, default: DefaultType, stream: Optional[TextIO] = None) Union[DefaultType, PromptType] [source]¶
- classmethod ask(prompt: Union[str, Text] = '', *, console: Optional[Console] = None, password: bool = False, choices: Optional[List[str]] = None, show_default: bool = True, show_choices: bool = True, stream: Optional[TextIO] = None) PromptType
Shortcut to construct and run a prompt loop and return the result.
Example
>>> filename = Prompt.ask("Enter a filename")
- Parameters
prompt (TextType, optional) – Prompt text. Defaults to “”.
console (Console, optional) – A Console instance or None to use global console. Defaults to None.
password (bool, optional) – Enable password input. Defaults to False.
choices (List[str], optional) – A list of valid choices. Defaults to None.
show_default (bool, optional) – Show default in prompt. Defaults to True.
show_choices (bool, optional) – Show choices in prompt. Defaults to True.
stream (TextIO, optional) – Optional text file open for reading to get input. Defaults to None.
- make_prompt(default)[source]¶
Make prompt text.
- Parameters
default (DefaultType) – Default value.
- Returns
Text to display in prompt.
- Return type
- on_validate_error(value, error)[source]¶
Called to handle validation error.
- Parameters
value (str) – String entered by user.
error (InvalidResponse) – Exception instance the initiated the error.
- Return type
None
- process_response(value)[source]¶
Process response from user, convert to prompt type.
- Parameters
value (str) – String typed by user.
- Raises
InvalidResponse – If
value
is invalid.- Returns
The value to be returned from ask method.
- Return type
PromptType
rich.protocol¶
rich.rule¶
- class rich.rule.Rule(title='', *, characters='─', style='rule.line', end='\n', align='center')[source]¶
A console renderable to draw a horizontal rule (line).
- Parameters
title (Union[str, Text], optional) – Text to render in the rule. Defaults to “”.
characters (str, optional) – Character(s) used to draw the line. Defaults to “─”.
style (StyleType, optional) – Style of Rule. Defaults to “rule.line”.
end (str, optional) – Character at end of Rule. defaults to “\n”
align (str, optional) – How to align the title, one of “left”, “center”, or “right”. Defaults to “center”.
rich.segment¶
- class rich.segment.ControlType(value)[source]¶
Non-printable control codes which typically translate to ANSI codes.
- class rich.segment.Segment(text, style=None, control=None)[source]¶
A piece of text with associated style. Segments are produced by the Console render process and are ultimately converted in to strings to be written to the terminal.
- Parameters
- classmethod adjust_line_length(line, length, style=None, pad=True)[source]¶
Adjust a line to a given width (cropping or padding as required).
- Parameters
segments (Iterable[Segment]) – A list of segments in a single line.
length (int) – The desired width of the line.
style (Style, optional) – The style of padding if used (space on the end). Defaults to None.
pad (bool, optional) – Pad lines with spaces if they are shorter than length. Defaults to True.
- Returns
A line of segments with the desired length.
- Return type
List[Segment]
- classmethod align_bottom(lines, width, height, style, new_lines=False)[source]¶
Aligns render to bottom (adds extra lines above as required).
- Args:
lines (List[List[Segment]]): A list of lines. width (int): Desired width. height (int, optional): Desired height or None for no change. style (Style): Style of any padding added. Defaults to None. new_lines (bool, optional): Padded lines should include “
“. Defaults to False.
- Returns:
List[List[Segment]]: New list of lines.
- classmethod align_middle(lines, width, height, style, new_lines=False)[source]¶
Aligns lines to middle (adds extra lines to above and below as required).
- Args:
lines (List[List[Segment]]): A list of lines. width (int): Desired width. height (int, optional): Desired height or None for no change. style (Style): Style of any padding added. new_lines (bool, optional): Padded lines should include “
“. Defaults to False.
- Returns:
List[List[Segment]]: New list of lines.
- classmethod align_top(lines, width, height, style, new_lines=False)[source]¶
Aligns lines to top (adds extra lines to bottom as required).
- Args:
lines (List[List[Segment]]): A list of lines. width (int): Desired width. height (int, optional): Desired height or None for no change. style (Style): Style of any padding added. new_lines (bool, optional): Padded lines should include “
“. Defaults to False.
- Returns:
List[List[Segment]]: New list of lines.
- classmethod apply_style(segments, style=None, post_style=None)[source]¶
Apply style(s) to an iterable of segments.
Returns an iterable of segments where the style is replaced by
style + segment.style + post_style
.- Parameters
- Returns
A new iterable of segments (possibly the same iterable).
- Return type
Iterable[Segments]
- property cell_length: int¶
The number of terminal cells required to display self.text.
- Returns
A number of cells.
- Return type
- property control¶
Alias for field number 2
- classmethod filter_control(segments, is_control=False)[source]¶
Filter segments by
is_control
attribute.
- classmethod set_shape(lines, width, height=None, style=None, new_lines=False)[source]¶
Set the shape of a list of lines (enclosing rectangle).
- Args:
lines (List[List[Segment]]): A list of lines. width (int): Desired width. height (int, optional): Desired height or None for no change. style (Style, optional): Style of any padding added. new_lines (bool, optional): Padded lines should include “
“. Defaults to False.
- Returns:
List[List[Segment]]: New list of lines.
- classmethod simplify(segments)[source]¶
Simplify an iterable of segments by combining contiguous segments with the same style.
- classmethod split_and_crop_lines(segments, length, style=None, pad=True, include_new_lines=True)[source]¶
Split segments in to lines, and crop lines greater than a given length.
- Parameters
- Returns
An iterable of lines of segments.
- Return type
Iterable[List[Segment]]
- split_cells(cut)[source]¶
Split segment in to two segments at the specified column.
If the cut point falls in the middle of a 2-cell wide character then it is replaced by two spaces, to preserve the display width of the parent segment.
- property style¶
Alias for field number 1
- property text¶
Alias for field number 0
rich.spinner¶
- class rich.spinner.Spinner(name, text='', *, style=None, speed=1.0)[source]¶
A spinner animation.
- Parameters
name (str) – Name of spinner (run python -m rich.spinner).
text (RenderableType, optional) – A renderable to display at the right of the spinner (str or Text typically). Defaults to “”.
style (StyleType, optional) – Style for spinner animation. Defaults to None.
speed (float, optional) – Speed factor for animation. Defaults to 1.0.
- Raises
KeyError – If name isn’t one of the supported spinner animations.
- render(time)[source]¶
Render the spinner for a given time.
- Parameters
time (float) – Time in seconds.
- Returns
A renderable containing animation frame.
- Return type
RenderableType
- update(*, text='', style=None, speed=None)[source]¶
Updates attributes of a spinner after it has been started.
- Parameters
text (RenderableType, optional) – A renderable to display at the right of the spinner (str or Text typically). Defaults to “”.
style (StyleType, optional) – Style for spinner animation. Defaults to None.
speed (float, optional) – Speed factor for animation. Defaults to None.
- Return type
None
rich.status¶
- class rich.status.Status(status, *, console=None, spinner='dots', spinner_style='status.spinner', speed=1.0, refresh_per_second=12.5)[source]¶
Displays a status indicator with a ‘spinner’ animation.
- Parameters
status (RenderableType) – A status renderable (str or Text typically).
console (Console, optional) – Console instance to use, or None for global console. Defaults to None.
spinner (str, optional) – Name of spinner animation (see python -m rich.spinner). Defaults to “dots”.
spinner_style (StyleType, optional) – Style of spinner. Defaults to “status.spinner”.
speed (float, optional) – Speed factor for spinner animation. Defaults to 1.0.
refresh_per_second (float, optional) – Number of refreshes per second. Defaults to 12.5.
- update(status=None, *, spinner=None, spinner_style=None, speed=None)[source]¶
Update status.
- Parameters
status (Optional[RenderableType], optional) – New status renderable or None for no change. Defaults to None.
spinner (Optional[str], optional) – New spinner or None for no change. Defaults to None.
spinner_style (Optional[StyleType], optional) – New spinner style or None for no change. Defaults to None.
speed (Optional[float], optional) – Speed factor for spinner animation or None for no change. Defaults to None.
- Return type
None
rich.style¶
- class rich.style.Style(*, color=None, bgcolor=None, bold=None, dim=None, italic=None, underline=None, blink=None, blink2=None, reverse=None, conceal=None, strike=None, underline2=None, frame=None, encircle=None, overline=None, link=None, meta=None)[source]¶
A terminal style.
A terminal style consists of a color (color), a background color (bgcolor), and a number of attributes, such as bold, italic etc. The attributes have 3 states: they can either be on (
True
), off (False
), or not set (None
).- Parameters
color (Union[Color, str], optional) – Color of terminal text. Defaults to None.
bgcolor (Union[Color, str], optional) – Color of terminal background. Defaults to None.
bold (bool, optional) – Enable bold text. Defaults to None.
dim (bool, optional) – Enable dim text. Defaults to None.
italic (bool, optional) – Enable italic text. Defaults to None.
underline (bool, optional) – Enable underlined text. Defaults to None.
blink (bool, optional) – Enabled blinking text. Defaults to None.
blink2 (bool, optional) – Enable fast blinking text. Defaults to None.
reverse (bool, optional) – Enabled reverse text. Defaults to None.
conceal (bool, optional) – Enable concealed text. Defaults to None.
strike (bool, optional) – Enable strikethrough text. Defaults to None.
underline2 (bool, optional) – Enable doubly underlined text. Defaults to None.
frame (bool, optional) – Enable framed text. Defaults to None.
encircle (bool, optional) – Enable encircled text. Defaults to None.
overline (bool, optional) – Enable overlined text. Defaults to None.
link (str, link) – Link URL. Defaults to None.
- clear_meta_and_links()[source]¶
Get a copy of this style with link and meta information removed.
- Returns
New style object.
- Return type
- copy()[source]¶
Get a copy of this style.
- Returns
A new Style instance with identical attributes.
- Return type
- classmethod from_color(color=None, bgcolor=None)[source]¶
Create a new style with colors and no attributes.
- classmethod normalize(style)[source]¶
Normalize a style definition so that styles with the same effect have the same string representation.
- classmethod null()[source]¶
Create an ‘null’ style, equivalent to Style(), but more performant.
- Return type
- classmethod on(meta=None, **handlers)[source]¶
Create a blank style with meta information.
Example
style = Style.on(click=self.on_click)
- classmethod parse(style_definition)[source]¶
Parse a style definition.
- Parameters
style_definition (str) – A string containing a style.
- Raises
errors.StyleSyntaxError – If the style definition syntax is invalid.
- Returns
A Style instance.
- Return type
Style
- render(text='', *, color_system=ColorSystem.TRUECOLOR, legacy_windows=False)[source]¶
Render the ANSI codes for the style.
- Parameters
text (str, optional) – A string to style. Defaults to “”.
color_system (Optional[ColorSystem], optional) – Color system to render to. Defaults to ColorSystem.TRUECOLOR.
legacy_windows (bool) –
- Returns
A string containing ANSI style codes.
- Return type
- test(text=None)[source]¶
Write text with style directly to terminal.
This method is for testing purposes only.
- Parameters
text (Optional[str], optional) – Text to style or None for style name.
- Return type
None
rich.styled¶
rich.syntax¶
- class rich.syntax.Syntax(code, lexer, *, theme='monokai', dedent=False, line_numbers=False, start_line=1, line_range=None, highlight_lines=None, code_width=None, tab_size=4, word_wrap=False, background_color=None, indent_guides=False, padding=0)[source]¶
Construct a Syntax object to render syntax highlighted code.
- Parameters
code (str) – Code to highlight.
lexer (Lexer | str) – Lexer to use (see https://pygments.org/docs/lexers/)
theme (str, optional) – Color theme, aka Pygments style (see https://pygments.org/docs/styles/#getting-a-list-of-available-styles). Defaults to “monokai”.
dedent (bool, optional) – Enable stripping of initial whitespace. Defaults to False.
line_numbers (bool, optional) – Enable rendering of line numbers. Defaults to False.
start_line (int, optional) – Starting number for line numbers. Defaults to 1.
line_range (Tuple[int | None, int | None], optional) – If given should be a tuple of the start and end line to render. A value of None in the tuple indicates the range is open in that direction.
highlight_lines (Set[int]) – A set of line numbers to highlight.
code_width (Optional[int]) – Width of code to render (not including line numbers), or
None
to use all available width.tab_size (int, optional) – Size of tabs. Defaults to 4.
word_wrap (bool, optional) – Enable word wrapping.
background_color (str, optional) – Optional background color, or None to use theme color. Defaults to None.
indent_guides (bool, optional) – Show indent guides. Defaults to False.
padding (PaddingDimensions) – Padding to apply around the syntax. Defaults to 0 (no padding).
- property default_lexer: Lexer¶
A Pygments Lexer to use if one is not specified or invalid.
- classmethod from_path(path, encoding='utf-8', lexer=None, theme='monokai', dedent=False, line_numbers=False, line_range=None, start_line=1, highlight_lines=None, code_width=None, tab_size=4, word_wrap=False, background_color=None, indent_guides=False, padding=0)[source]¶
Construct a Syntax object from a file.
- Parameters
path (str) – Path to file to highlight.
encoding (str) – Encoding of file.
lexer (str | Lexer, optional) – Lexer to use. If None, lexer will be auto-detected from path/file content.
theme (str, optional) – Color theme, aka Pygments style (see https://pygments.org/docs/styles/#getting-a-list-of-available-styles). Defaults to “emacs”.
dedent (bool, optional) – Enable stripping of initial whitespace. Defaults to True.
line_numbers (bool, optional) – Enable rendering of line numbers. Defaults to False.
start_line (int, optional) – Starting number for line numbers. Defaults to 1.
line_range (Tuple[int, int], optional) – If given should be a tuple of the start and end line to render.
highlight_lines (Set[int]) – A set of line numbers to highlight.
code_width (Optional[int]) – Width of code to render (not including line numbers), or
None
to use all available width.tab_size (int, optional) – Size of tabs. Defaults to 4.
word_wrap (bool, optional) – Enable word wrapping of code.
background_color (str, optional) – Optional background color, or None to use theme color. Defaults to None.
indent_guides (bool, optional) – Show indent guides. Defaults to False.
padding (PaddingDimensions) – Padding to apply around the syntax. Defaults to 0 (no padding).
- Returns
A Syntax object that may be printed to the console
- Return type
[Syntax]
- classmethod guess_lexer(path, code=None)[source]¶
Guess the alias of the Pygments lexer to use based on a path and an optional string of code. If code is supplied, it will use a combination of the code and the filename to determine the best lexer to use. For example, if the file is
index.html
and the file contains Django templating syntax, then “html+django” will be returned. If the file isindex.html
, and no templating language is used, the “html” lexer will be used. If no string of code is supplied, the lexer will be chosen based on the file extension..- Parameters
path (AnyStr) – The path to the file containing the code you wish to know the lexer for.
code (str, optional) – Optional string of code that will be used as a fallback if no lexer is found for the supplied path.
- Returns
The name of the Pygments lexer that best matches the supplied path/code.
- Return type
- property lexer: Optional[Lexer]¶
The lexer for this syntax, or None if no lexer was found.
Tries to find the lexer by name if a string was passed to the constructor.
rich.table¶
- class rich.table.Column(header='', footer='', header_style='', footer_style='', style='', justify='left', vertical='top', overflow='ellipsis', width=None, min_width=None, max_width=None, ratio=None, no_wrap=False, _index=0, _cells=<factory>)[source]¶
Defines a column within a ~Table.
- Parameters
title (Union[str, Text], optional) – The title of the table rendered at the top. Defaults to None.
caption (Union[str, Text], optional) – The table caption rendered below. Defaults to None.
width (int, optional) – The width in characters of the table, or
None
to automatically fit. Defaults to None.min_width (Optional[int], optional) – The minimum width of the table, or
None
for no minimum. Defaults to None.box (box.Box, optional) – One of the constants in box.py used to draw the edges (see Box), or
None
for no box lines. Defaults to box.HEAVY_HEAD.safe_box (Optional[bool], optional) – Disable box characters that don’t display on windows legacy terminal with raster fonts. Defaults to True.
padding (PaddingDimensions, optional) – Padding for cells (top, right, bottom, left). Defaults to (0, 1).
collapse_padding (bool, optional) – Enable collapsing of padding around cells. Defaults to False.
pad_edge (bool, optional) – Enable padding of edge cells. Defaults to True.
expand (bool, optional) – Expand the table to fit the available space if
True
, otherwise the table width will be auto-calculated. Defaults to False.show_header (bool, optional) – Show a header row. Defaults to True.
show_footer (bool, optional) – Show a footer row. Defaults to False.
show_edge (bool, optional) – Draw a box around the outside of the table. Defaults to True.
show_lines (bool, optional) – Draw lines between every row. Defaults to False.
leading (bool, optional) – Number of blank lines between rows (precludes
show_lines
). Defaults to 0.style (Union[str, Style], optional) – Default style for the table. Defaults to “none”.
row_styles (List[Union, str], optional) – Optional list of row styles, if more than one style is given then the styles will alternate. Defaults to None.
header_style (Union[str, Style], optional) – Style of the header. Defaults to “table.header”.
footer_style (Union[str, Style], optional) – Style of the footer. Defaults to “table.footer”.
border_style (Union[str, Style], optional) – Style of the border. Defaults to None.
title_style (Union[str, Style], optional) – Style of the title. Defaults to None.
caption_style (Union[str, Style], optional) – Style of the caption. Defaults to None.
title_justify (str, optional) – Justify method for title. Defaults to “center”.
caption_justify (str, optional) – Justify method for caption. Defaults to “center”.
highlight (bool, optional) – Highlight cell contents (if str). Defaults to False.
header (RenderableType) –
footer (RenderableType) –
justify (JustifyMethod) –
vertical (VerticalAlignMethod) –
overflow (OverflowMethod) –
no_wrap (bool) –
_index (int) –
_cells (List[RenderableType]) –
Renderable for the footer (typically a string)
- Type
RenderableType
The style of the footer.
- Type
StyleType
- header: RenderableType = ''¶
Renderable for the header (typically a string)
- Type
RenderableType
- justify: JustifyMethod = 'left'¶
How to justify text within the column (“left”, “center”, “right”, or “full”)
- Type
- max_width: Optional[int] = None¶
Maximum width of column, or
None
for no maximum. Defaults to None.- Type
Optional[int]
- min_width: Optional[int] = None¶
Minimum width of column, or
None
for no minimum. Defaults to None.- Type
Optional[int]
- ratio: Optional[int] = None¶
Ratio to use when calculating column width, or
None
(default) to adapt to column contents.- Type
Optional[int]
- vertical: VerticalAlignMethod = 'top'¶
How to vertically align content (“top”, “middle”, or “bottom”)
- Type
- class rich.table.Table(*headers, title=None, caption=None, width=None, min_width=None, box=Box(...), safe_box=None, padding=(0, 1), collapse_padding=False, pad_edge=True, expand=False, show_header=True, show_footer=False, show_edge=True, show_lines=False, leading=0, style='none', row_styles=None, header_style='table.header', footer_style='table.footer', border_style=None, title_style=None, caption_style=None, title_justify='center', caption_justify='center', highlight=False)[source]¶
A console renderable to draw a table.
- Parameters
*headers (Union[Column, str]) – Column headers, either as a string, or
Column
instance.title (Union[str, Text], optional) – The title of the table rendered at the top. Defaults to None.
caption (Union[str, Text], optional) – The table caption rendered below. Defaults to None.
width (int, optional) – The width in characters of the table, or
None
to automatically fit. Defaults to None.min_width (Optional[int], optional) – The minimum width of the table, or
None
for no minimum. Defaults to None.box (box.Box, optional) – One of the constants in box.py used to draw the edges (see Box), or
None
for no box lines. Defaults to box.HEAVY_HEAD.safe_box (Optional[bool], optional) – Disable box characters that don’t display on windows legacy terminal with raster fonts. Defaults to True.
padding (PaddingDimensions, optional) – Padding for cells (top, right, bottom, left). Defaults to (0, 1).
collapse_padding (bool, optional) – Enable collapsing of padding around cells. Defaults to False.
pad_edge (bool, optional) – Enable padding of edge cells. Defaults to True.
expand (bool, optional) – Expand the table to fit the available space if
True
, otherwise the table width will be auto-calculated. Defaults to False.show_header (bool, optional) – Show a header row. Defaults to True.
show_footer (bool, optional) – Show a footer row. Defaults to False.
show_edge (bool, optional) – Draw a box around the outside of the table. Defaults to True.
show_lines (bool, optional) – Draw lines between every row. Defaults to False.
leading (bool, optional) – Number of blank lines between rows (precludes
show_lines
). Defaults to 0.style (Union[str, Style], optional) – Default style for the table. Defaults to “none”.
row_styles (List[Union, str], optional) – Optional list of row styles, if more than one style is given then the styles will alternate. Defaults to None.
header_style (Union[str, Style], optional) – Style of the header. Defaults to “table.header”.
footer_style (Union[str, Style], optional) – Style of the footer. Defaults to “table.footer”.
border_style (Union[str, Style], optional) – Style of the border. Defaults to None.
title_style (Union[str, Style], optional) – Style of the title. Defaults to None.
caption_style (Union[str, Style], optional) – Style of the caption. Defaults to None.
title_justify (str, optional) – Justify method for title. Defaults to “center”.
caption_justify (str, optional) – Justify method for caption. Defaults to “center”.
highlight (bool, optional) – Highlight cell contents (if str). Defaults to False.
- add_column(header='', footer='', *, header_style=None, footer_style=None, style=None, justify='left', vertical='top', overflow='ellipsis', width=None, min_width=None, max_width=None, ratio=None, no_wrap=False)[source]¶
Add a column to the table.
- Parameters
header (RenderableType, optional) – Text or renderable for the header. Defaults to “”.
footer (RenderableType, optional) – Text or renderable for the footer. Defaults to “”.
header_style (Union[str, Style], optional) – Style for the header, or None for default. Defaults to None.
footer_style (Union[str, Style], optional) – Style for the footer, or None for default. Defaults to None.
style (Union[str, Style], optional) – Style for the column cells, or None for default. Defaults to None.
justify (JustifyMethod, optional) – Alignment for cells. Defaults to “left”.
vertical (VerticalAlignMethod, optional) – Vertical alignment, one of “top”, “middle”, or “bottom”. Defaults to “top”.
overflow (OverflowMethod) – Overflow method: “crop”, “fold”, “ellipsis”. Defaults to “ellipsis”.
width (int, optional) – Desired width of column in characters, or None to fit to contents. Defaults to None.
min_width (Optional[int], optional) – Minimum width of column, or
None
for no minimum. Defaults to None.max_width (Optional[int], optional) – Maximum width of column, or
None
for no maximum. Defaults to None.ratio (int, optional) – Flexible ratio for the column (requires
Table.expand
orTable.width
). Defaults to None.no_wrap (bool, optional) – Set to
True
to disable wrapping of this column.
- Return type
None
- add_row(*renderables, style=None, end_section=False)[source]¶
Add a row of renderables.
- Parameters
*renderables (None or renderable) – Each cell in a row must be a renderable object (including str), or
None
for a blank cell.style (StyleType, optional) – An optional style to apply to the entire row. Defaults to None.
end_section (bool, optional) – End a section and draw a line. Defaults to False.
- Raises
errors.NotRenderableError – If you add something that can’t be rendered.
- Return type
None
- classmethod grid(*headers, padding=0, collapse_padding=True, pad_edge=False, expand=False)[source]¶
Get a table with no lines, headers, or footer.
- Parameters
*headers (Union[Column, str]) – Column headers, either as a string, or
Column
instance.padding (PaddingDimensions, optional) – Get padding around cells. Defaults to 0.
collapse_padding (bool, optional) – Enable collapsing of padding around cells. Defaults to True.
pad_edge (bool, optional) – Enable padding around edges of table. Defaults to False.
expand (bool, optional) – Expand the table to fit the available space if
True
, otherwise the table width will be auto-calculated. Defaults to False.
- Returns
A table instance.
- Return type
rich.text¶
- class rich.text.Text(text='', style='', *, justify=None, overflow=None, no_wrap=None, end='\n', tab_size=None, spans=None)[source]¶
Text with color / style.
- Parameters
text (str, optional) – Default unstyled text. Defaults to “”.
style (Union[str, Style], optional) – Base style for text. Defaults to “”.
justify (str, optional) – Justify method: “left”, “center”, “full”, “right”. Defaults to None.
overflow (str, optional) – Overflow method: “crop”, “fold”, “ellipsis”. Defaults to None.
no_wrap (bool, optional) – Disable text wrapping, or None for default. Defaults to None.
end (str, optional) – Character to end text with. Defaults to “\n”.
tab_size (int) – Number of spaces per tab, or
None
to useconsole.tab_size
. Defaults to None.spans (List[Span], optional) –
- append_text(text)[source]¶
Append another Text instance. This method is more performant that Text.append, but only works for Text.
- append_tokens(tokens)[source]¶
Append iterable of str and style. Style may be a Style instance or a str style definition.
- classmethod assemble(*parts, style='', justify=None, overflow=None, no_wrap=None, end='\n', tab_size=8, meta=None)[source]¶
Construct a text instance by combining a sequence of strings with optional styles. The positional arguments should be either strings, or a tuple of string + style.
- Parameters
style (Union[str, Style], optional) – Base style for text. Defaults to “”.
justify (str, optional) – Justify method: “left”, “center”, “full”, “right”. Defaults to None.
overflow (str, optional) – Overflow method: “crop”, “fold”, “ellipsis”. Defaults to None.
end (str, optional) – Character to end text with. Defaults to “\n”.
tab_size (int) – Number of spaces per tab, or
None
to useconsole.tab_size
. Defaults to None.meta (Dict[str, Any], optional) –
- Returns
A new text instance.
- Return type
- blank_copy(plain='')[source]¶
Return a new Text instance with copied meta data (but not the string or spans).
- copy_styles(text)[source]¶
Copy styles from another Text instance.
- Parameters
text (Text) – A Text instance to copy styles from, must be the same length.
- Return type
None
- detect_indentation()[source]¶
Auto-detect indentation of code.
- Returns
Number of spaces used to indent code.
- Return type
- divide(offsets)[source]¶
Divide text in to a number of lines at given offsets.
- Parameters
offsets (Iterable[int]) – Offsets used to divide text.
- Returns
New RichText instances between offsets.
- Return type
Lines
- expand_tabs(tab_size=None)[source]¶
Converts tabs to spaces.
- Parameters
tab_size (int, optional) – Size of tabs. Defaults to 8.
- Return type
None
- extend_style(spaces)[source]¶
Extend the Text given number of spaces where the spaces have the same style as the last character.
- Parameters
spaces (int) – Number of spaces to add to the Text.
- Return type
None
- fit(width)[source]¶
Fit the text in to given width by chopping in to lines.
- Parameters
width (int) – Maximum characters in a line.
- Returns
Lines container.
- Return type
Lines
- classmethod from_ansi(text, *, style='', justify=None, overflow=None, no_wrap=None, end='\n', tab_size=8)[source]¶
Create a Text object from a string containing ANSI escape codes.
- Parameters
text (str) – A string containing escape codes.
style (Union[str, Style], optional) – Base style for text. Defaults to “”.
justify (str, optional) – Justify method: “left”, “center”, “full”, “right”. Defaults to None.
overflow (str, optional) – Overflow method: “crop”, “fold”, “ellipsis”. Defaults to None.
no_wrap (bool, optional) – Disable text wrapping, or None for default. Defaults to None.
end (str, optional) – Character to end text with. Defaults to “\n”.
tab_size (int) – Number of spaces per tab, or
None
to useconsole.tab_size
. Defaults to None.
- Return type
- classmethod from_markup(text, *, style='', emoji=True, emoji_variant=None, justify=None, overflow=None, end='\n')[source]¶
Create Text instance from markup.
- Parameters
text (str) – A string containing console markup.
emoji (bool, optional) – Also render emoji code. Defaults to True.
justify (str, optional) – Justify method: “left”, “center”, “full”, “right”. Defaults to None.
overflow (str, optional) – Overflow method: “crop”, “fold”, “ellipsis”. Defaults to None.
end (str, optional) – Character to end text with. Defaults to “\n”.
emoji_variant (Optional[typing_extensions.Literal[emoji, text]]) –
- Returns
A Text instance with markup rendered.
- Return type
- highlight_regex(re_highlight, style=None, *, style_prefix='')[source]¶
Highlight text with a regular expression, where group names are translated to styles.
- Parameters
- Returns
Number of regex matches
- Return type
- property markup: str¶
Get console markup to render this Text.
- Returns
A string potentially creating markup tags.
- Return type
- on(meta=None, **handlers)[source]¶
Apply event handlers (used by Textual project).
Example
>>> from rich.text import Text >>> text = Text("hello world") >>> text.on(click="view.toggle('world')")
- remove_suffix(suffix)[source]¶
Remove a suffix if it exists.
- Parameters
suffix (str) – Suffix to remove.
- Return type
None
- right_crop(amount=1)[source]¶
Remove a number of characters from the end of the text.
- Parameters
amount (int) –
- Return type
None
- rstrip_end(size)[source]¶
Remove whitespace beyond a certain width at the end of the text.
- Parameters
size (int) – The desired size of the text.
- Return type
None
- set_length(new_length)[source]¶
Set new length of the text, clipping or padding is required.
- Parameters
new_length (int) –
- Return type
None
- split(separator='\n', *, include_separator=False, allow_blank=False)[source]¶
Split rich text in to lines, preserving styles.
- Parameters
- Returns
A list of rich text, one per line of the original.
- Return type
List[RichText]
- classmethod styled(text, style='', *, justify=None, overflow=None)[source]¶
Construct a Text instance with a pre-applied styled. A style applied in this way won’t be used to pad the text when it is justified.
- Parameters
text (str) – A string containing console markup.
style (Union[str, Style]) – Style to apply to the text. Defaults to “”.
justify (str, optional) – Justify method: “left”, “center”, “full”, “right”. Defaults to None.
overflow (str, optional) – Overflow method: “crop”, “fold”, “ellipsis”. Defaults to None.
- Returns
A text instance with a style applied to the entire string.
- Return type
- stylize_before(style, start=0, end=None)[source]¶
Apply a style to the text, or a portion of the text. Styles will be applied before other styles already present.
- truncate(max_width, *, overflow=None, pad=False)[source]¶
Truncate text if it is longer that a given width.
- with_indent_guides(indent_size=None, *, character='│', style='dim green')[source]¶
Adds indent guide lines to text.
- Parameters
- Returns
New text with indentation guides.
- Return type
- wrap(console, width, *, justify=None, overflow=None, tab_size=8, no_wrap=None)[source]¶
Word wrap the text.
- Parameters
console (Console) – Console instance.
width (int) – Number of characters per line.
emoji (bool, optional) – Also render emoji code. Defaults to True.
justify (str, optional) – Justify method: “default”, “left”, “center”, “full”, “right”. Defaults to “default”.
overflow (str, optional) – Overflow method: “crop”, “fold”, or “ellipsis”. Defaults to None.
tab_size (int, optional) – Default tab size. Defaults to 8.
no_wrap (bool, optional) – Disable wrapping, Defaults to False.
- Returns
Number of lines.
- Return type
Lines
rich.theme¶
- class rich.theme.Theme(styles=None, inherit=True)[source]¶
A container for style information, used by
Console
.- Parameters
- classmethod from_file(config_file, source=None, inherit=True)[source]¶
Load a theme from a text mode file.
rich.traceback¶
- class rich.traceback.Traceback(trace=None, *, width=100, extra_lines=3, theme=None, word_wrap=False, show_locals=False, locals_max_length=10, locals_max_string=80, locals_hide_dunder=True, locals_hide_sunder=False, indent_guides=True, suppress=(), max_frames=100)[source]¶
A Console renderable that renders a traceback.
- Parameters
trace (Trace, optional) – A Trace object produced from extract. Defaults to None, which uses the last exception.
width (Optional[int], optional) – Number of characters used to traceback. Defaults to 100.
extra_lines (int, optional) – Additional lines of code to render. Defaults to 3.
theme (str, optional) – Override pygments theme used in traceback.
word_wrap (bool, optional) – Enable word wrapping of long lines. Defaults to False.
show_locals (bool, optional) – Enable display of local variables. Defaults to False.
indent_guides (bool, optional) – Enable indent guides in code and locals. Defaults to True.
locals_max_length (int, optional) – Maximum length of containers before abbreviating, or None for no abbreviation. Defaults to 10.
locals_max_string (int, optional) – Maximum length of string before truncating, or None to disable. Defaults to 80.
locals_hide_dunder (bool, optional) – Hide locals prefixed with double underscore. Defaults to True.
locals_hide_sunder (bool, optional) – Hide locals prefixed with single underscore. Defaults to False.
suppress (Sequence[Union[str, ModuleType]]) – Optional sequence of modules or paths to exclude from traceback.
max_frames (int) – Maximum number of frames to show in a traceback, 0 for no maximum. Defaults to 100.
- classmethod extract(exc_type, exc_value, traceback, *, show_locals=False, locals_max_length=10, locals_max_string=80, locals_hide_dunder=True, locals_hide_sunder=False)[source]¶
Extract traceback information.
- Parameters
exc_type (Type[BaseException]) – Exception type.
exc_value (BaseException) – Exception value.
traceback (TracebackType) – Python Traceback object.
show_locals (bool, optional) – Enable display of local variables. Defaults to False.
locals_max_length (int, optional) – Maximum length of containers before abbreviating, or None for no abbreviation. Defaults to 10.
locals_max_string (int, optional) – Maximum length of string before truncating, or None to disable. Defaults to 80.
locals_hide_dunder (bool, optional) – Hide locals prefixed with double underscore. Defaults to True.
locals_hide_sunder (bool, optional) – Hide locals prefixed with single underscore. Defaults to False.
- Returns
A Trace instance which you can use to construct a Traceback.
- Return type
Trace
- classmethod from_exception(exc_type, exc_value, traceback, *, width=100, extra_lines=3, theme=None, word_wrap=False, show_locals=False, locals_max_length=10, locals_max_string=80, locals_hide_dunder=True, locals_hide_sunder=False, indent_guides=True, suppress=(), max_frames=100)[source]¶
Create a traceback from exception info
- Parameters
exc_type (Type[BaseException]) – Exception type.
exc_value (BaseException) – Exception value.
traceback (TracebackType) – Python Traceback object.
width (Optional[int], optional) – Number of characters used to traceback. Defaults to 100.
extra_lines (int, optional) – Additional lines of code to render. Defaults to 3.
theme (str, optional) – Override pygments theme used in traceback.
word_wrap (bool, optional) – Enable word wrapping of long lines. Defaults to False.
show_locals (bool, optional) – Enable display of local variables. Defaults to False.
indent_guides (bool, optional) – Enable indent guides in code and locals. Defaults to True.
locals_max_length (int, optional) – Maximum length of containers before abbreviating, or None for no abbreviation. Defaults to 10.
locals_max_string (int, optional) – Maximum length of string before truncating, or None to disable. Defaults to 80.
locals_hide_dunder (bool, optional) – Hide locals prefixed with double underscore. Defaults to True.
locals_hide_sunder (bool, optional) – Hide locals prefixed with single underscore. Defaults to False.
suppress (Iterable[Union[str, ModuleType]]) – Optional sequence of modules or paths to exclude from traceback.
max_frames (int) – Maximum number of frames to show in a traceback, 0 for no maximum. Defaults to 100.
- Returns
A Traceback instance that may be printed.
- Return type
- rich.traceback.install(*, console=None, width=100, extra_lines=3, theme=None, word_wrap=False, show_locals=False, locals_max_length=10, locals_max_string=80, locals_hide_dunder=True, locals_hide_sunder=None, indent_guides=True, suppress=(), max_frames=100)[source]¶
Install a rich traceback handler.
Once installed, any tracebacks will be printed with syntax highlighting and rich formatting.
- Parameters
console (Optional[Console], optional) – Console to write exception to. Default uses internal Console instance.
width (Optional[int], optional) – Width (in characters) of traceback. Defaults to 100.
extra_lines (int, optional) – Extra lines of code. Defaults to 3.
theme (Optional[str], optional) – Pygments theme to use in traceback. Defaults to
None
which will pick a theme appropriate for the platform.word_wrap (bool, optional) – Enable word wrapping of long lines. Defaults to False.
show_locals (bool, optional) – Enable display of local variables. Defaults to False.
locals_max_length (int, optional) – Maximum length of containers before abbreviating, or None for no abbreviation. Defaults to 10.
locals_max_string (int, optional) – Maximum length of string before truncating, or None to disable. Defaults to 80.
locals_hide_dunder (bool, optional) – Hide locals prefixed with double underscore. Defaults to True.
locals_hide_sunder (bool, optional) – Hide locals prefixed with single underscore. Defaults to False.
indent_guides (bool, optional) – Enable indent guides in code and locals. Defaults to True.
suppress (Sequence[Union[str, ModuleType]]) – Optional sequence of modules or paths to exclude from traceback.
max_frames (int) –
- Returns
The previous exception handler that was replaced.
- Return type
Callable
rich.tree¶
- class rich.tree.Tree(label, *, style='tree', guide_style='tree.line', expanded=True, highlight=False, hide_root=False)[source]¶
A renderable for a tree structure.
- Parameters
label (RenderableType) – The renderable or str for the tree label.
style (StyleType, optional) – Style of this tree. Defaults to “tree”.
guide_style (StyleType, optional) – Style of the guide lines. Defaults to “tree.line”.
expanded (bool, optional) – Also display children. Defaults to True.
highlight (bool, optional) – Highlight renderable (if str). Defaults to False.
hide_root (bool) –
- add(label, *, style=None, guide_style=None, expanded=True, highlight=False)[source]¶
Add a child tree.
- Parameters
label (RenderableType) – The renderable or str for the tree label.
style (StyleType, optional) – Style of this tree. Defaults to “tree”.
guide_style (StyleType, optional) – Style of the guide lines. Defaults to “tree.line”.
expanded (bool, optional) – Also display children. Defaults to True.
highlight (Optional[bool], optional) – Highlight renderable (if str). Defaults to False.
- Returns
A new child Tree, which may be further modified.
- Return type
rich.abc¶
Appendix¶
Box¶
Rich has a number of constants that set the box characters used to draw tables and panels. To select a box style import one of the constants below from rich.box
. For example:
from rich import box
table = Table(box=box.SQUARE)
Note
Some of the box drawing characters will not display correctly on Windows legacy terminal (cmd.exe) with raster fonts, and are disabled by default. If you want the full range of box options on Windows legacy terminal, use a truetype font and set the safe_box
parameter on the Table class to False
.
The following table is generated with this command:
python -m rich.box
Standard Colors¶
The following is a list of the standard 8-bit colors supported in terminals.
Note that the first 16 colors are generally defined by the system or your terminal software, and may not display exactly as rendered here.
╔════════════╤════════╤═══════════════════════╤═════════╤══════════════════╗ ║ Color │ Number │ Name │ Hex │ RGB ║ ╟────────────┼────────┼───────────────────────┼─────────┼──────────────────╢ ║ │ 0 │ "black" │ │ ║ ║ │ 1 │ "red" │ │ ║ ║ │ 2 │ "green" │ │ ║ ║ │ 3 │ "yellow" │ │ ║ ║ │ 4 │ "blue" │ │ ║ ║ │ 5 │ "magenta" │ │ ║ ║ │ 6 │ "cyan" │ │ ║ ║ │ 7 │ "white" │ │ ║ ║ │ 8 │ "bright_black" │ │ ║ ║ │ 9 │ "bright_red" │ │ ║ ║ │ 10 │ "bright_green" │ │ ║ ║ │ 11 │ "bright_yellow" │ │ ║ ║ │ 12 │ "bright_blue" │ │ ║ ║ │ 13 │ "bright_magenta" │ │ ║ ║ │ 14 │ "bright_cyan" │ │ ║ ║ │ 15 │ "bright_white" │ │ ║ ║ │ 16 │ "grey0" │ #000000 │ rgb(0,0,0) ║ ║ │ 17 │ "navy_blue" │ #00005f │ rgb(0,0,95) ║ ║ │ 18 │ "dark_blue" │ #000087 │ rgb(0,0,135) ║ ║ │ 20 │ "blue3" │ #0000d7 │ rgb(0,0,215) ║ ║ │ 21 │ "blue1" │ #0000ff │ rgb(0,0,255) ║ ║ │ 22 │ "dark_green" │ #005f00 │ rgb(0,95,0) ║ ║ │ 25 │ "deep_sky_blue4" │ #005faf │ rgb(0,95,175) ║ ║ │ 26 │ "dodger_blue3" │ #005fd7 │ rgb(0,95,215) ║ ║ │ 27 │ "dodger_blue2" │ #005fff │ rgb(0,95,255) ║ ║ │ 28 │ "green4" │ #008700 │ rgb(0,135,0) ║ ║ │ 29 │ "spring_green4" │ #00875f │ rgb(0,135,95) ║ ║ │ 30 │ "turquoise4" │ #008787 │ rgb(0,135,135) ║ ║ │ 32 │ "deep_sky_blue3" │ #0087d7 │ rgb(0,135,215) ║ ║ │ 33 │ "dodger_blue1" │ #0087ff │ rgb(0,135,255) ║ ║ │ 36 │ "dark_cyan" │ #00af87 │ rgb(0,175,135) ║ ║ │ 37 │ "light_sea_green" │ #00afaf │ rgb(0,175,175) ║ ║ │ 38 │ "deep_sky_blue2" │ #00afd7 │ rgb(0,175,215) ║ ║ │ 39 │ "deep_sky_blue1" │ #00afff │ rgb(0,175,255) ║ ║ │ 40 │ "green3" │ #00d700 │ rgb(0,215,0) ║ ║ │ 41 │ "spring_green3" │ #00d75f │ rgb(0,215,95) ║ ║ │ 43 │ "cyan3" │ #00d7af │ rgb(0,215,175) ║ ║ │ 44 │ "dark_turquoise" │ #00d7d7 │ rgb(0,215,215) ║ ║ │ 45 │ "turquoise2" │ #00d7ff │ rgb(0,215,255) ║ ║ │ 46 │ "green1" │ #00ff00 │ rgb(0,255,0) ║ ║ │ 47 │ "spring_green2" │ #00ff5f │ rgb(0,255,95) ║ ║ │ 48 │ "spring_green1" │ #00ff87 │ rgb(0,255,135) ║ ║ │ 49 │ "medium_spring_green" │ #00ffaf │ rgb(0,255,175) ║ ║ │ 50 │ "cyan2" │ #00ffd7 │ rgb(0,255,215) ║ ║ │ 51 │ "cyan1" │ #00ffff │ rgb(0,255,255) ║ ║ │ 55 │ "purple4" │ #5f00af │ rgb(95,0,175) ║ ║ │ 56 │ "purple3" │ #5f00d7 │ rgb(95,0,215) ║ ║ │ 57 │ "blue_violet" │ #5f00ff │ rgb(95,0,255) ║ ║ │ 59 │ "grey37" │ #5f5f5f │ rgb(95,95,95) ║ ║ │ 60 │ "medium_purple4" │ #5f5f87 │ rgb(95,95,135) ║ ║ │ 62 │ "slate_blue3" │ #5f5fd7 │ rgb(95,95,215) ║ ║ │ 63 │ "royal_blue1" │ #5f5fff │ rgb(95,95,255) ║ ║ │ 64 │ "chartreuse4" │ #5f8700 │ rgb(95,135,0) ║ ║ │ 66 │ "pale_turquoise4" │ #5f8787 │ rgb(95,135,135) ║ ║ │ 67 │ "steel_blue" │ #5f87af │ rgb(95,135,175) ║ ║ │ 68 │ "steel_blue3" │ #5f87d7 │ rgb(95,135,215) ║ ║ │ 69 │ "cornflower_blue" │ #5f87ff │ rgb(95,135,255) ║ ║ │ 71 │ "dark_sea_green4" │ #5faf5f │ rgb(95,175,95) ║ ║ │ 73 │ "cadet_blue" │ #5fafaf │ rgb(95,175,175) ║ ║ │ 74 │ "sky_blue3" │ #5fafd7 │ rgb(95,175,215) ║ ║ │ 76 │ "chartreuse3" │ #5fd700 │ rgb(95,215,0) ║ ║ │ 78 │ "sea_green3" │ #5fd787 │ rgb(95,215,135) ║ ║ │ 79 │ "aquamarine3" │ #5fd7af │ rgb(95,215,175) ║ ║ │ 80 │ "medium_turquoise" │ #5fd7d7 │ rgb(95,215,215) ║ ║ │ 81 │ "steel_blue1" │ #5fd7ff │ rgb(95,215,255) ║ ║ │ 83 │ "sea_green2" │ #5fff5f │ rgb(95,255,95) ║ ║ │ 85 │ "sea_green1" │ #5fffaf │ rgb(95,255,175) ║ ║ │ 87 │ "dark_slate_gray2" │ #5fffff │ rgb(95,255,255) ║ ║ │ 88 │ "dark_red" │ #870000 │ rgb(135,0,0) ║ ║ │ 91 │ "dark_magenta" │ #8700af │ rgb(135,0,175) ║ ║ │ 94 │ "orange4" │ #875f00 │ rgb(135,95,0) ║ ║ │ 95 │ "light_pink4" │ #875f5f │ rgb(135,95,95) ║ ║ │ 96 │ "plum4" │ #875f87 │ rgb(135,95,135) ║ ║ │ 98 │ "medium_purple3" │ #875fd7 │ rgb(135,95,215) ║ ║ │ 99 │ "slate_blue1" │ #875fff │ rgb(135,95,255) ║ ║ │ 101 │ "wheat4" │ #87875f │ rgb(135,135,95) ║ ║ │ 102 │ "grey53" │ #878787 │ rgb(135,135,135) ║ ║ │ 103 │ "light_slate_grey" │ #8787af │ rgb(135,135,175) ║ ║ │ 104 │ "medium_purple" │ #8787d7 │ rgb(135,135,215) ║ ║ │ 105 │ "light_slate_blue" │ #8787ff │ rgb(135,135,255) ║ ║ │ 106 │ "yellow4" │ #87af00 │ rgb(135,175,0) ║ ║ │ 108 │ "dark_sea_green" │ #87af87 │ rgb(135,175,135) ║ ║ │ 110 │ "light_sky_blue3" │ #87afd7 │ rgb(135,175,215) ║ ║ │ 111 │ "sky_blue2" │ #87afff │ rgb(135,175,255) ║ ║ │ 112 │ "chartreuse2" │ #87d700 │ rgb(135,215,0) ║ ║ │ 114 │ "pale_green3" │ #87d787 │ rgb(135,215,135) ║ ║ │ 116 │ "dark_slate_gray3" │ #87d7d7 │ rgb(135,215,215) ║ ║ │ 117 │ "sky_blue1" │ #87d7ff │ rgb(135,215,255) ║ ║ │ 118 │ "chartreuse1" │ #87ff00 │ rgb(135,255,0) ║ ║ │ 120 │ "light_green" │ #87ff87 │ rgb(135,255,135) ║ ║ │ 122 │ "aquamarine1" │ #87ffd7 │ rgb(135,255,215) ║ ║ │ 123 │ "dark_slate_gray1" │ #87ffff │ rgb(135,255,255) ║ ║ │ 125 │ "deep_pink4" │ #af005f │ rgb(175,0,95) ║ ║ │ 126 │ "medium_violet_red" │ #af0087 │ rgb(175,0,135) ║ ║ │ 128 │ "dark_violet" │ #af00d7 │ rgb(175,0,215) ║ ║ │ 129 │ "purple" │ #af00ff │ rgb(175,0,255) ║ ║ │ 133 │ "medium_orchid3" │ #af5faf │ rgb(175,95,175) ║ ║ │ 134 │ "medium_orchid" │ #af5fd7 │ rgb(175,95,215) ║ ║ │ 136 │ "dark_goldenrod" │ #af8700 │ rgb(175,135,0) ║ ║ │ 138 │ "rosy_brown" │ #af8787 │ rgb(175,135,135) ║ ║ │ 139 │ "grey63" │ #af87af │ rgb(175,135,175) ║ ║ │ 140 │ "medium_purple2" │ #af87d7 │ rgb(175,135,215) ║ ║ │ 141 │ "medium_purple1" │ #af87ff │ rgb(175,135,255) ║ ║ │ 143 │ "dark_khaki" │ #afaf5f │ rgb(175,175,95) ║ ║ │ 144 │ "navajo_white3" │ #afaf87 │ rgb(175,175,135) ║ ║ │ 145 │ "grey69" │ #afafaf │ rgb(175,175,175) ║ ║ │ 146 │ "light_steel_blue3" │ #afafd7 │ rgb(175,175,215) ║ ║ │ 147 │ "light_steel_blue" │ #afafff │ rgb(175,175,255) ║ ║ │ 149 │ "dark_olive_green3" │ #afd75f │ rgb(175,215,95) ║ ║ │ 150 │ "dark_sea_green3" │ #afd787 │ rgb(175,215,135) ║ ║ │ 152 │ "light_cyan3" │ #afd7d7 │ rgb(175,215,215) ║ ║ │ 153 │ "light_sky_blue1" │ #afd7ff │ rgb(175,215,255) ║ ║ │ 154 │ "green_yellow" │ #afff00 │ rgb(175,255,0) ║ ║ │ 155 │ "dark_olive_green2" │ #afff5f │ rgb(175,255,95) ║ ║ │ 156 │ "pale_green1" │ #afff87 │ rgb(175,255,135) ║ ║ │ 157 │ "dark_sea_green2" │ #afffaf │ rgb(175,255,175) ║ ║ │ 159 │ "pale_turquoise1" │ #afffff │ rgb(175,255,255) ║ ║ │ 160 │ "red3" │ #d70000 │ rgb(215,0,0) ║ ║ │ 162 │ "deep_pink3" │ #d70087 │ rgb(215,0,135) ║ ║ │ 164 │ "magenta3" │ #d700d7 │ rgb(215,0,215) ║ ║ │ 166 │ "dark_orange3" │ #d75f00 │ rgb(215,95,0) ║ ║ │ 167 │ "indian_red" │ #d75f5f │ rgb(215,95,95) ║ ║ │ 168 │ "hot_pink3" │ #d75f87 │ rgb(215,95,135) ║ ║ │ 169 │ "hot_pink2" │ #d75faf │ rgb(215,95,175) ║ ║ │ 170 │ "orchid" │ #d75fd7 │ rgb(215,95,215) ║ ║ │ 172 │ "orange3" │ #d78700 │ rgb(215,135,0) ║ ║ │ 173 │ "light_salmon3" │ #d7875f │ rgb(215,135,95) ║ ║ │ 174 │ "light_pink3" │ #d78787 │ rgb(215,135,135) ║ ║ │ 175 │ "pink3" │ #d787af │ rgb(215,135,175) ║ ║ │ 176 │ "plum3" │ #d787d7 │ rgb(215,135,215) ║ ║ │ 177 │ "violet" │ #d787ff │ rgb(215,135,255) ║ ║ │ 178 │ "gold3" │ #d7af00 │ rgb(215,175,0) ║ ║ │ 179 │ "light_goldenrod3" │ #d7af5f │ rgb(215,175,95) ║ ║ │ 180 │ "tan" │ #d7af87 │ rgb(215,175,135) ║ ║ │ 181 │ "misty_rose3" │ #d7afaf │ rgb(215,175,175) ║ ║ │ 182 │ "thistle3" │ #d7afd7 │ rgb(215,175,215) ║ ║ │ 183 │ "plum2" │ #d7afff │ rgb(215,175,255) ║ ║ │ 184 │ "yellow3" │ #d7d700 │ rgb(215,215,0) ║ ║ │ 185 │ "khaki3" │ #d7d75f │ rgb(215,215,95) ║ ║ │ 187 │ "light_yellow3" │ #d7d7af │ rgb(215,215,175) ║ ║ │ 188 │ "grey84" │ #d7d7d7 │ rgb(215,215,215) ║ ║ │ 189 │ "light_steel_blue1" │ #d7d7ff │ rgb(215,215,255) ║ ║ │ 190 │ "yellow2" │ #d7ff00 │ rgb(215,255,0) ║ ║ │ 192 │ "dark_olive_green1" │ #d7ff87 │ rgb(215,255,135) ║ ║ │ 193 │ "dark_sea_green1" │ #d7ffaf │ rgb(215,255,175) ║ ║ │ 194 │ "honeydew2" │ #d7ffd7 │ rgb(215,255,215) ║ ║ │ 195 │ "light_cyan1" │ #d7ffff │ rgb(215,255,255) ║ ║ │ 196 │ "red1" │ #ff0000 │ rgb(255,0,0) ║ ║ │ 197 │ "deep_pink2" │ #ff005f │ rgb(255,0,95) ║ ║ │ 199 │ "deep_pink1" │ #ff00af │ rgb(255,0,175) ║ ║ │ 200 │ "magenta2" │ #ff00d7 │ rgb(255,0,215) ║ ║ │ 201 │ "magenta1" │ #ff00ff │ rgb(255,0,255) ║ ║ │ 202 │ "orange_red1" │ #ff5f00 │ rgb(255,95,0) ║ ║ │ 204 │ "indian_red1" │ #ff5f87 │ rgb(255,95,135) ║ ║ │ 206 │ "hot_pink" │ #ff5fd7 │ rgb(255,95,215) ║ ║ │ 207 │ "medium_orchid1" │ #ff5fff │ rgb(255,95,255) ║ ║ │ 208 │ "dark_orange" │ #ff8700 │ rgb(255,135,0) ║ ║ │ 209 │ "salmon1" │ #ff875f │ rgb(255,135,95) ║ ║ │ 210 │ "light_coral" │ #ff8787 │ rgb(255,135,135) ║ ║ │ 211 │ "pale_violet_red1" │ #ff87af │ rgb(255,135,175) ║ ║ │ 212 │ "orchid2" │ #ff87d7 │ rgb(255,135,215) ║ ║ │ 213 │ "orchid1" │ #ff87ff │ rgb(255,135,255) ║ ║ │ 214 │ "orange1" │ #ffaf00 │ rgb(255,175,0) ║ ║ │ 215 │ "sandy_brown" │ #ffaf5f │ rgb(255,175,95) ║ ║ │ 216 │ "light_salmon1" │ #ffaf87 │ rgb(255,175,135) ║ ║ │ 217 │ "light_pink1" │ #ffafaf │ rgb(255,175,175) ║ ║ │ 218 │ "pink1" │ #ffafd7 │ rgb(255,175,215) ║ ║ │ 219 │ "plum1" │ #ffafff │ rgb(255,175,255) ║ ║ │ 220 │ "gold1" │ #ffd700 │ rgb(255,215,0) ║ ║ │ 222 │ "light_goldenrod2" │ #ffd787 │ rgb(255,215,135) ║ ║ │ 223 │ "navajo_white1" │ #ffd7af │ rgb(255,215,175) ║ ║ │ 224 │ "misty_rose1" │ #ffd7d7 │ rgb(255,215,215) ║ ║ │ 225 │ "thistle1" │ #ffd7ff │ rgb(255,215,255) ║ ║ │ 226 │ "yellow1" │ #ffff00 │ rgb(255,255,0) ║ ║ │ 227 │ "light_goldenrod1" │ #ffff5f │ rgb(255,255,95) ║ ║ │ 228 │ "khaki1" │ #ffff87 │ rgb(255,255,135) ║ ║ │ 229 │ "wheat1" │ #ffffaf │ rgb(255,255,175) ║ ║ │ 230 │ "cornsilk1" │ #ffffd7 │ rgb(255,255,215) ║ ║ │ 231 │ "grey100" │ #ffffff │ rgb(255,255,255) ║ ║ │ 232 │ "grey3" │ #080808 │ rgb(8,8,8) ║ ║ │ 233 │ "grey7" │ #121212 │ rgb(18,18,18) ║ ║ │ 234 │ "grey11" │ #1c1c1c │ rgb(28,28,28) ║ ║ │ 235 │ "grey15" │ #262626 │ rgb(38,38,38) ║ ║ │ 236 │ "grey19" │ #303030 │ rgb(48,48,48) ║ ║ │ 237 │ "grey23" │ #3a3a3a │ rgb(58,58,58) ║ ║ │ 238 │ "grey27" │ #444444 │ rgb(68,68,68) ║ ║ │ 239 │ "grey30" │ #4e4e4e │ rgb(78,78,78) ║ ║ │ 240 │ "grey35" │ #585858 │ rgb(88,88,88) ║ ║ │ 241 │ "grey39" │ #626262 │ rgb(98,98,98) ║ ║ │ 242 │ "grey42" │ #6c6c6c │ rgb(108,108,108) ║ ║ │ 243 │ "grey46" │ #767676 │ rgb(118,118,118) ║ ║ │ 244 │ "grey50" │ #808080 │ rgb(128,128,128) ║ ║ │ 245 │ "grey54" │ #8a8a8a │ rgb(138,138,138) ║ ║ │ 246 │ "grey58" │ #949494 │ rgb(148,148,148) ║ ║ │ 247 │ "grey62" │ #9e9e9e │ rgb(158,158,158) ║ ║ │ 248 │ "grey66" │ #a8a8a8 │ rgb(168,168,168) ║ ║ │ 249 │ "grey70" │ #b2b2b2 │ rgb(178,178,178) ║ ║ │ 250 │ "grey74" │ #bcbcbc │ rgb(188,188,188) ║ ║ │ 251 │ "grey78" │ #c6c6c6 │ rgb(198,198,198) ║ ║ │ 252 │ "grey82" │ #d0d0d0 │ rgb(208,208,208) ║ ║ │ 253 │ "grey85" │ #dadada │ rgb(218,218,218) ║ ║ │ 254 │ "grey89" │ #e4e4e4 │ rgb(228,228,228) ║ ║ │ 255 │ "grey93" │ #eeeeee │ rgb(238,238,238) ║ ╚════════════╧════════╧═══════════════════════╧═════════╧══════════════════╝