Clickable file links with icons, toggles, and command orchestration widget for Textual TUI applications.
Project description
textual-filelink
Clickable file links for Textual applications. Open files in your editor directly from your TUI.
Features
- ๐ Clickable file links that open in your preferred editor (VSCode, vim, nano, etc.)
- โ๏ธ Toggle controls for selecting/deselecting files
- โ Remove buttons for file management interfaces
- ๐จ Multiple status icons with unicode support for rich visual feedback
- ๐ Icon positioning - place icons before or after filenames
- ๐ข Icon ordering - control display order with explicit indices
- ๐ Clickable icons - make icons interactive with click events
- ๐๏ธ Dynamic visibility - show/hide icons on the fly
- ๐ฏ Jump to specific line and column in your editor
- ๐ง Customizable command builders for any editor
- ๐ Command templates - easy editor configuration with Jinja2-style syntax
- ๐ญ Flexible layouts - show/hide controls as needed
- ๐ฌ Smart tooltips - automatic keyboard shortcut hints with optional control
- ๐ Command orchestration with play/stop controls and animated spinners
- โจ๏ธ Keyboard accessible - fully tabbable and navigable without a mouse
- ๐ Customizable keyboard shortcuts - configure your own key bindings
Installation
pip install textual-filelink
Or with PDM:
pdm add textual-filelink
Quick Start
Basic FileLink
from pathlib import Path
from textual.app import App, ComposeResult
from textual_filelink import FileLink
class MyApp(App):
def compose(self) -> ComposeResult:
# Auto-generates id="readme-md"
yield FileLink("README.md", line=10, column=5)
# Or provide explicit ID
yield FileLink("script.py", id="main-script")
def on_file_link_opened(self, event: FileLink.Opened):
self.notify(f"Opened {event.path.name} at line {event.line}")
if __name__ == "__main__":
MyApp().run()
CommandLink for Command Orchestration
CommandLink displays command status with play/stop controls and optional timer display for elapsed time and time-ago:
- โ โถ๏ธ Lint - Not run (no timer)
- โ [1] โถ๏ธ Lint - Not run with shortcut indicator
- โณ 12m 34s โน๏ธ Tests - Running for 12 minutes 34 seconds
- โ 5s ago โถ๏ธ Format - Completed 5 seconds ago
- โ 6d ago โถ๏ธ Build - Failed 6 days ago
from textual_filelink import CommandLink
class MyApp(App):
def compose(self) -> ComposeResult:
yield CommandLink(
"Run Tests",
output_path="test_output.log",
initial_status_icon="โ",
initial_status_tooltip="Not run yet",
show_settings=True,
show_timer=True, # Enable timer display
)
def on_command_link_play_clicked(self, event: CommandLink.PlayClicked):
link = self.query_one(CommandLink)
link.set_status(running=True, tooltip="Running tests...")
# Start your command here
def on_command_link_stop_clicked(self, event: CommandLink.StopClicked):
link = self.query_one(CommandLink)
link.set_status(icon="โน", running=False, tooltip="Stopped")
def on_command_link_settings_clicked(self, event: CommandLink.SettingsClicked):
self.notify(f"Settings for {event.name}")
if __name__ == "__main__":
MyApp().run()
With Timer:
from textual_filelink import CommandLink
import time
class MyApp(App):
def compose(self) -> ComposeResult:
yield CommandLink(
"Build Project",
show_timer=True, # Show elapsed/time-ago column
timer_field_width=12, # Fixed width (default: 12)
)
def on_command_link_play_clicked(self, event: CommandLink.PlayClicked):
link = self.query_one(CommandLink)
# Set status and timestamp in one call - widget handles all formatting
link.set_status(running=True, start_time=time.time())
# Widget automatically shows: "500ms", "1.0s", "2.4s", "1m 5s", etc.
def on_completion(self, link: CommandLink):
# Set status and end timestamp - widget shows "5s ago", "2m ago", etc.
link.set_status(icon="โ
", running=False, end_time=time.time())
FileLinkList for Managing Collections
from textual_filelink import FileLinkList, FileLink
class MyApp(App):
def compose(self) -> ComposeResult:
file_list = FileLinkList(show_toggles=True, show_remove=True)
# Add items (all items must have explicit IDs)
file_list.add_item(FileLink("test.py", id="test-py"), toggled=True)
file_list.add_item(FileLink("main.py", id="main-py"))
yield file_list
def on_file_link_list_item_toggled(self, event: FileLinkList.ItemToggled):
self.notify(f"Toggled: {event.item.path}")
def on_file_link_list_item_removed(self, event: FileLinkList.ItemRemoved):
self.notify(f"Removed: {event.item.path}")
if __name__ == "__main__":
MyApp().run()
FileLinkWithIcons for Composable File Links
from textual_filelink import FileLinkWithIcons, Icon
class MyApp(App):
def compose(self) -> ComposeResult:
yield FileLinkWithIcons(
"script.py",
line=42,
icons_before=[
Icon(name="status", icon="โ
", tooltip="Validated"),
Icon(name="type", icon="๐", tooltip="Python file"),
],
icons_after=[
Icon(name="lock", icon="๐", clickable=True, key="l", tooltip="Toggle lock"),
],
)
# Custom keyboard shortcuts
yield FileLinkWithIcons(
"config.yaml",
open_keys=["f2"], # Press F2 to open (instead of default Enter/O)
icons_before=[Icon(name="status", icon="โ")],
)
def on_file_link_with_icons_icon_clicked(self, event: FileLinkWithIcons.IconClicked):
self.notify(f"Clicked icon: {event.icon_name}")
if __name__ == "__main__":
MyApp().run()
Keyboard Navigation
Tab Navigation
All FileLink widgets are fully keyboard accessible and can be navigated using standard terminal keyboard shortcuts:
- Tab - Move focus to the next widget
- Shift+Tab - Move focus to the previous widget
When a FileLink widget has focus, it displays a visual indicator (border with accent color). You can customize the focus appearance using CSS.
Built-in Keyboard Shortcuts
All FileLink widgets support keyboard activation:
FileLink:
enteroro- Open file in editor
FileLinkWithIcons:
enteroro- Open file in editor (via embedded FileLink)1-9- Activate clickable icons (if defined withkeyparameter)
CommandLink:
enteroro- Open output file (if path is set)spaceorp- Play/Stop commands- Settings (if show_settings=True)
Default Keyboard Shortcuts
All widgets define class-level keyboard bindings via the BINDINGS class variable. These can be overridden per-instance using the open_keys, play_stop_keys, and settings_keys parameters:
FileLink:
# Class-level binding (defined in BINDINGS)
Binding("enter,o", "open_file", "Open", show=False)
Override per-instance:
link = FileLink("file.py", open_keys=["f2", "ctrl+o"])
FileLinkWithIcons: Inherits FileLink bindings and adds icon number bindings (1-9).
CommandLink:
# Class-level bindings (defined in BINDINGS)
Binding("enter,o", "open_output", "Open output", show=False),
Binding("space,p", "play_stop", "Play/Stop", show=False),
Binding("s", "settings", "Settings", show=False),
Override per-instance:
cmd = CommandLink("Build", open_keys=["f5"], play_stop_keys=["ctrl+r"])
Customizing Keyboard Shortcuts
You can customize keyboard shortcuts per-widget using the open_keys, play_stop_keys, and settings_keys parameters:
# FileLink with custom open keys
link = FileLink(
"file.py",
open_keys=["f2", "ctrl+o"] # Override default "enter"/"o"
)
# CommandLink with custom shortcuts
cmd = CommandLink(
"Build",
open_keys=["enter"],
play_stop_keys=["f5", "ctrl+r"],
settings_keys=["f2"]
)
Dynamic App-Level Bindings
Bind number keys to activate specific widgets in a list without requiring focus (useful for scrollable lists of commands):
from textual import events
from textual.app import App, ComposeResult
from textual.containers import ScrollableContainer
from textual_filelink import CommandLink
class MyApp(App):
def compose(self) -> ComposeResult:
with ScrollableContainer():
yield CommandLink("Build", id="cmd-1")
yield CommandLink("Test", id="cmd-2")
yield CommandLink("Deploy", id="cmd-3")
def on_key(self, event: events.Key) -> None:
"""Route number keys to commands - triggers play/stop toggle."""
if event.key.isdigit():
num = int(event.key)
commands = list(self.query(CommandLink))
if 0 < num <= len(commands):
cmd = commands[num - 1]
# Use action method to toggle play/stop automatically
cmd.action_play_stop()
event.prevent_default()
Keyboard Shortcut Discoverability
All interactive elements automatically display their keyboard shortcuts in tooltips. This makes keyboard navigation discoverable without reading documentation. Note that if tooltips are too long, textual may not render them properly (they may blink or have other odd behavior).
Examples:
- Toggle checkbox: "Click to toggle (space/t)"
- Remove button: "Remove (delete/x)"
- Play button: "Run command (space/p)"
- Settings: "Settings (s)"
- Clickable icon 1: "Status (1)"
FileLink API
Constructor
FileLink(
path: Path | str,
display_name: str | None = None,
*,
line: int | None = None,
column: int | None = None,
command_builder: Callable | None = None,
command_template: str | None = None,
open_keys: list[str] | None = None,
name: str | None = None,
id: str | None = None,
classes: str | None = None,
_embedded: bool = False,
tooltip: str | None = None,
)
Parameters:
path: Full path to the filedisplay_name: Text to display for the link. If None, defaults to the filenameline: Optional line number to jump tocolumn: Optional column number to jump tocommand_builder: Custom function to build the editor command (takes precedence over template)command_template: Template string for editor command (e.g.,"vim {{ line_plus }} {{ path }}")open_keys: Custom keyboard shortcuts for opening (default: ["enter", "o"])name: Widget nameid: Widget IDclasses: CSS classes_embedded: Internal use only. Internal use only. If True, disables focus to prevent stealing focus from parent widgets (used when FileLink is embedded in CommandLink or FileLinkWithIcons)tooltip: Optional tooltip text
Properties
path: Path- The file pathdisplay_name: str- The display nameline: int | None- The line numbercolumn: int | None- The column number
Class-Level Keyboard Bindings
FileLink defines default keyboard bindings at the class level:
BINDINGS = [
Binding("enter,o", "open_file", "Open", show=False),
]
Custom bindings can be set per-instance using the open_keys parameter.
Methods
open_file()
Open the file in the configured editor (can be called programmatically).
set_path(path, display_name=None, line=None, column=None)
Update the file path after initialization. Breaking change in v0.8.0: Line/column now clear when None instead of preserving previous values.
# Update to a new file path
link.set_path("new_file.py")
# Update with custom display name
link.set_path("output.log", display_name="Build Output")
# Update with line/column position (clears previous values if not specified)
link.set_path("script.py", line=42, column=10)
# Starting from v0.8.0: Line/column are cleared if not specified
link.set_path("different.py") # line and column are now None
Parameters:
path: Path | str- New file path (required)display_name: str | None- New display name. If None, uses filename (default: None)line: int | None- New line number. If None, clears to None (default: None)column: int | None- New column number. If None, clears to None (default: None)
Notes:
- Updates the internal path, display text, and tooltip
- Breaking change (v0.8.0): Line and column are cleared to None if not specified (previously preserved)
- To preserve existing values, explicitly pass them:
link.set_path("file.py", line=link.line, column=link.column) - Useful for updating file links after file operations or command completion
Messages
FileLink.Opened
Posted when the link is clicked or opened via keyboard.
Attributes:
widget: FileLink- The FileLink widget that was openedpath: Path- The file path that was openedline: int | None- The line number to navigate to (or None)column: int | None- The column number to navigate to (or None)
Note: FileLink.Clicked is deprecated and will be removed in v1.0. Use FileLink.Opened instead. Using FileLink.Clicked emits a DeprecationWarning.
Class-Level Configuration
# Set default command builder for all FileLink instances
FileLink.default_command_builder = FileLink.vim_command
# Set default open keys for all FileLink instances
FileLink.DEFAULT_OPEN_KEYS = ["enter", "f2"]
CommandLink API
CommandLink is a widget for command orchestration and status display. It provides play/stop controls, animated spinner, status icons, and optional settings.
Architecture
CommandLink is a standalone widget that extends Horizontal. It has a flat composition:
- Status icon (or animated spinner when running)
- Play/stop button (โถ๏ธ/โธ๏ธ)
- Command name (clickable FileLink if output_path is set)
- Settings icon (optional, if show_settings=True)
Note: Toggle and remove controls are NOT part of CommandLink. If you need those, add the CommandLink to a FileLinkList with show_toggles=True and show_remove=True.
Quick Start
from textual_filelink import CommandLink
class MyApp(App):
def compose(self) -> ComposeResult:
yield CommandLink(
"Run Tests",
output_path="test_output.log",
initial_status_icon="โ",
initial_status_tooltip="Not run yet",
show_settings=True,
)
def on_command_link_play_clicked(self, event: CommandLink.PlayClicked):
link = self.query_one(CommandLink)
link.set_status(running=True, tooltip="Running tests...")
self.run_worker(self.run_tests(link))
def on_command_link_stop_clicked(self, event: CommandLink.StopClicked):
link = self.query_one(CommandLink)
link.set_status(icon="โน", running=False, tooltip="Stopped")
def on_command_link_settings_clicked(self, event: CommandLink.SettingsClicked):
self.notify(f"Settings for {event.name}")
async def run_tests(self, link: CommandLink):
# Simulate test run
await asyncio.sleep(2)
link.set_status(icon="โ
", running=False, tooltip="All tests passed")
Custom Spinner Example:
# Faster circle spinner for quick operations
yield CommandLink(
"Quick Build",
spinner_frames=["โ", "โ", "โ", "โ"],
spinner_interval=0.05
)
Constructor
CommandLink(
command_name: str,
*,
output_path: Path | str | None = None,
command_builder: Callable | None = None,
command_template: str | None = None,
initial_status_icon: str = "โ",
initial_status_tooltip: str | None = None,
show_settings: bool = False,
show_timer: bool = False,
timer_field_width: int = 12,
start_time: float | None = None,
end_time: float | None = None,
tooltip: str | None = None,
open_keys: list[str] | None = None,
play_stop_keys: list[str] | None = None,
settings_keys: list[str] | None = None,
spinner_frames: list[str] | None = None,
spinner_interval: float = 0.1,
name: str | None = None,
id: str | None = None,
classes: str | None = None,
)
Parameters:
command_name: Command display name (also used to generate widget ID if not provided)output_path: Path to output file. If set, clicking command name opens the filecommand_builder: Custom command builder for opening output files (takes precedence over template)command_template: Template string for opening output files (e.g.,"vim {{ line_plus }} {{ path }}")initial_status_icon: Initial status icon (default: "โ")initial_status_tooltip: Initial tooltip for status iconshow_settings: Whether to show the settings icon (default: False)show_timer: Whether to show elapsed/time-ago timer column (default: False)timer_field_width: Fixed width for timer column in characters (default: 12)start_time: Unix timestamp when command started (for elapsed time display)end_time: Unix timestamp when command completed (for time-ago display)tooltip: Custom tooltip for command name widget. If None, uses command name. Keyboard shortcuts are automatically appendedopen_keys: Custom keyboard shortcuts for opening output (default: ["enter", "o"])play_stop_keys: Custom keyboard shortcuts for play/stop (default: ["space", "p"])settings_keys: Custom keyboard shortcuts for settings (default: ["s"])spinner_frames: Custom spinner animation frames (unicode characters). If None, uses Braille pattern. Example: ["โ", "โ", "โ", "โ"]spinner_interval: Seconds between spinner frame updates. Default: 0.1. Lower = faster spin. Example: 0.05name: Widget name for Textual's widget identification system (optional)id: Widget ID. If None, auto-generated from command_nameclasses: CSS classes
Layout
[status/spinner] [timer?] [โถ๏ธ/โธ๏ธ] command_name [โ๏ธ]
- status/spinner: Shows status icon, or animated spinner when running
- timer: Fixed-width elapsed/time-ago display (only if show_timer=True)
- play/stop: โถ๏ธ when stopped, โธ๏ธ when running
- command_name: Clickable link to output file (if output_path is set)
- settings: โ๏ธ icon (only if show_settings=True)
Properties
command_name: str- The command nameoutput_path: Path | None- Current output file pathis_running: bool- Whether the command is currently runningname: str | None- Widget name (Textual's widget identification system)
Class-Level Keyboard Bindings
CommandLink defines default keyboard bindings at the class level:
BINDINGS = [
Binding("enter,o", "open_output", "Open output", show=False),
Binding("space,p", "play_stop", "Play/Stop", show=False),
Binding("s", "settings", "Settings", show=False),
]
These bindings can be overridden per-instance using the open_keys, play_stop_keys, and settings_keys parameters.
Methods
set_start_time(timestamp) (NEW in v0.8.0)
Set command start timestamp for elapsed time display.
import time
# When command starts
link.set_start_time(time.time())
# Widget automatically shows: "500ms", "1.0s", "2.4s", "1m 5s", etc.
# Clear start time
link.set_start_time(None)
Parameters:
timestamp: float | None- Unix timestamp fromtime.time()when command started, or None to clear
Notes:
- Widget computes and formats elapsed time internally from timestamp
- Display updates automatically every 1 second (no external polling needed)
- Shows duration when running=True: milliseconds, decimal seconds, or compound units
- Self-contained widget design eliminates layering violations
set_end_time(timestamp) (NEW in v0.8.0)
Set command end timestamp for time-ago display.
import time
# When command completes
link.set_end_time(time.time())
# Widget automatically shows: "5s ago", "2m ago", "3h ago", etc.
# Clear end time
link.set_end_time(None)
Parameters:
timestamp: float | None- Unix timestamp fromtime.time()when command completed, or None to clear
Notes:
- Widget computes and formats time-ago internally from timestamp
- Display updates automatically every 1 second
- Shows single-unit time-ago when running=False: seconds, minutes, hours, days, weeks
set_status(icon=None, running=None, tooltip=None, name_tooltip=None, run_tooltip=None, stop_tooltip=None, start_time=None, end_time=None, append_shortcuts=True) (v0.8.0: Added start_time/end_time)
Update command status display and optionally update all tooltips and timer timestamps at once.
import time
# Basic status update
link.set_status(running=True, tooltip="Running tests...")
# Start with timer (NEW in v0.8.0)
link.set_status(running=True, start_time=time.time(), tooltip="Running tests...")
# Complete with success and timer (NEW in v0.8.0)
link.set_status(icon="โ
", running=False, end_time=time.time(), tooltip="All tests passed")
# Complete with failure
link.set_status(icon="โ", running=False, tooltip="3 tests failed")
# Update status and all tooltips together
link.set_status(
icon="โณ",
running=True,
tooltip="Building project",
name_tooltip="Project build",
run_tooltip="Start building",
stop_tooltip="Stop building"
)
# All tooltips get keyboard shortcuts appended automatically
# Disable keyboard shortcut appending
link.set_status(
running=True,
name_tooltip="โ ๏ธ CRITICAL DEPLOY โ ๏ธ",
run_tooltip="Deploy now",
stop_tooltip="Abort deployment",
append_shortcuts=False
)
set_output_path(output_path: Path | str | None)
Update the output file path.
link.set_output_path(Path("output.log"))
link.set_output_path(None) # Clear output path
set_name_tooltip(tooltip: str | None, append_shortcuts: bool = True)
Set custom tooltip for the command name widget.
# Tooltip with keyboard shortcuts (default)
link.set_name_tooltip("Build the project")
# Shows: "Build the project - Play/Stop (space/p), ..."
# Tooltip without shortcuts
link.set_name_tooltip("Build the project", append_shortcuts=False)
# Shows: "Build the project"
# Reset to default (command name)
link.set_name_tooltip(None)
set_play_stop_tooltips(run_tooltip: str | None = None, stop_tooltip: str | None = None, append_shortcuts: bool = True)
Set custom tooltips for the play/stop button. Tooltips automatically update based on running state.
# Tooltips with keyboard shortcuts (default)
link.set_play_stop_tooltips(
run_tooltip="Start build",
stop_tooltip="Cancel build"
)
# Shows: "Start build (space/p)" when not running
# "Cancel build (space/p)" when running
# Tooltips without shortcuts (useful for critical actions)
link.set_play_stop_tooltips(
run_tooltip="โ ๏ธ DEPLOY TO PROD โ ๏ธ",
stop_tooltip="โ ๏ธ STOP DEPLOYMENT โ ๏ธ",
append_shortcuts=False
)
# Update only one tooltip
link.set_play_stop_tooltips(run_tooltip="Execute")
set_settings_tooltip(tooltip: str | None, append_shortcuts: bool = True)
Set custom tooltip for the settings icon.
# Tooltip with keyboard shortcuts (default)
link.set_settings_tooltip("Build configuration")
# Shows: "Build configuration (s)"
# Tooltip without shortcuts
link.set_settings_tooltip("Build configuration", append_shortcuts=False)
# Shows: "Build configuration"
# Reset to default
link.set_settings_tooltip(None)
# Shows: "Settings (s)"
Messages
CommandLink.PlayClicked
Posted when play button (โถ๏ธ) is clicked.
Attributes:
widget: CommandLink- The CommandLink widget that was clickedname: str- The command nameoutput_path: Path | None- The output file path (or None if not set)
CommandLink.StopClicked
Posted when stop button (โธ๏ธ) is clicked.
Attributes:
widget: CommandLink- The CommandLink widget that was clickedname: str- The command nameoutput_path: Path | None- The output file path (or None if not set)
CommandLink.SettingsClicked
Posted when settings icon (โ๏ธ) is clicked (only if show_settings=True).
Attributes:
widget: CommandLink- The CommandLink widget that was clickedname: str- The command nameoutput_path: Path | None- The output file path (or None if not set)
CommandLink.OutputClicked
Posted when command name is clicked (opens output file).
Attributes:
output_path: Path- The output file path
Status Icons
Common status icons for commands:
"โ" # Not run / Unknown
"โ
" # Success / Passed
"โ" # Failed / Error
"โ ๏ธ" # Warning
"โญ๏ธ" # Skipped
"๐" # Needs rerun
"โน" # Stopped
Adding Toggle/Remove to CommandLink
CommandLink doesn't have built-in toggle/remove controls. Use FileLinkList to add them:
from textual_filelink import FileLinkList, CommandLink
class MyApp(App):
def compose(self) -> ComposeResult:
file_list = FileLinkList(show_toggles=True, show_remove=True)
# Add CommandLinks (must have explicit IDs)
file_list.add_item(
CommandLink("Build", id="cmd-build"),
toggled=True
)
file_list.add_item(
CommandLink("Test", id="cmd-test"),
toggled=False
)
yield file_list
Complete Example
from pathlib import Path
import asyncio
from textual.app import App, ComposeResult
from textual.containers import Vertical
from textual.widgets import Header, Footer, Static
from textual_filelink import CommandLink
class CommandRunnerApp(App):
CSS = """
Screen {
align: center middle;
}
Vertical {
width: 60;
height: auto;
border: solid green;
padding: 1;
}
"""
def compose(self) -> ComposeResult:
yield Header()
with Vertical():
yield Static("๐ Command Runner")
yield CommandLink(
"Unit Tests",
initial_status_icon="โ",
initial_status_tooltip="Not run",
show_settings=True,
id="unit-tests",
)
yield CommandLink(
"Lint",
initial_status_icon="โ",
initial_status_tooltip="Not run",
show_settings=False,
id="lint",
)
yield CommandLink(
"Build",
initial_status_icon="โ",
initial_status_tooltip="Not run",
show_settings=True,
id="build",
)
yield Footer()
def on_command_link_play_clicked(self, event: CommandLink.PlayClicked):
link = self.query_one(f"#{event.name}", CommandLink)
link.set_status(running=True, tooltip=f"Running {event.name}...")
self.run_worker(self.simulate_command(link, event.name))
def on_command_link_stop_clicked(self, event: CommandLink.StopClicked):
link = self.query_one(f"#{event.name}", CommandLink)
link.set_status(icon="โน", running=False, tooltip="Stopped")
self.notify(f"Stopped {event.name}", severity="warning")
def on_command_link_settings_clicked(self, event: CommandLink.SettingsClicked):
self.notify(f"Settings for {event.name}")
async def simulate_command(self, link: CommandLink, name: str):
await asyncio.sleep(2)
# Simulate success/failure
import random
if random.random() > 0.3:
link.set_status(icon="โ
", running=False, tooltip="Passed")
link.set_output_path(Path(f"{name.lower().replace(' ', '_')}.log"))
self.notify(f"{name} passed!", severity="information")
else:
link.set_status(icon="โ", running=False, tooltip="Failed")
self.notify(f"{name} failed!", severity="error")
if __name__ == "__main__":
CommandRunnerApp().run()
FileLinkList API
FileLinkList is a container for managing ANY Textual Widget with uniform toggle/remove controls.
Widget Support: Accepts any Widget subclass (FileLink, CommandLink, Button, Label, custom widgets, etc.) Requirement: All widgets must have explicit IDs
Features
- Automatic scrolling via
VerticalScroll - Optional toggle checkboxes for each item
- Optional remove buttons for each item
- ID validation (all items must have explicit IDs, no duplicates)
- Batch operations:
toggle_all(),remove_selected() - Widget-agnostic: Works with FileLink, FileLinkWithIcons, CommandLink, and any custom Widget
Constructor
FileLinkList(
*,
show_toggles: bool = False,
show_remove: bool = False,
id: str | None = None,
classes: str | None = None,
)
Parameters:
show_toggles: Whether to show toggle checkboxes for all itemsshow_remove: Whether to show remove buttons for all itemsid: Widget IDclasses: CSS classes
Methods
add_item(item: Widget, *, toggled: bool = False)
Add an item to the list.
file_list.add_item(FileLink("test.py", id="test-py"), toggled=True)
file_list.add_item(CommandLink("Build", id="cmd-build"))
Raises:
ValueErrorif item has no ID or ID is duplicate
remove_item(item: Widget)
Remove an item from the list.
file_list.remove_item(item)
clear_items()
Remove all items from the list.
file_list.clear_items()
toggle_all(value: bool)
Set all toggle checkboxes to the same value.
file_list.toggle_all(True) # Check all
file_list.toggle_all(False) # Uncheck all
remove_selected()
Remove all toggled items from the list.
file_list.remove_selected()
get_toggled_items() -> list[Widget]
Get all currently toggled items.
selected = file_list.get_toggled_items()
for item in selected:
print(item.path)
get_items() -> list[Widget]
Get all items in the list.
all_items = file_list.get_items()
Properties
len(file_list)- Number of items in the listiter(file_list)- Iterate over items
Messages
FileLinkList.ItemToggled
Posted when an item's toggle state changes.
Attributes:
item: Widget- The item that was toggledis_toggled: bool- New toggle state
FileLinkList.ItemRemoved
Posted when an item is removed.
Attributes:
item: Widget- The item that was removed
Example
from textual_filelink import FileLinkList, FileLink, CommandLink
class MyApp(App):
def compose(self) -> ComposeResult:
file_list = FileLinkList(show_toggles=True, show_remove=True)
# Mix different widget types (all need IDs)
file_list.add_item(FileLink("test.py", id="test-py"), toggled=True)
file_list.add_item(FileLink("main.py", id="main-py"))
file_list.add_item(CommandLink("Build", id="cmd-build"))
yield file_list
def on_mount(self):
file_list = self.query_one(FileLinkList)
# Batch operations
file_list.toggle_all(True)
selected = file_list.get_toggled_items()
self.notify(f"Selected: {len(selected)} items")
FileLinkWithIcons API
FileLinkWithIcons composes a FileLink with customizable icon indicators before and after the filename.
Layout
[icons_before] FileLink [icons_after]
Constructor
FileLinkWithIcons(
path: Path | str,
display_name: str | None = None,
*,
line: int | None = None,
column: int | None = None,
command_builder: Callable | None = None,
command_template: str | None = None,
icons_before: list[Icon] | None = None,
icons_after: list[Icon] | None = None,
name: str | None = None,
id: str | None = None,
classes: str | None = None,
tooltip: str | None = None,
)
Parameters:
path: Full path to the filedisplay_name: Text to display for the link. If None, defaults to filenameline: Optional line number to jump tocolumn: Optional column number to jump tocommand_builder: Function to build the editor command (takes precedence over template)command_template: Template string for editor command (e.g.,"vim {{ line_plus }} {{ path }}")icons_before: Icons to display before the filename (order preserved)icons_after: Icons to display after the filename (order preserved)name: Widget nameid: Widget IDclasses: CSS classestooltip: Optional tooltip for the entire widget
Icon Class
Icons are specified using the Icon dataclass:
from textual_filelink import Icon
Icon(
name: str, # REQUIRED: Unique identifier
icon: str, # REQUIRED: Unicode character
tooltip: str | None = None,
clickable: bool = False,
key: str | None = None,
visible: bool = True,
)
Icon Properties:
name(str, required): Unique identifier for this icon within the widgeticon(str, required): Unicode character to display (e.g., "โ ", "โ๏ธ", "๐")tooltip(str | None): Optional tooltip text shown on hoverclickable(bool): Whether clicking this icon emits IconClicked events (default: False)key(str | None): Optional keyboard shortcut to trigger this icon (e.g., "1", "s", "ctrl+x")visible(bool): Whether the icon is initially visible (default: True)
Icon Validation:
- Duplicate icon names raise
ValueError - Duplicate icon keys raise
ValueError - Icon keys cannot conflict with FileLink bindings ("o", "enter")
Properties
path: Path- The file pathline: int | None- The line numbercolumn: int | None- The column numberfile_link: FileLink- The internal FileLink widget (read-only access)
Class-Level Keyboard Bindings
FileLinkWithIcons inherits default keyboard bindings from FileLink and adds support for icon activation:
BINDINGS = [
Binding("enter,o", "open_file", "Open", show=False),
Binding("1", "icon_1", "", show=False),
Binding("2", "icon_2", "", show=False),
# ... up to icon_9
]
- Numbers 1-9 activate the first through ninth clickable icons (if
keyis set in Icon definition) - Custom icon shortcuts can be set per-icon using the
keyparameter
Methods
update_icon(name: str, **kwargs)
Update an icon's properties.
widget.update_icon("status", icon="โ
", tooltip="Passed")
widget.update_icon("warning", visible=True)
widget.update_icon("lock", clickable=True, key="l")
Updatable properties: icon, tooltip, clickable, visible, key
Raises:
ValueErrorif icon name not found or invalid property provided
set_icon_visible(name: str, visible: bool)
Set icon visibility.
widget.set_icon_visible("warning", True) # Show
widget.set_icon_visible("warning", False) # Hide
Raises:
ValueErrorif icon name not found
get_icon(name: str) -> Icon | None
Get icon by name.
icon = widget.get_icon("status")
if icon:
print(f"Icon: {icon.icon}, Visible: {icon.visible}")
set_path(path, display_name=None, line=None, column=None)
Update the file path and optionally line/column position. Delegates to the internal FileLink widget.
# Update to a new file path
widget.set_path("new_file.py")
# Update with custom display name
widget.set_path("output.log", display_name="Build Output")
# Update with line/column position (clears previous values if not specified)
widget.set_path("script.py", line=42, column=10)
# Starting from v0.8.0: Line/column are cleared if not specified
widget.set_path("different.py") # line and column are now None
Parameters:
path: Path | str- New file path (required)display_name: str | None- New display name. If None, uses filename (default: None)line: int | None- New line number. If None, clears to None (default: None)column: int | None- New column number. If None, clears to None (default: None)
Notes:
- Breaking change (v0.8.0): Line and column are cleared to None if not specified (previously preserved)
- To preserve existing values, explicitly pass them:
widget.set_path("file.py", line=widget.line, column=widget.column)
Messages
FileLinkWithIcons.IconClicked
Posted when a clickable icon is clicked.
Attributes:
widget: FileLinkWithIcons- The widget containing the clicked iconpath: Path- The file path associated with the FileLinkicon_name: str- The name identifier of the clicked iconicon_char: str- The unicode character displayed for the icon
Icon Examples
Basic Icons
from textual_filelink import FileLinkWithIcons, Icon
# Icons before filename
link = FileLinkWithIcons(
"script.py",
icons_before=[
Icon(name="type", icon="๐", tooltip="Python file"),
Icon(name="status", icon="โ
", tooltip="Validated"),
]
)
# Display: ๐ โ
script.py
# Icons after filename
link = FileLinkWithIcons(
"script.py",
icons_after=[
Icon(name="size", icon="๐", tooltip="Large file"),
Icon(name="sync", icon="โ๏ธ", tooltip="Synced"),
]
)
# Display: script.py ๐ โ๏ธ
# Mixed positions
link = FileLinkWithIcons(
"script.py",
icons_before=[
Icon(name="type", icon="๐"),
],
icons_after=[
Icon(name="lock", icon="๐"),
]
)
# Display: ๐ script.py ๐
Clickable Icons
from textual_filelink import FileLinkWithIcons, Icon
class MyApp(App):
def compose(self) -> ComposeResult:
yield FileLinkWithIcons(
"config.json",
icons_before=[
Icon(
name="edit",
icon="โ๏ธ",
clickable=True,
key="e",
tooltip="Edit"
),
Icon(
name="refresh",
icon="๐",
clickable=True,
key="r",
tooltip="Refresh"
),
]
)
def on_file_link_with_icons_icon_clicked(
self,
event: FileLinkWithIcons.IconClicked
):
if event.icon_name == "edit":
self.notify(f"Editing {event.path.name}")
elif event.icon_name == "refresh":
self.notify(f"Refreshing {event.path.name}")
Dynamic Icon Updates
from textual_filelink import FileLinkWithIcons, Icon
class MyApp(App):
def compose(self) -> ComposeResult:
yield FileLinkWithIcons(
"process.py",
id="task-file",
icons_before=[
Icon(name="status", icon="โณ", tooltip="Pending"),
],
icons_after=[
Icon(name="result", icon="โช", visible=False),
]
)
def on_mount(self):
# Simulate processing
self.set_timer(2.0, self.complete_task)
def complete_task(self):
widget = self.query_one("#task-file", FileLinkWithIcons)
widget.update_icon("status", icon="โ", tooltip="Complete")
widget.set_icon_visible("result", True)
widget.update_icon("result", icon="๐ข", tooltip="Success")
Hidden Icons
from textual_filelink import FileLinkWithIcons, Icon
# Start with hidden warning icon
link = FileLinkWithIcons(
"data.csv",
id="data-file",
icons_before=[
Icon(name="type", icon="๐"),
Icon(name="warning", icon="โ ๏ธ", visible=False), # Hidden initially
]
)
# Show warning later
def show_warning():
widget = self.query_one("#data-file", FileLinkWithIcons)
widget.set_icon_visible("warning", True)
widget.update_icon("warning", tooltip="Validation failed!")
Complete Example
from pathlib import Path
from textual.app import App, ComposeResult
from textual.containers import Vertical
from textual.widgets import Header, Footer, Static
from textual_filelink import FileLinkWithIcons, Icon
class IconFileApp(App):
CSS = """
Screen {
align: center middle;
}
Vertical {
width: 80;
height: auto;
border: solid green;
padding: 1;
}
"""
def compose(self) -> ComposeResult:
yield Header()
with Vertical():
yield Static("๐ Project Files with Icons")
# Python file with status
yield FileLinkWithIcons(
Path("main.py"),
line=42,
icons_before=[
Icon(name="type", icon="๐", tooltip="Python file"),
Icon(name="status", icon="โ
", tooltip="All checks passed"),
],
icons_after=[
Icon(name="coverage", icon="๐ฏ", tooltip="100% coverage"),
]
)
# Config file with clickable edit icon
yield FileLinkWithIcons(
Path("config.json"),
id="config-file",
icons_before=[
Icon(name="type", icon="โ๏ธ", tooltip="Config file"),
Icon(
name="edit",
icon="โ๏ธ",
clickable=True,
key="e",
tooltip="Edit config"
),
],
icons_after=[
Icon(name="lock", icon="๐", tooltip="Read-only"),
]
)
# Data file with processing status
yield FileLinkWithIcons(
Path("data.csv"),
id="data-file",
icons_before=[
Icon(name="type", icon="๐", tooltip="Data file"),
Icon(name="status", icon="โณ", tooltip="Processing..."),
],
icons_after=[
Icon(name="result", icon="โช", visible=False),
]
)
yield Footer()
def on_mount(self):
# Simulate processing completion after 3 seconds
self.set_timer(3.0, self.complete_processing)
def complete_processing(self):
widget = self.query_one("#data-file", FileLinkWithIcons)
widget.update_icon("status", icon="โ", tooltip="Processing complete")
widget.set_icon_visible("result", True)
widget.update_icon("result", icon="๐ข", tooltip="Success")
def on_file_link_with_icons_icon_clicked(
self,
event: FileLinkWithIcons.IconClicked
):
if event.icon_name == "edit":
self.notify(f"โ๏ธ Editing {event.path.name}")
# You could open an editor, show a modal, etc.
if __name__ == "__main__":
IconFileApp().run()
Custom Editor Commands
Using Built-in Command Builders
from textual_filelink import FileLink
# Set default for all FileLink instances
FileLink.default_command_builder = FileLink.vim_command
# Or per instance
link = FileLink(path, command_builder=FileLink.nano_command)
Available builders:
FileLink.vscode_command- VSCode (default)FileLink.vim_command- VimFileLink.nano_command- NanoFileLink.eclipse_command- EclipseFileLink.copy_path_command- Copy path to clipboard
Using Command Templates (Recommended)
Command templates provide an easier way to configure editors using Jinja2-style template strings:
from textual_filelink import FileLink, command_from_template
# Method 1: Use built-in template constants
link = FileLink("file.py", line=42, command_template=FileLink.VIM_TEMPLATE)
# Method 2: Write your own custom template
link = FileLink(
"file.py",
line=42,
command_template='myeditor "{{ path }}" --line {{ line }} --column {{ column }}'
)
# Method 3: Set class-level default for all FileLinks
FileLink.default_command_template = FileLink.VIM_TEMPLATE
# Method 4: Create builder explicitly (advanced)
builder = command_from_template("emacs +{{ line }} {{ path }}")
link = FileLink("file.py", command_builder=builder)
Built-in template constants:
FileLink.VSCODE_TEMPLATE-"code --goto {{ path }}:{{ line }}:{{ column }}"FileLink.VIM_TEMPLATE-"vim {{ line_plus }} {{ path }}"FileLink.SUBLIME_TEMPLATE-"subl {{ path }}:{{ line }}:{{ column }}"FileLink.NANO_TEMPLATE-"nano {{ line_plus }} {{ path }}"FileLink.ECLIPSE_TEMPLATE-"eclipse --launcher.openFile {{ path }}{{ line_colon }}"
Available template variables (9 total):
{{ path }}- Full absolute path{{ path_relative }}- Path relative to current directory (falls back to absolute){{ path_name }}- Just the filename{{ line }}- Line number (empty string if None){{ column }}- Column number (empty string if None){{ line_colon }}-:lineformat, e.g.,:42(empty if None){{ column_colon }}-:columnformat, e.g.,:5(empty if None){{ line_plus }}-+lineformat, e.g.,+42(empty if None) - for vim-style editors{{ column_plus }}-+columnformat, e.g.,+5(empty if None)
Template features:
- Strict validation - Unknown variables raise
ValueErrorat template creation - Automatic tokenization - Uses
shlex.split()for proper argument parsing - Handles spaces - Quote paths in templates:
'editor "{{ path }}"' - No dependencies - Simple string replacement, no Jinja2 library required
Priority order (when multiple options are set):
- Instance
command_builder(highest priority) - Instance
command_template - Class
default_command_builder - Class
default_command_template - Built-in VSCode command (fallback)
When to use templates vs custom builders:
- โ Use templates for simple formats (VSCode, Sublime, vim)
- โ Use custom builder functions for complex conditional logic
Custom Command Builder
def my_editor_command(path: Path, line: int | None, column: int | None) -> list[str]:
"""Build command for my custom editor."""
cmd = ["myeditor"]
if line:
cmd.extend(["--line", str(line)])
if column:
cmd.extend(["--column", str(column)])
cmd.append(str(path))
return cmd
link = FileLink(path, command_builder=my_editor_command)
Common Unicode Icons
# Status indicators
"โ" # Success/Complete
"โ " # Warning
"โ" # Error/Failed
"โณ" # In progress
"๐" # Locked
"๐" # Modified
"โ" # New/Added
"โ" # Deleted
"๐" # Syncing
# File types
"๐" # Document
"๐" # Folder
"๐" # Python file
"๐" # Data file
"โ๏ธ" # Config file
"๐" # Web file
"๐จ" # Image file
"๐ฆ" # Package/Archive
# Actions
"โ๏ธ" # Edit
"๐๏ธ" # View
"๐๏ธ" # Delete
"๐พ" # Save
"๐" # Copy
"๐" # Search
# States
"๐ข" # Success/Green
"๐ก" # Warning/Yellow
"๐ด" # Error/Red
"โช" # Neutral/White
"๐ฃ" # Info/Purple
"โซ" # Disabled/Black
"๐ฏ" # Perfect score
"โ" # Empty/Not started
Utility Functions
sanitize_id
from textual_filelink import sanitize_id
# Convert name to valid widget ID
widget_id = sanitize_id("Run Tests") # Returns: "run-tests"
widget_id = sanitize_id("src/main.py") # Returns: "src-main-py"
widget_id = sanitize_id("Build Project!") # Returns: "build-project-"
Description: Converts a name to a valid Textual widget ID by:
- Converting to lowercase
- Replacing spaces and path separators with hyphens
- Keeping only alphanumeric characters, hyphens, and underscores
format_duration (NEW in v0.8.0)
from textual_filelink import format_duration
# Format elapsed time as duration
duration = format_duration(0.5) # Returns: "500ms"
duration = format_duration(2.4) # Returns: "2.4s"
duration = format_duration(90) # Returns: "1m 30s"
duration = format_duration(3661) # Returns: "1h 1m"
duration = format_duration(90000) # Returns: "1d 1h"
duration = format_duration(691200) # Returns: "1w 1d"
Description: Formats seconds into a human-readable duration string with automatic unit selection:
- Milliseconds (< 1s): "500ms", "999ms"
- Decimal seconds (1-60s): "1.0s", "2.4s", "59.9s"
- Compound units (โฅ 60s): "1m 30s", "2h 5m", "1d 3h", "2w 3d"
- Negative values return empty string
- Used internally by CommandLink timer display
format_time_ago (NEW in v0.8.0)
from textual_filelink import format_time_ago
# Format elapsed time as time-ago
time_ago = format_time_ago(30) # Returns: "30s ago"
time_ago = format_time_ago(120) # Returns: "2m ago"
time_ago = format_time_ago(3661) # Returns: "1h ago"
time_ago = format_time_ago(86400) # Returns: "1d ago"
time_ago = format_time_ago(604800) # Returns: "1w ago"
Description: Formats elapsed seconds as a time-ago string with single-unit display:
- Seconds (< 60s): "5s ago", "59s ago"
- Minutes (< 60m): "1m ago", "59m ago"
- Hours (< 24h): "1h ago", "23h ago"
- Days (< 7d): "1d ago", "6d ago"
- Weeks (โฅ 7d): "1w ago", "2w ago"
- Negative values return empty string
- Used internally by CommandLink timer display
Development
# Clone the repository
git clone https://github.com/eyecantell/textual-filelink.git
cd textual-filelink
# Install with dev dependencies
pdm install -d
# Run tests
pdm run pytest
# Run tests with coverage
pdm run pytest --cov
# Lint
pdm run ruff check .
# Format
pdm run ruff format .
Logging
textual-filelink provides optional logging for debugging. By default, no logs are emitted (NullHandler - library best practice).
Quick Start
from textual_filelink import setup_logging
# Enable DEBUG logging to console
setup_logging(level="DEBUG")
# Or use standard Python logging
import logging
logging.basicConfig(level=logging.DEBUG)
What Gets Logged
- Command Execution: File paths, commands, return codes, stderr output
- Validation Errors: Icon duplicates, key conflicts, missing IDs
- Widget Lifecycle: Mounting, unmounting, timer intervals, status changes
Log Levels
DEBUG: Detailed diagnostic information (default when enabled)INFO: Confirmation of successful operationsERROR: Failures requiring attention
Configuration
from textual_filelink import setup_logging, disable_logging
# Basic setup
setup_logging(level="DEBUG")
# Custom format
setup_logging(
level="INFO",
format_string="%(levelname)s: %(message)s"
)
# Disable logging (useful for tests)
disable_logging()
Example Output
2026-01-03 10:30:45 - textual_filelink - DEBUG - _do_open_file:246 - Opening file: path=/app/main.py, line=10, col=5
2026-01-03 10:30:45 - textual_filelink - DEBUG - _do_open_file:251 - Executing: code --goto main.py:10:5
2026-01-03 10:30:45 - textual_filelink - INFO - _do_open_file:258 - Opened main.py
Contributing
Contributions are welcome! Please feel free to submit a Pull Request.
- Fork the repository
- Create your feature branch (
git checkout -b feature/AmazingFeature) - Commit your changes (
git commit -m 'Add some AmazingFeature') - Push to the branch (
git push origin feature/AmazingFeature) - Open a Pull Request
License
This project is licensed under the MIT License - see the LICENSE file for details.
Acknowledgments
- Built with Textual by Textualize
- Inspired by the need for better file navigation in terminal applications
Links
- PyPI: https://pypi.org/project/textual-filelink/
- GitHub: https://github.com/eyecantell/textual-filelink
- Issues: https://github.com/eyecantell/textual-filelink/issues
- Changelog: https://github.com/eyecantell/textual-filelink/blob/main/CHANGELOG.md
- Textual Documentation: https://textual.textualize.io/
Project details
Release history Release notifications | RSS feed
Download files
Download the file for your platform. If you're not sure which to choose, learn more about installing packages.
Source Distribution
Built Distribution
Filter files by name, interpreter, ABI, and platform.
If you're not sure about the file name format, learn more about wheel file names.
Copy a direct link to the current filters
File details
Details for the file textual_filelink-0.10.1.tar.gz.
File metadata
- Download URL: textual_filelink-0.10.1.tar.gz
- Upload date:
- Size: 73.8 kB
- Tags: Source
- Uploaded using Trusted Publishing? No
- Uploaded via: pdm/2.26.3 CPython/3.12.12 Linux/5.15.167.4-microsoft-standard-WSL2
File hashes
| Algorithm | Hash digest | |
|---|---|---|
| SHA256 |
25d31b47443000d80b042abd22cd2ae82ee742d18cbf004fec4e539399ba7e73
|
|
| MD5 |
af663fc84d6626ca5e093d25eed9dd98
|
|
| BLAKE2b-256 |
efff9c8a05dae8045f5860efcad16c6a2c161ed0cd3fa9e4a2c7e0865becbdfe
|
File details
Details for the file textual_filelink-0.10.1-py3-none-any.whl.
File metadata
- Download URL: textual_filelink-0.10.1-py3-none-any.whl
- Upload date:
- Size: 40.4 kB
- Tags: Python 3
- Uploaded using Trusted Publishing? No
- Uploaded via: pdm/2.26.3 CPython/3.12.12 Linux/5.15.167.4-microsoft-standard-WSL2
File hashes
| Algorithm | Hash digest | |
|---|---|---|
| SHA256 |
001f43b7ded32d49ec1958f26c0ceb79f61e69ac30d03371e80965a64b4e3909
|
|
| MD5 |
980a3334474a318fb561371544870094
|
|
| BLAKE2b-256 |
5001aa0e994afc9569bbac62d58ec860f27db433012776217eae8c8822ed480a
|