twitch-dl/twitchdl/output.py

167 lines
4.1 KiB
Python
Raw Normal View History

2024-03-30 06:32:12 +00:00
import click
2020-09-03 06:49:41 +00:00
import json
2018-01-25 10:09:20 +00:00
from itertools import islice
2020-04-11 11:08:42 +00:00
from twitchdl import utils
2024-04-01 07:40:54 +00:00
from typing import Any, Callable, Generator, TypeVar
2020-04-11 11:08:42 +00:00
from twitchdl.entities import Data
2018-01-25 10:09:20 +00:00
2024-04-01 07:40:54 +00:00
T = TypeVar("T")
2018-01-25 10:09:20 +00:00
2022-08-20 09:35:07 +00:00
def truncate(string: str, length: int) -> str:
2022-08-18 08:03:40 +00:00
if len(string) > length:
return string[:length - 1] + ""
return string
2022-08-20 09:35:07 +00:00
def print_json(data: Any):
2024-03-30 06:52:43 +00:00
click.echo(json.dumps(data))
2020-09-03 06:49:41 +00:00
2024-03-30 14:36:53 +00:00
def print_log(message: Any):
click.secho(message, err=True, dim=True)
2021-01-14 20:38:56 +00:00
2024-03-30 06:32:12 +00:00
def print_table(headers: list[str], data: list[list[str]]):
widths = [[len(cell) for cell in row] for row in data + [headers]]
widths = [max(width) for width in zip(*widths)]
underlines = ["-" * width for width in widths]
def print_row(row: list[str]):
for idx, cell in enumerate(row):
width = widths[idx]
click.echo(cell.ljust(width), nl=False)
click.echo(" ", nl=False)
click.echo()
print_row(headers)
print_row(underlines)
for row in data:
print_row(row)
2024-04-01 07:40:54 +00:00
def print_paged(
label: str,
generator: Generator[T, Any, Any],
print_fn: Callable[[T], None],
page_size: int,
total_count: int | None = None,
):
iterator = iter(generator)
page = list(islice(iterator, page_size))
first = 1
last = first + len(page) - 1
while True:
click.echo("-" * 80)
click.echo()
for item in page:
print_fn(item)
last = first + len(page) - 1
click.echo("-" * 80)
click.echo(f"{label} {first}-{last} of {total_count or '???'}")
first = first + len(page)
last = first + 1
page = list(islice(iterator, page_size))
if not page or not prompt_continue():
break
def print_video(video: Data):
published_at = video["publishedAt"].replace("T", " @ ").replace("Z", "")
length = utils.format_duration(video["lengthSeconds"])
2022-02-05 08:47:55 +00:00
channel = blue(video['creator']['displayName']) if video["creator"] else ""
playing = f"playing {blue(video['game']['name'])}" if video["game"] else ""
2020-04-11 11:08:42 +00:00
# Can't find URL in video object, strange
2024-03-28 11:06:50 +00:00
url = f"https://www.twitch.tv/videos/{video['id']}"
click.secho(f"Video {video['id']}", bold=True)
click.secho(f"{video['title']}", fg="green")
if channel or playing:
click.echo(" ".join([channel, playing]))
2024-03-29 08:22:50 +00:00
if video["description"]:
click.echo(f"Description: {video['description']}")
2024-03-29 08:22:50 +00:00
click.echo(f"Published {blue(published_at)} Length: {blue(length)} ")
click.secho(url, italic=True)
2024-04-01 07:40:54 +00:00
click.echo()
2020-09-03 06:49:41 +00:00
def print_video_compact(video: Data):
2022-08-18 08:03:40 +00:00
id = video["id"]
date = video["publishedAt"][:10]
game = video["game"]["name"] if video["game"] else ""
title = truncate(video["title"], 80).ljust(80)
click.echo(f"{bold(id)} {date} {green(title)} {blue(game)}")
2022-08-18 08:03:40 +00:00
def print_clip(clip: Data):
2020-09-03 06:49:41 +00:00
published_at = clip["createdAt"].replace("T", " @ ").replace("Z", "")
length = utils.format_duration(clip["durationSeconds"])
2021-01-14 20:38:56 +00:00
channel = clip["broadcaster"]["displayName"]
playing = f"playing {blue(clip['game']['name'])}" if clip["game"] else ""
click.echo(f"Clip {bold(clip['slug'])}")
click.secho(clip["title"], fg="green")
click.echo(f"{blue(channel)} {playing}")
click.echo(
f"Published {blue(published_at)}" +
f" Length: {blue(length)}" +
f" Views: {blue(clip['viewCount'])}"
2024-03-28 11:06:50 +00:00
)
click.secho(clip["url"], italic=True)
2024-04-01 07:40:54 +00:00
def prompt_continue():
enter = click.style("Enter", bold=True, fg="green")
ctrl_c = click.style("Ctrl+C", bold=True, fg="yellow")
click.echo(f"Press {enter} to continue, {ctrl_c} to break.")
try:
input()
except KeyboardInterrupt:
return False
return True
2024-03-30 14:36:53 +00:00
# Shorthand functions for coloring output
def blue(text: Any) -> str:
return click.style(text, fg="blue")
def cyan(text: Any) -> str:
return click.style(text, fg="cyan")
def green(text: Any) -> str:
return click.style(text, fg="green")
def yellow(text: Any) -> str:
return click.style(text, fg="yellow")
def bold(text: Any) -> str:
return click.style(text, bold=True)
def dim(text: Any) -> str:
return click.style(text, dim=True)