2021-06-05 21:48:42 +02:00
|
|
|
import logging
|
|
|
|
import re
|
|
|
|
import socket
|
|
|
|
from enum import Enum
|
|
|
|
from typing import Optional
|
|
|
|
|
|
|
|
from bebop.browser.browser import Browser
|
2021-06-06 03:02:32 +02:00
|
|
|
from bebop.command_line import CommandLine
|
2021-06-11 18:26:41 +02:00
|
|
|
from bebop.downloads import get_download_path
|
2021-06-05 21:48:42 +02:00
|
|
|
from bebop.links import Links
|
|
|
|
from bebop.metalines import LineType
|
2021-06-11 18:26:41 +02:00
|
|
|
from bebop.mime import MimeType
|
2021-06-11 15:48:21 +02:00
|
|
|
from bebop.navigation import parse_url, parse_host_and_port, unparse_url
|
2021-06-05 21:48:42 +02:00
|
|
|
from bebop.page import Page
|
2021-06-11 15:48:21 +02:00
|
|
|
from bebop.plugins import PluginCommand, SchemePlugin
|
2021-06-05 21:48:42 +02:00
|
|
|
|
|
|
|
|
|
|
|
class ItemType(Enum):
|
|
|
|
FILE = "0"
|
|
|
|
DIR = "1"
|
2021-06-06 03:02:32 +02:00
|
|
|
CCSO = "2"
|
2021-06-05 21:48:42 +02:00
|
|
|
ERROR = "3"
|
|
|
|
BINHEXED = "4"
|
|
|
|
DOS = "5"
|
|
|
|
UUENC = "6"
|
|
|
|
SEARCH = "7"
|
|
|
|
TELNET = "8"
|
|
|
|
BINARY = "9"
|
|
|
|
REDUNDANT = "+"
|
|
|
|
TN3270 = "T"
|
|
|
|
GIF = "g"
|
|
|
|
IMAGE = "I"
|
|
|
|
# These are not in the original RFC but encountered frequently.
|
|
|
|
INFO = "i"
|
|
|
|
DOC = "d"
|
|
|
|
HTML = "h"
|
|
|
|
SOUND = "s"
|
|
|
|
_missing_ = lambda s: ItemType.FILE
|
|
|
|
|
|
|
|
|
2021-06-11 18:26:41 +02:00
|
|
|
# Types that can be parsed as a page (see `parse_source`).
|
|
|
|
PARSABLE_TYPES = (ItemType.FILE, ItemType.DIR)
|
2021-06-11 15:48:21 +02:00
|
|
|
# Types that are not rendered by this plugin; should be handled by a separate
|
|
|
|
# program, but for now we simply do nothing with them.
|
2021-06-06 03:02:32 +02:00
|
|
|
UNHANDLED_TYPES = (
|
|
|
|
ItemType.CCSO, ItemType.ERROR, ItemType.TELNET, ItemType.REDUNDANT,
|
|
|
|
ItemType.TN3270
|
|
|
|
)
|
2021-06-11 15:48:21 +02:00
|
|
|
# Map item types lowercase names to the actual type, to easily set a type from
|
|
|
|
# the command-line.
|
|
|
|
USER_FRIENDLY_TYPES = {t.name.lower(): t for t in ItemType}
|
|
|
|
# Icons to display for some item types in a Gopher map.
|
2021-06-05 21:48:42 +02:00
|
|
|
ICONS = {
|
|
|
|
ItemType.FILE: "📄",
|
|
|
|
ItemType.DIR: "📂",
|
2021-06-08 14:46:07 +02:00
|
|
|
ItemType.SEARCH: "✍ ",
|
2021-06-05 21:48:42 +02:00
|
|
|
ItemType.HTML: "🌐",
|
|
|
|
}
|
|
|
|
|
|
|
|
|
|
|
|
# This regex checks if the URL respects RFC 4266 and has an item type.
|
|
|
|
TYPE_PATH_RE = re.compile(r"^/([\d\+TgIidhs])(.*)")
|
|
|
|
|
|
|
|
|
|
|
|
class GopherPluginException(Exception):
|
|
|
|
|
|
|
|
def __init__(self, message: str) -> None:
|
|
|
|
super().__init__()
|
|
|
|
self.message = message
|
|
|
|
|
|
|
|
|
|
|
|
class GopherPlugin(SchemePlugin):
|
|
|
|
|
|
|
|
def __init__(self) -> None:
|
|
|
|
super().__init__("gopher")
|
2021-06-11 15:48:21 +02:00
|
|
|
self.commands = [
|
|
|
|
PluginCommand(
|
|
|
|
"set-item-type",
|
|
|
|
"display current page as another item type (Gopher only)"
|
|
|
|
)
|
|
|
|
]
|
2021-06-05 21:48:42 +02:00
|
|
|
|
|
|
|
def open_url(self, browser: Browser, url: str) -> Optional[str]:
|
2021-08-05 12:53:44 +02:00
|
|
|
"""Request a selector from a Gopher host.
|
2021-06-11 15:48:21 +02:00
|
|
|
|
|
|
|
As Bebop works only with URLs and not really the Gopher host/selector
|
|
|
|
format, we use RFC 4266 (“The gopher URI Scheme”) for consistency with
|
|
|
|
other schemes and to get that sweet item type hint in the URL path.
|
|
|
|
"""
|
2021-06-05 21:48:42 +02:00
|
|
|
parts = parse_url(url)
|
|
|
|
host = parts["netloc"]
|
|
|
|
host_and_port = parse_host_and_port(host, 70)
|
|
|
|
if host_and_port is None:
|
|
|
|
browser.set_status_error("Could not parse gopher URL.")
|
|
|
|
return None
|
|
|
|
host, port = host_and_port
|
2021-06-08 14:46:07 +02:00
|
|
|
# Decode path; spaces in Gopher URLs are encoded for display in Bebop.
|
|
|
|
path = parts["path"].replace("%20", " ")
|
2021-06-05 21:48:42 +02:00
|
|
|
|
|
|
|
# If the URL has an item type, use it to properly parse the response.
|
|
|
|
type_path_match = TYPE_PATH_RE.match(path)
|
|
|
|
if type_path_match:
|
|
|
|
item_type = ItemType(type_path_match.group(1))
|
|
|
|
path = type_path_match.group(2)
|
2021-06-06 03:02:32 +02:00
|
|
|
# Don't try to open a Telnet connection or other silly retro things.
|
|
|
|
if item_type in UNHANDLED_TYPES:
|
|
|
|
browser.set_status_error(f"Unhandled item {item_type.name}.")
|
|
|
|
return None
|
|
|
|
# Let user input some text for search items.
|
|
|
|
if item_type == ItemType.SEARCH:
|
|
|
|
user_input = browser.get_user_text_input(
|
|
|
|
"Input:",
|
|
|
|
CommandLine.CHAR_TEXT,
|
|
|
|
strip=True
|
|
|
|
)
|
|
|
|
if not user_input:
|
|
|
|
return None
|
|
|
|
item_type = ItemType.DIR
|
|
|
|
previous_search_index = path.find("%09")
|
|
|
|
if previous_search_index > -1:
|
|
|
|
path = path[:previous_search_index]
|
|
|
|
path = f"{path}\t{user_input}"
|
|
|
|
# Note that we don't try to handle "h" items here because if the URL
|
|
|
|
# actually uses http scheme, it should not end up in this plugin.
|
2021-06-05 21:48:42 +02:00
|
|
|
else:
|
|
|
|
item_type = ItemType.DIR
|
2021-06-06 03:02:32 +02:00
|
|
|
|
2021-06-08 14:46:07 +02:00
|
|
|
# If we have spaces in our path, encode it for UI & logging.
|
|
|
|
encoded_path = path.replace(" ", "%20").replace("\t", "%09")
|
2021-06-06 03:02:32 +02:00
|
|
|
browser.set_status(f"Loading {host} {port} '{encoded_path}'…")
|
|
|
|
|
2021-06-05 21:48:42 +02:00
|
|
|
timeout = browser.config["connect_timeout"]
|
|
|
|
try:
|
2021-06-08 14:46:07 +02:00
|
|
|
response = request(host, port, path, timeout)
|
2021-06-05 21:48:42 +02:00
|
|
|
except GopherPluginException as exc:
|
|
|
|
browser.set_status_error("Error: " + exc.message)
|
|
|
|
return None
|
2021-06-06 03:02:32 +02:00
|
|
|
|
|
|
|
url = f"gopher://{host}:{port}/{item_type.value}{encoded_path}"
|
2021-06-11 18:26:41 +02:00
|
|
|
if item_type in PARSABLE_TYPES:
|
|
|
|
page = parse_response(response, item_type)
|
|
|
|
browser.load_page(page)
|
|
|
|
browser.current_url = url
|
|
|
|
else:
|
|
|
|
download_dir = browser.config["download_path"]
|
|
|
|
filepath = get_download_path(url, download_dir=download_dir)
|
|
|
|
try:
|
|
|
|
with open(filepath, "wb") as download_file:
|
|
|
|
download_file.write(response)
|
|
|
|
except OSError as exc:
|
|
|
|
browser.set_status_error(f"Failed to save {url} ({exc})")
|
|
|
|
return None
|
|
|
|
else:
|
|
|
|
browser.set_status(f"Downloaded {url}.")
|
|
|
|
browser.last_download = None, filepath
|
|
|
|
|
2021-06-05 21:48:42 +02:00
|
|
|
return url
|
|
|
|
|
2021-06-11 15:48:21 +02:00
|
|
|
def use_command(self, browser: Browser, name: str, text: str):
|
|
|
|
if name == "set-item-type":
|
|
|
|
given_type = text[len(name):].strip()
|
|
|
|
valid_types = [
|
|
|
|
t for t in USER_FRIENDLY_TYPES
|
|
|
|
if USER_FRIENDLY_TYPES[t] not in UNHANDLED_TYPES
|
|
|
|
]
|
|
|
|
if given_type not in valid_types:
|
|
|
|
error = "Valid types: " + ", ".join(valid_types)
|
|
|
|
browser.set_status_error(error)
|
|
|
|
return
|
|
|
|
item_type = USER_FRIENDLY_TYPES[given_type]
|
|
|
|
self.set_item_type(browser, item_type)
|
|
|
|
|
|
|
|
def set_item_type(self, browser: Browser, item_type: ItemType):
|
|
|
|
"""Re-parse the current page using this item type."""
|
|
|
|
if browser.current_scheme != self.scheme or not browser.current_page:
|
|
|
|
browser.set_status_error("Can only set item types on Gopher URLs.")
|
|
|
|
return
|
|
|
|
|
|
|
|
logging.debug(f"Force parsing current page as {item_type}…")
|
|
|
|
current_source = browser.current_page.source
|
|
|
|
new_page = get_page_from_source(current_source, item_type)
|
|
|
|
browser.load_page(new_page)
|
|
|
|
|
|
|
|
# If possible, set the correct item type in the URL path as well.
|
|
|
|
url = browser.current_url
|
|
|
|
parts = parse_url(browser.current_url)
|
|
|
|
type_path_match = TYPE_PATH_RE.match(parts["path"])
|
|
|
|
if type_path_match:
|
|
|
|
path = type_path_match.group(2)
|
|
|
|
parts["path"] = f"/{item_type.value}{path}"
|
|
|
|
browser.current_url = unparse_url(parts)
|
|
|
|
|
2021-06-05 21:48:42 +02:00
|
|
|
|
2021-06-11 15:48:21 +02:00
|
|
|
def request(host: str, port: int, path: str, timeout: int) -> bytes:
|
|
|
|
"""Send a Gopher request and return the received bytes."""
|
2021-06-08 14:46:07 +02:00
|
|
|
try:
|
|
|
|
sock = socket.create_connection((host, port), timeout=timeout)
|
|
|
|
except OSError as exc:
|
|
|
|
raise GopherPluginException("failed to establish connection")
|
|
|
|
|
|
|
|
try:
|
|
|
|
request_str = path.encode() + b"\r\n"
|
|
|
|
except ValueError as exc:
|
|
|
|
raise GopherPluginException("could not encode path")
|
|
|
|
|
|
|
|
sock.sendall(request_str)
|
|
|
|
response = b""
|
|
|
|
while True:
|
2021-06-05 21:48:42 +02:00
|
|
|
try:
|
2021-06-08 14:46:07 +02:00
|
|
|
buf = sock.recv(4096)
|
|
|
|
except socket.timeout:
|
|
|
|
buf = None
|
|
|
|
if not buf:
|
|
|
|
return response
|
|
|
|
response += buf
|
|
|
|
return decoded
|
2021-06-05 21:48:42 +02:00
|
|
|
|
|
|
|
|
|
|
|
def parse_response(response: bytes, item_type: ItemType, encoding: str ="utf8"):
|
2021-06-11 15:48:21 +02:00
|
|
|
"""Parse a Gopher response."""
|
2021-06-05 21:48:42 +02:00
|
|
|
decoded = response.decode(encoding=encoding, errors="replace")
|
2021-06-11 15:48:21 +02:00
|
|
|
return get_page_from_source(decoded, item_type)
|
|
|
|
|
|
|
|
|
|
|
|
def get_page_from_source(source: str, item_type: ItemType):
|
|
|
|
"""Get a Page object from a decoded source text."""
|
|
|
|
metalines, links = parse_source(source, item_type)
|
|
|
|
return Page(source, metalines, links)
|
2021-06-05 21:48:42 +02:00
|
|
|
|
|
|
|
|
|
|
|
def parse_source(source: str, item_type: ItemType):
|
2021-06-11 18:26:41 +02:00
|
|
|
"""Generate metalines and a Links instance for this source text.
|
|
|
|
|
|
|
|
The item_type must be a type that can be parsed: FILE or DIR. Any other
|
|
|
|
item type will silently result in no metalines.
|
|
|
|
"""
|
2021-06-05 21:48:42 +02:00
|
|
|
metalines = []
|
|
|
|
links = Links()
|
|
|
|
|
|
|
|
if item_type == ItemType.FILE:
|
|
|
|
for line in source.split("\n"):
|
|
|
|
line = line.rstrip("\r")
|
2021-08-05 12:53:44 +02:00
|
|
|
metalines.append((LineType.PARAGRAPH, line, None))
|
2021-06-05 21:48:42 +02:00
|
|
|
|
|
|
|
# Gopher maps are kind of the default here, so it should be quite safe to
|
|
|
|
# parse any kind of text data.
|
|
|
|
elif item_type == ItemType.DIR:
|
|
|
|
current_link_id = 1
|
2021-06-11 15:48:21 +02:00
|
|
|
# Split lines on \n and discard \r separately because some maps do not
|
|
|
|
# end lines with \r\n all the time.
|
|
|
|
for line in source.split("\n"):
|
|
|
|
line = line.rstrip("\r")
|
2021-06-05 21:48:42 +02:00
|
|
|
ltype, tline = line[:1], line[1:]
|
|
|
|
if ltype == "." and not tline:
|
|
|
|
break
|
|
|
|
|
|
|
|
parts = tline.split("\t")
|
2021-06-13 01:55:48 +02:00
|
|
|
# If the map is poorly formatted and parts are missing, pad with
|
|
|
|
# empty parts.
|
|
|
|
while len(parts) < 4:
|
|
|
|
parts.append("")
|
2021-06-05 21:48:42 +02:00
|
|
|
|
|
|
|
item_type = ItemType(ltype)
|
|
|
|
label, path, host, port = parts
|
2021-06-13 01:55:48 +02:00
|
|
|
|
|
|
|
# INFO: render as a simple text line.
|
2021-06-05 21:48:42 +02:00
|
|
|
if item_type == ItemType.INFO:
|
2021-08-05 12:53:44 +02:00
|
|
|
metalines.append((LineType.PARAGRAPH, label, None))
|
2021-06-13 01:55:48 +02:00
|
|
|
continue
|
|
|
|
|
|
|
|
# ERROR: render as an error line.
|
|
|
|
if item_type == ItemType.ERROR:
|
2021-08-05 12:53:44 +02:00
|
|
|
metalines.append((LineType.ERROR, label, None))
|
2021-06-05 21:48:42 +02:00
|
|
|
continue
|
|
|
|
|
2021-06-13 01:55:48 +02:00
|
|
|
# Other item types are rendered as links, with a special case for
|
|
|
|
# "URL:"-type selectors in HTML items.
|
2021-06-05 21:48:42 +02:00
|
|
|
if item_type == ItemType.HTML and path[:4].upper() == "URL:":
|
|
|
|
link_url = path[4:]
|
|
|
|
else:
|
|
|
|
link_url = f"gopher://{host}:{port}/{ltype}{path}"
|
|
|
|
|
|
|
|
links[current_link_id] = link_url
|
|
|
|
|
|
|
|
icon = ICONS.get(item_type) or f"({ltype})"
|
|
|
|
text = f"[{current_link_id}] {icon} {label}"
|
2021-08-05 12:53:44 +02:00
|
|
|
extra = {"url": link_url, "link_id": current_link_id}
|
|
|
|
metalines.append((LineType.LINK, text, extra))
|
2021-06-05 21:48:42 +02:00
|
|
|
current_link_id += 1
|
|
|
|
|
|
|
|
return metalines, links
|
|
|
|
|
|
|
|
|
|
|
|
plugin = GopherPlugin()
|