# ansi_string
ANSI String Formatter in Python for CLI Color and Style Formatting
**Table of Contents**
* [Introduction](#introduction)
* [Contribution](#contribution)
* [Installation](#installation)
* [Examples](#examples)
* [Usage](#usage)
## Introduction
This code was originally written for [greplica](https://pypi.org/project/greplica/), but I felt it deserved its own, separate library.
The main goals for this project are:
- To provide a simple way to construct a string-like object with embedded ANSI formatting without requiring the developer to know how ANSI formatting works
- Provide a way to further format the object using format string
- Allow for concatenation of the object
## Contribution
Feel free to open a bug report or make a merge request on [github](https://github.com/Tails86/ansi-string/issues).
## Installation
This project is uploaded to PyPI at https://pypi.org/project/ansi-string
To install, ensure you are connected to the internet and execute: `python3 -m pip install ansi-string --upgrade`
## Examples
These examples assume that ANSI formatting is enabled on the terminal. Refer to [Enabling ANSI Formatting](#enabling-ansi-formatting) to ensure this is enabled.
### Example 1
Code:
```py
from ansi_string import AnsiString
s = AnsiString('This string is red and bold', AnsiFormat.BOLD, AnsiFormat.RED)
print(s)
```
Output:
![Example 1 Output](https://raw.githubusercontent.com/Tails86/ansi-string/30f950ed81aef46e9d4ca993740f3dc8caedfdc3/docs/out1.png)
### Example 2
Code:
```py
from ansi_string import AnsiString, AnsiFormat
s = AnsiString.join('This ', AnsiString('string', AnsiFormat.BOLD))
s += AnsiString(' contains ') + AnsiString('multiple', AnsiFormat.BG_BLUE)
s += ' color settings across different ranges'
s.apply_formatting([AnsiFormat.FG_ORANGE, AnsiFormat.ITALIC], 21, 35)
# Blue and orange will conflict - blue applied on bottom, so orange will show for [21:35]
s.apply_formatting(AnsiFormat.FG_BLUE, 21, 44, topmost=False)
print(s)
```
Output:
![Example 2 Output](https://raw.githubusercontent.com/Tails86/ansi-string/30f950ed81aef46e9d4ca993740f3dc8caedfdc3/docs/out2.png)
### Example 3
Code:
```py
from ansi_string import AnsiString
s = AnsiString('This string will be formatted bold and red, right justify')
# An AnsiString format string uses the format: [string_format[:ansi_format]]
# For ansi_format, use any name within AnsiFormat and separate directives with semicolons
print('{:>90:bold;red}'.format(s))
```
Output:
![Example 3 Output](https://raw.githubusercontent.com/Tails86/ansi-string/30f950ed81aef46e9d4ca993740f3dc8caedfdc3/docs/out3.png)
### Example 4
Code:
```py
from ansi_string import AnsiString
s = AnsiString('This string will be formatted bold and red')
# Use double colon to skip specification of string_format
print('{::bold;red}'.format(s))
```
Output:
![Example 4 Output](https://raw.githubusercontent.com/Tails86/ansi-string/30f950ed81aef46e9d4ca993740f3dc8caedfdc3/docs/out4.png)
### Example 5
Code:
```py
from ansi_string import AnsiString
s1 = 'This is a normal string'
s2 = AnsiString('This is an ANSI string')
# AnsiString may also be used in an F-String
print(f'String 1: "{s1}" String 2: "{s2::bold;purple}"')
```
Output:
![Example 5 Output](https://raw.githubusercontent.com/Tails86/ansi-string/30f950ed81aef46e9d4ca993740f3dc8caedfdc3/docs/out5.png)
### Example 6
Code:
```py
from ansi_string import AnsiString
s = AnsiString('Manually adjust colors of foreground, background, and underline')
print(f'{s::rgb(0x8A2BE2);bg_rgb(100, 232, 170);ul_rgb(0xFF, 0x63, 0x47)}')
```
Output:
![Example 6 Output](https://raw.githubusercontent.com/Tails86/ansi-string/30f950ed81aef46e9d4ca993740f3dc8caedfdc3/docs/out6.png)
### Example 7
Code:
```py
from ansi_string import AnsiString, AnsiFormat
s = AnsiString(
'This example shows how to format and unformat matching',
AnsiFormat.dul_rgb(0xFF, 0x80, 0x00),
AnsiFormat.ITALIC
)
s.format_matching('[a-z]*mat', AnsiFormat.RED, match_case=True, regex=True)
s.unformat_matching('unformat') # don't specify any format to remove all formatting in matching range
print(s)
```
Output:
![Example 7 Output](https://raw.githubusercontent.com/Tails86/ansi-string/30f950ed81aef46e9d4ca993740f3dc8caedfdc3/docs/out7.png)
### Example 8
Code:
```py
from ansi_string import AnsiString, AnsiFormat
import itertools
colors = [AnsiFormat.RED, AnsiFormat.ORANGE, AnsiFormat.YELLOW, AnsiFormat.GREEN, AnsiFormat.BLUE, AnsiFormat.INDIGO, AnsiFormat.VIOLET]
s = AnsiString('IMAGINATION', AnsiFormat.BOLD)
for i, color in zip(range(len(s)), itertools.cycle(colors)):
s.apply_formatting(color, i, i+1)
print(s)
```
Output:
![Example 8 Output](https://raw.githubusercontent.com/Tails86/ansi-string/30f950ed81aef46e9d4ca993740f3dc8caedfdc3/docs/out8.png)
## Usage
## Enabling ANSI Formatting
Windows requires ANSI formatting to be enabled before it can be used. This can be locally enabled by calling the following before printing.
```py
en_tty_ansi()
```
If this also needs to be enabled for stderr, stderr may also be passed to this method.
```py
import sys
en_tty_ansi(sys.stderr)
```
For Windows, this returns True if the given IO is a TTY (i.e. not piped to a file) and enabling ANSI was successful. For all other operating systems, this will return True if and only if the given IO is a TTY (i.e. isatty()); no other action is taken.
## AnsiString and AnsiStr Classes
This library contains both `AnsiString` and `AnsiStr`. An `AnsiString` is mutable while an `AnsiStr` is immutable, and any formatting changes to `AnsiStr` will create a new `AnsiStr` object rather than applying in-place. The only advantage of `AnsiStr` over `AnsiString` is that `isinstance(AnsiStr(), str)` will return `True`. This may be useful when the string object needs to be passable to functions and methods which explicitly checks if the given object is a string.
### Construction
The `AnsiString` and `AnsiStr` classes contain the following `__init__` method.
```py
def __init__(self, s:Union[str,'AnsiString','AnsiStr']='', *settings:Union[AnsiFormat, AnsiSetting, str, int, list, tuple]): ...
```
The first argument, `s`, is a string to be formatted. If this string contains ANSI directives, they will be parsed and added into the internal format dictionary. The next 0 to N arguments are formatting setting directives that can be applied to the entire string. These arguments can be in the form of any of the following.
- The following setting types are guaranteed to be valid, optimizable, and won't throw any exception
- An AnsiFormat enum (ex: `AnsiFormat.BOLD`)
- The result of calling `AnsiFormat.rgb()`, `AnsiFormat.fg_rgb()`, `AnsiFormat.bg_rgb()`, `AnsiFormat.ul_rgb()`, or `AnsiFormat.dul_rgb()`
- The result of calling `AnsiFormat.color256()`, `AnsiFormat.fg_color256()`, `AnsiFormat.bg_color256()`, `AnsiFormat.ul_color256()`, `AnsiFormat.dul_color256()`, or `*colour256()` counterparts
- The following setting types are parsed and may throw and exception if they are invalid
- A string color or formatting name (i.e. any name of the AnsiFormat enum in lower or upper case)
- An `rgb(...)` function directive as a string (ex: `"rgb(255, 255, 255)"`)
- `rgb(...)` or `fg_rgb(...)` to adjust text color
- `bg_rgb(...)` to adjust background color
- `ul_rgb(...)` to enable underline and set the underline color
- `dul_rgb(...)` to enable double underline and set the underline color
- Value given may be either a 24-bit integer or 3 x 8-bit integers, separated by commas
- Each given value within the parenthesis is treated as hexadecimal if the value starts with "0x"; it is otherwise treated as a decimal value
- A `color256(...)` function directive as a string (ex: `"color256(255)"`)
- `color256(...)` or `fg_color256(...)` to adjust text color
- `bg_color256(...)` to adjust background color
- `ul_color256(...)` to enable underline and set the underline color
- `dul_color256(...)` to enable double underline and set the underline color
- Value given must be an 8-bit integer
- Value within the parenthesis is treated as hexadecimal if the value starts with "0x"; it is otherwise treated as a decimal value
- Alternative spelling, "colour" may also be used
- A string containing known ANSI directives (ex: `"01;31"` for BOLD and FG_RED)
- Only non-negative integers are valid; all other values will cause a ValueError exception
- Integer values which will be parsed in a similar way to above string ANSI directives
- The following setting types will be used verbatim as the ANSI graphics code and no exceptions will be thrown (handle with care)
- An `AnsiSetting` object generated using a string
- It is advised to check `AnsiSetting.valid` to ensure settings don't terminate the escape sequence
- A string which starts with the character `"["` plus ANSI directives (ex: `"[38;5;214"`)
- This will internally wrap the substring after the `"["` character into an `AnsiSetting` (ex: `"[38;5;214"` is equivalent to `AnsiSetting("38;5;214")`)
Hint: After creation, `is_formatting_parsable()` can be called to determine if all settings are parsable. Call `simplify()` in order to force invalid or redundant values to be thrown out.
Examples:
```py
# Set foreground to light_sea_green using string directive
# Set background to chocolate using AnsiFormat directive
# Underline in gray using ul_rgb() directive
# Enable italics using explicit string directive ("3")
# Enable bold using explicit integer directive (1)
s = AnsiString("This is an ANSI string", "light_sea_green", AnsiFormat.BG_CHOCOLATE, "ul_rgb(0x808080)", "3", 1)
print(s)
```
### Concatenation
- The static methods `AnsiString.join()` and `AnsiStr.join()` are provided to join together 0 to many `AnsiStr`, `AnsiString`, and `str` values into a single `AnsiString` or `AnsiStr`.
- The `+` operator may be used to join an `AnsiString` or `AnsiStr` with another `AnsiStr`, `AnsiString`, or `str` into a new object
- The `+` operator may not be used if the left-hand-side value is a `str` and the right-hand-side values is an `AnsiString` or `AnsiStr`
- The `+=` operator may be used to append an `AnsiStr`, `AnsiString`, or `str` to an `AnsiString` or `AnsiStr`
Examples:
```py
s = AnsiString.join("This ", AnsiStr("string", AnsiFormat.BOLD))
s += AnsiStr(" contains ") + AnsiStr("multiple", AnsiFormat.BG_BLUE)
s += AnsiString(" color ", AnsiFormat.FG_ORANGE, AnsiFormat.ITALIC) + "settings accross different ranges"
print(s)
```
### Apply Formatting
The method `apply_formatting()` is provided to apply formatting to a set range of characters.
Example:
```py
s = AnsiString("This string contains multiple color settings across different ranges")
s.apply_formatting(AnsiFormat.BOLD, 5, 11)
s.apply_formatting(AnsiFormat.BG_BLUE, 21, 29)
s.apply_formatting([AnsiFormat.FG_ORANGE, AnsiFormat.ITALIC], 21, 35)
print(s)
# This will result in the same printout using AnsiStr instead of AnsiString
s = AnsiStr("This string contains multiple color settings across different ranges")
s = s.apply_formatting(AnsiFormat.BOLD, 5, 11)
s = s.apply_formatting(AnsiFormat.BG_BLUE, 21, 29)
s = s.apply_formatting([AnsiFormat.FG_ORANGE, AnsiFormat.ITALIC], 21, 35)
print(s)
```
### Format String
A format string may be used to format an `AnsiString` or `AnsiStr` before printing. The format specification string must be in the format `"[string_format[:ansi_format]]"` where `string_format` is an extension of the standard string format specifier and `ansi_format` contains 0 or more ANSI directives separated by semicolons (;). The ANSI directives may be any of the same string values that can be passed to the `AnsiString` constructor. If no `string_format` is desired, then it can be set to an empty string.
Examples:
```py
ansi_str = AnsiString("This is an ANSI string")
# Right justify with width of 100, formatted with underline and colored red.
# By default, all fill characters will take on the first character's formatting.
print("{:>100:underline;red}".format(ansi_str))
# The character after the first colon is the fill character. The following minus
# sign means that the fill character won't take on the first character's
# formatting like it did above.
print("{: ->100:underline;red}".format(ansi_str))
# No justification settings, formatted bold and red
print("{::bold;red}".format(ansi_str))
# No justification settings, formatted bold and red
print("{::bold;rgb(255, 0, 0)}".format(ansi_str))
# No justification settings, formatted bold and red
print(f"{ansi_str::bold;red}")
# Format text, background, and underline with custom colors
fg_color = 0x8A2BE2
bg_colors = [100, 232, 170]
ul_colors = [0xFF, 0x63, 0x47]
print(f"{ansi_str::rgb({fg_color});bg_rgb({bg_colors});ul_rgb({ul_colors})}")
```
### Formatting and Unformatting Matching
The methods `format_matching()` and `unformat_matching()` are provided to apply or remove formatting based on a match specification.
Example:
```py
s = AnsiString("Here is a strING that I will match formatting", AnsiFormat.BOLD)
# This will make the word "formatting" cyan with a pink background
s.format_matching("[A-Za-z]+ing", "cyan", AnsiFormat.BG_PINK, regex=True, match_case=True)
# This will remove BOLD from "strING" and "formatting"
s.unformat_matching("[A-Za-z]+ing", AnsiFormat.BOLD, regex=True)
print(s)
# This will result in the same printout using AnsiStr instead of AnsiString
s = AnsiStr("Here is a strING that I will match formatting", AnsiFormat.BOLD)
# This will make the word "formatting" cyan with a pink background
s = s.format_matching("[A-Za-z]+ing", "cyan", AnsiFormat.BG_PINK, regex=True, match_case=True)
# This will remove BOLD from "strING" and "formatting"
s = s.unformat_matching("[A-Za-z]+ing", AnsiFormat.BOLD, regex=True)
print(s)
```
### Other Notable Formatting Methods
- `is_formatting_valid()`: check if all formatting is valid in the sense that it won't print garbage on the terminal
- `is_formatting_parsable()`: check if the formatting is valid AND parsable into internally-known directives
- `simplify()`: simplify formatting settings by removing invalid and redundant codes
- `clear_formatting()`: clear all formatting applied
- `assign_str()`: assign the internal string and adjust formatting as necessary
- `base_str`: read-only property which returns the unformatted base string
- `ansi_settings_at()`: retrieve the settings applied over a single character
- `settings_at()`: similar to `ansi_settings_at()`, but a single string of directives is returned
- `find_settings()`: find start and end index of one or more settings
- `to_str()`: convert to a str with ANSI directives applied; this contains extra output formatting attributes over `__str__()`
### Other String Methods
Many other methods that are found in the `str` class such as `replace()` are available in `AnsiString` and `AnsiStr` which manipulate the string while applying formatting where necessary.
- capitalize
- casefold
- center
- count
- encode
- endswith
- expandtabs
- find
- index
- isalnum
- isalpha
- isascii
- isdecimal
- isdigit
- isidentifier
- islower
- isnumeric
- isprintable
- isspace
- istitle
- isupper
- ljust
- lower
- lstrip
- partition
- removeprefix
- removesuffix
- replace
- rfind
- rindex
- rjust
- rpartition
- rsplit
- rstrip
- split
- splitlines
- strip
- swapcase
- title
- upper
- zfill
## ParsedAnsiControlSequenceString Class
The `ParsedAnsiControlSequenceString` class may be used to parse any ANSI control sequence string. Check the `sequences` attribute after creation for the parsed sequences. This is used internally to parse graphic control sequences from an incoming ANSI string into an `AnsiString`.
## Other Library Functionality
### Parsing
- `parse_graphic_sequence()`: parses graphic sequence string into a list of `AnsiSettings`
- `settings_to_dict()`: converts a list of `AnsiSettings` into a dictionary which keys off of an effect type
### Cursor and Clear ANSI Control Sequence Generation
The following functions are provided to create strings which perform cursor or clear actions on the terminal when printed to the terminal. Take note that when calling `print()` with these, the `end` character should be set to an empty string `''` to ensure the cursor is not advanced after performing the operation.
- `cursor_up_str()`
- `cursor_down_str()`
- `cursor_forward_str()`
- `cursor_backward_str()`
- `cursor_back_str()`
- `cursor_next_line_str()`
- `cursor_previous_line_str()`
- `cursor_horizontal_absolute_str()`
- `cursor_position_str()`
- `erase_in_display_str()`
- `erase_in_line_str()`
- `scroll_up_str()`
- `scroll_down_str()`
#### Example
```py
from ansi_string import cursor_up_str
# Move cursor up 5 lines
print(cursor_up_str(5), end='')
```
Raw data
{
"_id": null,
"home_page": "https://github.com/Tails86/ansi-string",
"name": "ansi-string",
"maintainer": null,
"docs_url": null,
"requires_python": ">=3.6",
"maintainer_email": null,
"keywords": "ANSI, string",
"author": "James Smith",
"author_email": "jmsmith86@gmail.com",
"download_url": "https://files.pythonhosted.org/packages/5f/cd/87758690af8ac473fbc5b8f9dce00eb4030cdc42d944a64d7808444865f8/ansi_string-1.1.11.tar.gz",
"platform": null,
"description": "# ansi_string\n\nANSI String Formatter in Python for CLI Color and Style Formatting\n\n**Table of Contents**\n* [Introduction](#introduction)\n* [Contribution](#contribution)\n* [Installation](#installation)\n* [Examples](#examples)\n* [Usage](#usage)\n\n## Introduction\n\nThis code was originally written for [greplica](https://pypi.org/project/greplica/), but I felt it deserved its own, separate library.\n\nThe main goals for this project are:\n- To provide a simple way to construct a string-like object with embedded ANSI formatting without requiring the developer to know how ANSI formatting works\n- Provide a way to further format the object using format string\n- Allow for concatenation of the object\n\n## Contribution\n\nFeel free to open a bug report or make a merge request on [github](https://github.com/Tails86/ansi-string/issues).\n\n## Installation\n\nThis project is uploaded to PyPI at https://pypi.org/project/ansi-string\n\nTo install, ensure you are connected to the internet and execute: `python3 -m pip install ansi-string --upgrade`\n\n## Examples\n\nThese examples assume that ANSI formatting is enabled on the terminal. Refer to [Enabling ANSI Formatting](#enabling-ansi-formatting) to ensure this is enabled.\n\n### Example 1\n\nCode:\n```py\nfrom ansi_string import AnsiString\ns = AnsiString('This string is red and bold', AnsiFormat.BOLD, AnsiFormat.RED)\nprint(s)\n```\nOutput:\n![Example 1 Output](https://raw.githubusercontent.com/Tails86/ansi-string/30f950ed81aef46e9d4ca993740f3dc8caedfdc3/docs/out1.png)\n\n### Example 2\n\nCode:\n```py\nfrom ansi_string import AnsiString, AnsiFormat\ns = AnsiString.join('This ', AnsiString('string', AnsiFormat.BOLD))\ns += AnsiString(' contains ') + AnsiString('multiple', AnsiFormat.BG_BLUE)\ns += ' color settings across different ranges'\ns.apply_formatting([AnsiFormat.FG_ORANGE, AnsiFormat.ITALIC], 21, 35)\n# Blue and orange will conflict - blue applied on bottom, so orange will show for [21:35]\ns.apply_formatting(AnsiFormat.FG_BLUE, 21, 44, topmost=False)\nprint(s)\n```\nOutput:\n![Example 2 Output](https://raw.githubusercontent.com/Tails86/ansi-string/30f950ed81aef46e9d4ca993740f3dc8caedfdc3/docs/out2.png)\n\n### Example 3\n\nCode:\n```py\nfrom ansi_string import AnsiString\ns = AnsiString('This string will be formatted bold and red, right justify')\n# An AnsiString format string uses the format: [string_format[:ansi_format]]\n# For ansi_format, use any name within AnsiFormat and separate directives with semicolons\nprint('{:>90:bold;red}'.format(s))\n```\nOutput:\n![Example 3 Output](https://raw.githubusercontent.com/Tails86/ansi-string/30f950ed81aef46e9d4ca993740f3dc8caedfdc3/docs/out3.png)\n\n### Example 4\n\nCode:\n```py\nfrom ansi_string import AnsiString\ns = AnsiString('This string will be formatted bold and red')\n# Use double colon to skip specification of string_format\nprint('{::bold;red}'.format(s))\n```\nOutput:\n![Example 4 Output](https://raw.githubusercontent.com/Tails86/ansi-string/30f950ed81aef46e9d4ca993740f3dc8caedfdc3/docs/out4.png)\n\n### Example 5\n\nCode:\n```py\nfrom ansi_string import AnsiString\ns1 = 'This is a normal string'\ns2 = AnsiString('This is an ANSI string')\n# AnsiString may also be used in an F-String\nprint(f'String 1: \"{s1}\" String 2: \"{s2::bold;purple}\"')\n```\nOutput:\n![Example 5 Output](https://raw.githubusercontent.com/Tails86/ansi-string/30f950ed81aef46e9d4ca993740f3dc8caedfdc3/docs/out5.png)\n\n### Example 6\n\nCode:\n```py\nfrom ansi_string import AnsiString\ns = AnsiString('Manually adjust colors of foreground, background, and underline')\nprint(f'{s::rgb(0x8A2BE2);bg_rgb(100, 232, 170);ul_rgb(0xFF, 0x63, 0x47)}')\n```\nOutput:\n![Example 6 Output](https://raw.githubusercontent.com/Tails86/ansi-string/30f950ed81aef46e9d4ca993740f3dc8caedfdc3/docs/out6.png)\n\n### Example 7\n\nCode:\n```py\nfrom ansi_string import AnsiString, AnsiFormat\ns = AnsiString(\n 'This example shows how to format and unformat matching',\n AnsiFormat.dul_rgb(0xFF, 0x80, 0x00),\n AnsiFormat.ITALIC\n)\ns.format_matching('[a-z]*mat', AnsiFormat.RED, match_case=True, regex=True)\ns.unformat_matching('unformat') # don't specify any format to remove all formatting in matching range\nprint(s)\n```\nOutput:\n![Example 7 Output](https://raw.githubusercontent.com/Tails86/ansi-string/30f950ed81aef46e9d4ca993740f3dc8caedfdc3/docs/out7.png)\n\n### Example 8\n\nCode:\n```py\nfrom ansi_string import AnsiString, AnsiFormat\nimport itertools\ncolors = [AnsiFormat.RED, AnsiFormat.ORANGE, AnsiFormat.YELLOW, AnsiFormat.GREEN, AnsiFormat.BLUE, AnsiFormat.INDIGO, AnsiFormat.VIOLET]\ns = AnsiString('IMAGINATION', AnsiFormat.BOLD)\nfor i, color in zip(range(len(s)), itertools.cycle(colors)):\n s.apply_formatting(color, i, i+1)\nprint(s)\n```\nOutput:\n![Example 8 Output](https://raw.githubusercontent.com/Tails86/ansi-string/30f950ed81aef46e9d4ca993740f3dc8caedfdc3/docs/out8.png)\n\n## Usage\n\n## Enabling ANSI Formatting\n\nWindows requires ANSI formatting to be enabled before it can be used. This can be locally enabled by calling the following before printing.\n```py\nen_tty_ansi()\n```\n\nIf this also needs to be enabled for stderr, stderr may also be passed to this method.\n```py\nimport sys\nen_tty_ansi(sys.stderr)\n```\n\nFor Windows, this returns True if the given IO is a TTY (i.e. not piped to a file) and enabling ANSI was successful. For all other operating systems, this will return True if and only if the given IO is a TTY (i.e. isatty()); no other action is taken.\n\n## AnsiString and AnsiStr Classes\n\nThis library contains both `AnsiString` and `AnsiStr`. An `AnsiString` is mutable while an `AnsiStr` is immutable, and any formatting changes to `AnsiStr` will create a new `AnsiStr` object rather than applying in-place. The only advantage of `AnsiStr` over `AnsiString` is that `isinstance(AnsiStr(), str)` will return `True`. This may be useful when the string object needs to be passable to functions and methods which explicitly checks if the given object is a string.\n\n### Construction\n\nThe `AnsiString` and `AnsiStr` classes contain the following `__init__` method.\n\n```py\ndef __init__(self, s:Union[str,'AnsiString','AnsiStr']='', *settings:Union[AnsiFormat, AnsiSetting, str, int, list, tuple]): ...\n```\n\nThe first argument, `s`, is a string to be formatted. If this string contains ANSI directives, they will be parsed and added into the internal format dictionary. The next 0 to N arguments are formatting setting directives that can be applied to the entire string. These arguments can be in the form of any of the following.\n\n- The following setting types are guaranteed to be valid, optimizable, and won't throw any exception\n - An AnsiFormat enum (ex: `AnsiFormat.BOLD`)\n - The result of calling `AnsiFormat.rgb()`, `AnsiFormat.fg_rgb()`, `AnsiFormat.bg_rgb()`, `AnsiFormat.ul_rgb()`, or `AnsiFormat.dul_rgb()`\n - The result of calling `AnsiFormat.color256()`, `AnsiFormat.fg_color256()`, `AnsiFormat.bg_color256()`, `AnsiFormat.ul_color256()`, `AnsiFormat.dul_color256()`, or `*colour256()` counterparts\n- The following setting types are parsed and may throw and exception if they are invalid\n - A string color or formatting name (i.e. any name of the AnsiFormat enum in lower or upper case)\n - An `rgb(...)` function directive as a string (ex: `\"rgb(255, 255, 255)\"`)\n - `rgb(...)` or `fg_rgb(...)` to adjust text color\n - `bg_rgb(...)` to adjust background color\n - `ul_rgb(...)` to enable underline and set the underline color\n - `dul_rgb(...)` to enable double underline and set the underline color\n - Value given may be either a 24-bit integer or 3 x 8-bit integers, separated by commas\n - Each given value within the parenthesis is treated as hexadecimal if the value starts with \"0x\"; it is otherwise treated as a decimal value\n - A `color256(...)` function directive as a string (ex: `\"color256(255)\"`)\n - `color256(...)` or `fg_color256(...)` to adjust text color\n - `bg_color256(...)` to adjust background color\n - `ul_color256(...)` to enable underline and set the underline color\n - `dul_color256(...)` to enable double underline and set the underline color\n - Value given must be an 8-bit integer\n - Value within the parenthesis is treated as hexadecimal if the value starts with \"0x\"; it is otherwise treated as a decimal value\n - Alternative spelling, \"colour\" may also be used\n - A string containing known ANSI directives (ex: `\"01;31\"` for BOLD and FG_RED)\n - Only non-negative integers are valid; all other values will cause a ValueError exception\n - Integer values which will be parsed in a similar way to above string ANSI directives\n- The following setting types will be used verbatim as the ANSI graphics code and no exceptions will be thrown (handle with care)\n - An `AnsiSetting` object generated using a string\n - It is advised to check `AnsiSetting.valid` to ensure settings don't terminate the escape sequence\n - A string which starts with the character `\"[\"` plus ANSI directives (ex: `\"[38;5;214\"`)\n - This will internally wrap the substring after the `\"[\"` character into an `AnsiSetting` (ex: `\"[38;5;214\"` is equivalent to `AnsiSetting(\"38;5;214\")`)\n\nHint: After creation, `is_formatting_parsable()` can be called to determine if all settings are parsable. Call `simplify()` in order to force invalid or redundant values to be thrown out.\n\nExamples:\n\n```py\n# Set foreground to light_sea_green using string directive\n# Set background to chocolate using AnsiFormat directive\n# Underline in gray using ul_rgb() directive\n# Enable italics using explicit string directive (\"3\")\n# Enable bold using explicit integer directive (1)\ns = AnsiString(\"This is an ANSI string\", \"light_sea_green\", AnsiFormat.BG_CHOCOLATE, \"ul_rgb(0x808080)\", \"3\", 1)\nprint(s)\n```\n\n### Concatenation\n\n- The static methods `AnsiString.join()` and `AnsiStr.join()` are provided to join together 0 to many `AnsiStr`, `AnsiString`, and `str` values into a single `AnsiString` or `AnsiStr`.\n- The `+` operator may be used to join an `AnsiString` or `AnsiStr` with another `AnsiStr`, `AnsiString`, or `str` into a new object\n - The `+` operator may not be used if the left-hand-side value is a `str` and the right-hand-side values is an `AnsiString` or `AnsiStr`\n- The `+=` operator may be used to append an `AnsiStr`, `AnsiString`, or `str` to an `AnsiString` or `AnsiStr`\n\nExamples:\n\n```py\ns = AnsiString.join(\"This \", AnsiStr(\"string\", AnsiFormat.BOLD))\ns += AnsiStr(\" contains \") + AnsiStr(\"multiple\", AnsiFormat.BG_BLUE)\ns += AnsiString(\" color \", AnsiFormat.FG_ORANGE, AnsiFormat.ITALIC) + \"settings accross different ranges\"\nprint(s)\n```\n\n### Apply Formatting\n\nThe method `apply_formatting()` is provided to apply formatting to a set range of characters.\n\nExample:\n\n```py\ns = AnsiString(\"This string contains multiple color settings across different ranges\")\ns.apply_formatting(AnsiFormat.BOLD, 5, 11)\ns.apply_formatting(AnsiFormat.BG_BLUE, 21, 29)\ns.apply_formatting([AnsiFormat.FG_ORANGE, AnsiFormat.ITALIC], 21, 35)\nprint(s)\n\n# This will result in the same printout using AnsiStr instead of AnsiString\ns = AnsiStr(\"This string contains multiple color settings across different ranges\")\ns = s.apply_formatting(AnsiFormat.BOLD, 5, 11)\ns = s.apply_formatting(AnsiFormat.BG_BLUE, 21, 29)\ns = s.apply_formatting([AnsiFormat.FG_ORANGE, AnsiFormat.ITALIC], 21, 35)\nprint(s)\n```\n\n### Format String\n\nA format string may be used to format an `AnsiString` or `AnsiStr` before printing. The format specification string must be in the format `\"[string_format[:ansi_format]]\"` where `string_format` is an extension of the standard string format specifier and `ansi_format` contains 0 or more ANSI directives separated by semicolons (;). The ANSI directives may be any of the same string values that can be passed to the `AnsiString` constructor. If no `string_format` is desired, then it can be set to an empty string.\n\nExamples:\n\n```py\nansi_str = AnsiString(\"This is an ANSI string\")\n# Right justify with width of 100, formatted with underline and colored red.\n# By default, all fill characters will take on the first character's formatting.\nprint(\"{:>100:underline;red}\".format(ansi_str))\n\n# The character after the first colon is the fill character. The following minus\n# sign means that the fill character won't take on the first character's\n# formatting like it did above.\nprint(\"{: ->100:underline;red}\".format(ansi_str))\n\n# No justification settings, formatted bold and red\nprint(\"{::bold;red}\".format(ansi_str))\n\n# No justification settings, formatted bold and red\nprint(\"{::bold;rgb(255, 0, 0)}\".format(ansi_str))\n\n# No justification settings, formatted bold and red\nprint(f\"{ansi_str::bold;red}\")\n\n# Format text, background, and underline with custom colors\nfg_color = 0x8A2BE2\nbg_colors = [100, 232, 170]\nul_colors = [0xFF, 0x63, 0x47]\nprint(f\"{ansi_str::rgb({fg_color});bg_rgb({bg_colors});ul_rgb({ul_colors})}\")\n```\n\n### Formatting and Unformatting Matching\n\nThe methods `format_matching()` and `unformat_matching()` are provided to apply or remove formatting based on a match specification.\n\nExample:\n\n```py\ns = AnsiString(\"Here is a strING that I will match formatting\", AnsiFormat.BOLD)\n# This will make the word \"formatting\" cyan with a pink background\ns.format_matching(\"[A-Za-z]+ing\", \"cyan\", AnsiFormat.BG_PINK, regex=True, match_case=True)\n# This will remove BOLD from \"strING\" and \"formatting\"\ns.unformat_matching(\"[A-Za-z]+ing\", AnsiFormat.BOLD, regex=True)\nprint(s)\n\n# This will result in the same printout using AnsiStr instead of AnsiString\ns = AnsiStr(\"Here is a strING that I will match formatting\", AnsiFormat.BOLD)\n# This will make the word \"formatting\" cyan with a pink background\ns = s.format_matching(\"[A-Za-z]+ing\", \"cyan\", AnsiFormat.BG_PINK, regex=True, match_case=True)\n# This will remove BOLD from \"strING\" and \"formatting\"\ns = s.unformat_matching(\"[A-Za-z]+ing\", AnsiFormat.BOLD, regex=True)\nprint(s)\n```\n\n### Other Notable Formatting Methods\n\n- `is_formatting_valid()`: check if all formatting is valid in the sense that it won't print garbage on the terminal\n- `is_formatting_parsable()`: check if the formatting is valid AND parsable into internally-known directives\n- `simplify()`: simplify formatting settings by removing invalid and redundant codes\n- `clear_formatting()`: clear all formatting applied\n- `assign_str()`: assign the internal string and adjust formatting as necessary\n- `base_str`: read-only property which returns the unformatted base string\n- `ansi_settings_at()`: retrieve the settings applied over a single character\n- `settings_at()`: similar to `ansi_settings_at()`, but a single string of directives is returned\n- `find_settings()`: find start and end index of one or more settings\n- `to_str()`: convert to a str with ANSI directives applied; this contains extra output formatting attributes over `__str__()`\n\n### Other String Methods\n\nMany other methods that are found in the `str` class such as `replace()` are available in `AnsiString` and `AnsiStr` which manipulate the string while applying formatting where necessary.\n\n- capitalize\n- casefold\n- center\n- count\n- encode\n- endswith\n- expandtabs\n- find\n- index\n- isalnum\n- isalpha\n- isascii\n- isdecimal\n- isdigit\n- isidentifier\n- islower\n- isnumeric\n- isprintable\n- isspace\n- istitle\n- isupper\n- ljust\n- lower\n- lstrip\n- partition\n- removeprefix\n- removesuffix\n- replace\n- rfind\n- rindex\n- rjust\n- rpartition\n- rsplit\n- rstrip\n- split\n- splitlines\n- strip\n- swapcase\n- title\n- upper\n- zfill\n\n## ParsedAnsiControlSequenceString Class\n\nThe `ParsedAnsiControlSequenceString` class may be used to parse any ANSI control sequence string. Check the `sequences` attribute after creation for the parsed sequences. This is used internally to parse graphic control sequences from an incoming ANSI string into an `AnsiString`.\n\n## Other Library Functionality\n\n### Parsing\n\n- `parse_graphic_sequence()`: parses graphic sequence string into a list of `AnsiSettings`\n- `settings_to_dict()`: converts a list of `AnsiSettings` into a dictionary which keys off of an effect type\n\n### Cursor and Clear ANSI Control Sequence Generation\n\nThe following functions are provided to create strings which perform cursor or clear actions on the terminal when printed to the terminal. Take note that when calling `print()` with these, the `end` character should be set to an empty string `''` to ensure the cursor is not advanced after performing the operation.\n\n- `cursor_up_str()`\n- `cursor_down_str()`\n- `cursor_forward_str()`\n- `cursor_backward_str()`\n- `cursor_back_str()`\n- `cursor_next_line_str()`\n- `cursor_previous_line_str()`\n- `cursor_horizontal_absolute_str()`\n- `cursor_position_str()`\n- `erase_in_display_str()`\n- `erase_in_line_str()`\n- `scroll_up_str()`\n- `scroll_down_str()`\n\n#### Example\n\n```py\nfrom ansi_string import cursor_up_str\n# Move cursor up 5 lines\nprint(cursor_up_str(5), end='')\n```\n",
"bugtrack_url": null,
"license": null,
"summary": "ANSI String Formatter in Python for CLI Color and Style Formatting",
"version": "1.1.11",
"project_urls": {
"Bug Reports": "https://github.com/Tails86/ansi-string/issues",
"Documentation": "https://github.com/Tails86/ansi-string",
"Homepage": "https://github.com/Tails86/ansi-string",
"Source Code": "https://github.com/Tails86/ansi-string"
},
"split_keywords": [
"ansi",
" string"
],
"urls": [
{
"comment_text": "",
"digests": {
"blake2b_256": "13367e8e3f28610d7afcb96b72046f82f8a914997937a59c032f44490627c93a",
"md5": "94732ab0a470dde4cced768fd3463d02",
"sha256": "539735868b56a7726f6e3d3aa337bdaecfc4c610fe0dcf66c0259becc3ff0a28"
},
"downloads": -1,
"filename": "ansi_string-1.1.11-py3-none-any.whl",
"has_sig": false,
"md5_digest": "94732ab0a470dde4cced768fd3463d02",
"packagetype": "bdist_wheel",
"python_version": "py3",
"requires_python": ">=3.6",
"size": 48026,
"upload_time": "2024-11-27T02:04:46",
"upload_time_iso_8601": "2024-11-27T02:04:46.436651Z",
"url": "https://files.pythonhosted.org/packages/13/36/7e8e3f28610d7afcb96b72046f82f8a914997937a59c032f44490627c93a/ansi_string-1.1.11-py3-none-any.whl",
"yanked": false,
"yanked_reason": null
},
{
"comment_text": "",
"digests": {
"blake2b_256": "5fcd87758690af8ac473fbc5b8f9dce00eb4030cdc42d944a64d7808444865f8",
"md5": "9557628c450f3cd6e810f54deaa1731c",
"sha256": "ce0e10b7da8926ebb24a29ffb80e30e5651ea203c484df19848bc3850eb0807d"
},
"downloads": -1,
"filename": "ansi_string-1.1.11.tar.gz",
"has_sig": false,
"md5_digest": "9557628c450f3cd6e810f54deaa1731c",
"packagetype": "sdist",
"python_version": "source",
"requires_python": ">=3.6",
"size": 50786,
"upload_time": "2024-11-27T02:04:48",
"upload_time_iso_8601": "2024-11-27T02:04:48.503044Z",
"url": "https://files.pythonhosted.org/packages/5f/cd/87758690af8ac473fbc5b8f9dce00eb4030cdc42d944a64d7808444865f8/ansi_string-1.1.11.tar.gz",
"yanked": false,
"yanked_reason": null
}
],
"upload_time": "2024-11-27 02:04:48",
"github": true,
"gitlab": false,
"bitbucket": false,
"codeberg": false,
"github_user": "Tails86",
"github_project": "ansi-string",
"travis_ci": false,
"coveralls": false,
"github_actions": true,
"tox": true,
"lcname": "ansi-string"
}