av98.py 60 KB

12345678910111213141516171819202122232425262728293031323334353637383940414243444546474849505152535455565758596061626364656667686970717273747576777879808182838485868788899091929394959697989910010110210310410510610710810911011111211311411511611711811912012112212312412512612712812913013113213313413513613713813914014114214314414514614714814915015115215315415515615715815916016116216316416516616716816917017117217317417517617717817918018118218318418518618718818919019119219319419519619719819920020120220320420520620720820921021121221321421521621721821922022122222322422522622722822923023123223323423523623723823924024124224324424524624724824925025125225325425525625725825926026126226326426526626726826927027127227327427527627727827928028128228328428528628728828929029129229329429529629729829930030130230330430530630730830931031131231331431531631731831932032132232332432532632732832933033133233333433533633733833934034134234334434534634734834935035135235335435535635735835936036136236336436536636736836937037137237337437537637737837938038138238338438538638738838939039139239339439539639739839940040140240340440540640740840941041141241341441541641741841942042142242342442542642742842943043143243343443543643743843944044144244344444544644744844945045145245345445545645745845946046146246346446546646746846947047147247347447547647747847948048148248348448548648748848949049149249349449549649749849950050150250350450550650750850951051151251351451551651751851952052152252352452552652752852953053153253353453553653753853954054154254354454554654754854955055155255355455555655755855956056156256356456556656756856957057157257357457557657757857958058158258358458558658758858959059159259359459559659759859960060160260360460560660760860961061161261361461561661761861962062162262362462562662762862963063163263363463563663763863964064164264364464564664764864965065165265365465565665765865966066166266366466566666766866967067167267367467567667767867968068168268368468568668768868969069169269369469569669769869970070170270370470570670770870971071171271371471571671771871972072172272372472572672772872973073173273373473573673773873974074174274374474574674774874975075175275375475575675775875976076176276376476576676776876977077177277377477577677777877978078178278378478578678778878979079179279379479579679779879980080180280380480580680780880981081181281381481581681781881982082182282382482582682782882983083183283383483583683783883984084184284384484584684784884985085185285385485585685785885986086186286386486586686786886987087187287387487587687787887988088188288388488588688788888989089189289389489589689789889990090190290390490590690790890991091191291391491591691791891992092192292392492592692792892993093193293393493593693793893994094194294394494594694794894995095195295395495595695795895996096196296396496596696796896997097197297397497597697797897998098198298398498598698798898999099199299399499599699799899910001001100210031004100510061007100810091010101110121013101410151016101710181019102010211022102310241025102610271028102910301031103210331034103510361037103810391040104110421043104410451046104710481049105010511052105310541055105610571058105910601061106210631064106510661067106810691070107110721073107410751076107710781079108010811082108310841085108610871088108910901091109210931094109510961097109810991100110111021103110411051106110711081109111011111112111311141115111611171118111911201121112211231124112511261127112811291130113111321133113411351136113711381139114011411142114311441145114611471148114911501151115211531154115511561157115811591160116111621163116411651166116711681169117011711172117311741175117611771178117911801181118211831184118511861187118811891190119111921193119411951196119711981199120012011202120312041205120612071208120912101211121212131214121512161217121812191220122112221223122412251226122712281229123012311232123312341235123612371238123912401241124212431244124512461247124812491250125112521253125412551256125712581259126012611262126312641265126612671268126912701271127212731274127512761277127812791280128112821283128412851286128712881289129012911292129312941295129612971298129913001301130213031304130513061307130813091310131113121313131413151316131713181319132013211322132313241325132613271328132913301331133213331334133513361337133813391340134113421343134413451346134713481349135013511352135313541355135613571358135913601361136213631364136513661367136813691370137113721373137413751376137713781379138013811382138313841385138613871388138913901391139213931394139513961397139813991400140114021403140414051406140714081409141014111412141314141415141614171418141914201421142214231424142514261427142814291430143114321433143414351436143714381439144014411442144314441445144614471448144914501451145214531454145514561457145814591460146114621463146414651466146714681469147014711472147314741475147614771478147914801481148214831484148514861487148814891490149114921493149414951496149714981499150015011502150315041505150615071508150915101511151215131514151515161517151815191520152115221523152415251526152715281529153015311532153315341535153615371538153915401541154215431544154515461547154815491550155115521553155415551556155715581559156015611562156315641565156615671568156915701571157215731574157515761577157815791580
  1. #!/usr/bin/env python3
  2. # AV-98 Gemini client
  3. # Dervied from VF-1 (https://github.com/solderpunk/VF-1),
  4. # (C) 2019, 2020 Solderpunk <solderpunk@sdf.org>
  5. # With contributions from:
  6. # - danceka <hannu.hartikainen@gmail.com>
  7. # - <jprjr@tilde.club>
  8. # - <vee@vnsf.xyz>
  9. # - Klaus Alexander Seistrup <klaus@seistrup.dk>
  10. import argparse
  11. import cmd
  12. import cgi
  13. import codecs
  14. import collections
  15. import datetime
  16. import fnmatch
  17. import getpass
  18. import glob
  19. import hashlib
  20. import io
  21. import mimetypes
  22. import os
  23. import os.path
  24. import random
  25. import shlex
  26. import shutil
  27. import socket
  28. import sqlite3
  29. import ssl
  30. from ssl import CertificateError
  31. import subprocess
  32. import sys
  33. import tempfile
  34. import time
  35. import urllib.parse
  36. import uuid
  37. import webbrowser
  38. try:
  39. import ansiwrap as textwrap
  40. except ModuleNotFoundError:
  41. import textwrap
  42. try:
  43. from cryptography import x509
  44. from cryptography.hazmat.backends import default_backend
  45. _HAS_CRYPTOGRAPHY = True
  46. _BACKEND = default_backend()
  47. except ModuleNotFoundError:
  48. _HAS_CRYPTOGRAPHY = False
  49. _VERSION = "1.0.1"
  50. _MAX_REDIRECTS = 5
  51. # Command abbreviations
  52. _ABBREVS = {
  53. "a": "add",
  54. "b": "back",
  55. "bb": "blackbox",
  56. "bm": "bookmarks",
  57. "book": "bookmarks",
  58. "f": "fold",
  59. "fo": "forward",
  60. "g": "go",
  61. "h": "history",
  62. "hist": "history",
  63. "l": "less",
  64. "n": "next",
  65. "p": "previous",
  66. "prev": "previous",
  67. "q": "quit",
  68. "r": "reload",
  69. "s": "save",
  70. "se": "search",
  71. "/": "search",
  72. "t": "tour",
  73. "u": "up",
  74. }
  75. _MIME_HANDLERS = {
  76. "application/pdf": "xpdf %s",
  77. "audio/mpeg": "mpg123 %s",
  78. "audio/ogg": "ogg123 %s",
  79. "image/*": "feh %s",
  80. "text/html": "lynx -dump -force_html %s",
  81. "text/plain": "cat %s",
  82. "text/gemini": "cat %s",
  83. }
  84. # monkey-patch Gemini support in urllib.parse
  85. # see https://github.com/python/cpython/blob/master/Lib/urllib/parse.py
  86. urllib.parse.uses_relative.append("gemini")
  87. urllib.parse.uses_netloc.append("gemini")
  88. def fix_ipv6_url(url):
  89. if not url.count(":") > 2: # Best way to detect them?
  90. return url
  91. # If there's a pair of []s in there, it's probably fine as is.
  92. if "[" in url and "]" in url:
  93. return url
  94. # Easiest case is a raw address, no schema, no path.
  95. # Just wrap it in square brackets and whack a slash on the end
  96. if "/" not in url:
  97. return "[" + url + "]/"
  98. # Now the trickier cases...
  99. if "://" in url:
  100. schema, schemaless = url.split("://")
  101. else:
  102. schema, schemaless = None, url
  103. if "/" in schemaless:
  104. netloc, rest = schemaless.split("/",1)
  105. schemaless = "[" + netloc + "]" + "/" + rest
  106. if schema:
  107. return schema + "://" + schemaless
  108. return schemaless
  109. standard_ports = {
  110. "gemini": 1965,
  111. "gopher": 70,
  112. }
  113. class GeminiItem():
  114. def __init__(self, url, name=""):
  115. if "://" not in url:
  116. url = "gemini://" + url
  117. self.url = fix_ipv6_url(url)
  118. self.name = name
  119. parsed = urllib.parse.urlparse(self.url)
  120. self.scheme = parsed.scheme
  121. self.host = parsed.hostname
  122. self.port = parsed.port or standard_ports.get(self.scheme, 0)
  123. self.path = parsed.path
  124. def root(self):
  125. return GeminiItem(self._derive_url("/"))
  126. def up(self):
  127. pathbits = list(os.path.split(self.path.rstrip('/')))
  128. # Don't try to go higher than root
  129. if len(pathbits) == 1:
  130. return self
  131. # Get rid of bottom component
  132. pathbits.pop()
  133. new_path = os.path.join(*pathbits)
  134. return GeminiItem(self._derive_url(new_path))
  135. def query(self, query):
  136. query = urllib.parse.quote(query)
  137. return GeminiItem(self._derive_url(query=query))
  138. def _derive_url(self, path="", query=""):
  139. """
  140. A thin wrapper around urlunparse which avoids inserting standard ports
  141. into URLs just to keep things clean.
  142. """
  143. return urllib.parse.urlunparse((self.scheme,
  144. self.host if self.port == standard_ports[self.scheme] else self.host + ":" + str(self.port),
  145. path or self.path, "", query, ""))
  146. def absolutise_url(self, relative_url):
  147. """
  148. Convert a relative URL to an absolute URL by using the URL of this
  149. GeminiItem as a base.
  150. """
  151. return urllib.parse.urljoin(self.url, relative_url)
  152. def to_map_line(self, name=None):
  153. if name or self.name:
  154. return "=> {} {}\n".format(self.url, name or self.name)
  155. else:
  156. return "=> {}\n".format(self.url)
  157. @classmethod
  158. def from_map_line(cls, line, origin_gi):
  159. assert line.startswith("=>")
  160. assert line[2:].strip()
  161. bits = line[2:].strip().split(maxsplit=1)
  162. bits[0] = origin_gi.absolutise_url(bits[0])
  163. return cls(*bits)
  164. CRLF = '\r\n'
  165. # Cheap and cheerful URL detector
  166. def looks_like_url(word):
  167. return "." in word and word.startswith("gemini://")
  168. # GeminiClient Decorators
  169. def needs_gi(inner):
  170. def outer(self, *args, **kwargs):
  171. if not self.gi:
  172. print("You need to 'go' somewhere, first")
  173. return None
  174. else:
  175. return inner(self, *args, **kwargs)
  176. outer.__doc__ = inner.__doc__
  177. return outer
  178. def restricted(inner):
  179. def outer(self, *args, **kwargs):
  180. if self.restricted:
  181. print("Sorry, this command is not available in restricted mode!")
  182. return None
  183. else:
  184. return inner(self, *args, **kwargs)
  185. outer.__doc__ = inner.__doc__
  186. return outer
  187. class GeminiClient(cmd.Cmd):
  188. def __init__(self, restricted=False):
  189. cmd.Cmd.__init__(self)
  190. # Set umask so that nothing we create can be read by anybody else.
  191. # The certificate cache and TOFU database contain "browser history"
  192. # type sensitivie information.
  193. os.umask(0o077)
  194. # Find config directory
  195. ## Look for something pre-existing
  196. for confdir in ("~/.av98/", "~/.config/av98/"):
  197. confdir = os.path.expanduser(confdir)
  198. if os.path.exists(confdir):
  199. self.config_dir = confdir
  200. break
  201. ## Otherwise, make one in .config if it exists
  202. else:
  203. if os.path.exists(os.path.expanduser("~/.config/")):
  204. self.config_dir = os.path.expanduser("~/.config/av98/")
  205. else:
  206. self.config_dir = os.path.expanduser("~/.av98/")
  207. print("Creating config directory {}".format(self.config_dir))
  208. os.makedirs(self.config_dir)
  209. self.no_cert_prompt = "\x1b[38;5;76m" + "AV-98" + "\x1b[38;5;255m" + "> " + "\x1b[0m"
  210. self.cert_prompt = "\x1b[38;5;202m" + "AV-98" + "\x1b[38;5;255m" + "+cert> " + "\x1b[0m"
  211. self.prompt = self.no_cert_prompt
  212. self.gi = None
  213. self.history = []
  214. self.hist_index = 0
  215. self.idx_filename = ""
  216. self.index = []
  217. self.index_index = -1
  218. self.lookup = self.index
  219. self.marks = {}
  220. self.page_index = 0
  221. self.permanent_redirects = {}
  222. self.previous_redirectors = set()
  223. self.restricted = restricted
  224. self.tmp_filename = ""
  225. self.visited_hosts = set()
  226. self.waypoints = []
  227. self.client_certs = {
  228. "active": None
  229. }
  230. self.active_cert_domains = []
  231. self.active_is_transient = False
  232. self.transient_certs_created = []
  233. self.options = {
  234. "debug" : False,
  235. "ipv6" : True,
  236. "timeout" : 10,
  237. "width" : 80,
  238. "auto_follow_redirects" : True,
  239. "gopher_proxy" : None,
  240. "tls_mode" : "tofu",
  241. }
  242. self.log = {
  243. "start_time": time.time(),
  244. "requests": 0,
  245. "ipv4_requests": 0,
  246. "ipv6_requests": 0,
  247. "bytes_recvd": 0,
  248. "ipv4_bytes_recvd": 0,
  249. "ipv6_bytes_recvd": 0,
  250. "dns_failures": 0,
  251. "refused_connections": 0,
  252. "reset_connections": 0,
  253. "timeouts": 0,
  254. }
  255. self._connect_to_tofu_db()
  256. def _connect_to_tofu_db(self):
  257. db_path = os.path.join(self.config_dir, "tofu.db")
  258. self.db_conn = sqlite3.connect(db_path)
  259. self.db_cur = self.db_conn.cursor()
  260. self.db_cur.execute("""CREATE TABLE IF NOT EXISTS cert_cache
  261. (hostname text, address text, fingerprint text,
  262. first_seen date, last_seen date, count integer)""")
  263. def _go_to_gi(self, gi, update_hist=True, handle=True):
  264. """This method might be considered "the heart of AV-98".
  265. Everything involved in fetching a gemini resource happens here:
  266. sending the request over the network, parsing the response if
  267. its a menu, storing the response in a temporary file, choosing
  268. and calling a handler program, and updating the history."""
  269. # Don't try to speak to servers running other protocols
  270. if gi.scheme in ("http", "https"):
  271. webbrowser.open_new_tab(gi.url)
  272. return
  273. elif gi.scheme == "gopher" and not self.options.get("gopher_proxy", None):
  274. print("""AV-98 does not speak Gopher natively.
  275. However, you can use `set gopher_proxy hostname:port` to tell it about a
  276. Gopher-to-Gemini proxy (such as a running Agena instance), in which case
  277. you'll be able to transparently follow links to Gopherspace!""")
  278. return
  279. elif gi.scheme not in ("gemini", "gopher"):
  280. print("Sorry, no support for {} links.".format(gi.scheme))
  281. return
  282. # Obey permanent redirects
  283. if gi.url in self.permanent_redirects:
  284. new_gi = GeminiItem(self.permanent_redirects[gi.url], name=gi.name)
  285. self._go_to_gi(new_gi)
  286. return
  287. # Be careful with client certificates!
  288. # Are we crossing a domain boundary?
  289. if self.active_cert_domains and gi.host not in self.active_cert_domains:
  290. if self.active_is_transient:
  291. print("Permanently delete currently active transient certificate?")
  292. resp = input("Y/N? ")
  293. if resp.strip().lower() in ("y", "yes"):
  294. print("Destroying certificate.")
  295. self._deactivate_client_cert()
  296. else:
  297. print("Staying here.")
  298. else:
  299. print("PRIVACY ALERT: Deactivate client cert before connecting to a new domain?")
  300. resp = input("Y/N? ")
  301. if resp.strip().lower() in ("n", "no"):
  302. print("Keeping certificate active for {}".format(gi.host))
  303. else:
  304. print("Deactivating certificate.")
  305. self._deactivate_client_cert()
  306. # Suggest reactivating previous certs
  307. if not self.client_certs["active"] and gi.host in self.client_certs:
  308. print("PRIVACY ALERT: Reactivate previously used client cert for {}?".format(gi.host))
  309. resp = input("Y/N? ")
  310. if resp.strip().lower() in ("y", "yes"):
  311. self._activate_client_cert(*self.client_certs[gi.host])
  312. else:
  313. print("Remaining unidentified.")
  314. self.client_certs.pop(gi.host)
  315. # Do everything which touches the network in one block,
  316. # so we only need to catch exceptions once
  317. try:
  318. # Is this a local file?
  319. if not gi.host:
  320. address, f = None, open(gi.path, "rb")
  321. else:
  322. address, f = self._send_request(gi)
  323. # Spec dictates <META> should not exceed 1024 bytes,
  324. # so maximum valid header length is 1027 bytes.
  325. header = f.readline(1027)
  326. header = header.decode("UTF-8")
  327. if not header or header[-1] != '\n':
  328. raise RuntimeError("Received invalid header from server!")
  329. header = header.strip()
  330. self._debug("Response header: %s." % header)
  331. # Catch network errors which may happen on initial connection
  332. except Exception as err:
  333. # Print an error message
  334. if isinstance(err, socket.gaierror):
  335. self.log["dns_failures"] += 1
  336. print("ERROR: DNS error!")
  337. elif isinstance(err, ConnectionRefusedError):
  338. self.log["refused_connections"] += 1
  339. print("ERROR: Connection refused!")
  340. elif isinstance(err, ConnectionResetError):
  341. self.log["reset_connections"] += 1
  342. print("ERROR: Connection reset!")
  343. elif isinstance(err, (TimeoutError, socket.timeout)):
  344. self.log["timeouts"] += 1
  345. print("""ERROR: Connection timed out!
  346. Slow internet connection? Use 'set timeout' to be more patient.""")
  347. else:
  348. print("ERROR: " + str(err))
  349. return
  350. # Validate header
  351. status, meta = header.split(maxsplit=1)
  352. if len(meta) > 1024 or len(status) != 2 or not status.isnumeric():
  353. print("ERROR: Received invalid header from server!")
  354. f.close()
  355. return
  356. # Update redirect loop/maze escaping state
  357. if not status.startswith("3"):
  358. self.previous_redirectors = set()
  359. # Handle non-SUCCESS headers, which don't have a response body
  360. # Inputs
  361. if status.startswith("1"):
  362. print(meta)
  363. if status == "11":
  364. user_input = getpass.getpass("> ")
  365. else:
  366. user_input = input("> ")
  367. self._go_to_gi(gi.query(user_input))
  368. return
  369. # Redirects
  370. elif status.startswith("3"):
  371. new_gi = GeminiItem(gi.absolutise_url(meta))
  372. if new_gi.url in self.previous_redirectors:
  373. print("Error: caught in redirect loop!")
  374. return
  375. elif len(self.previous_redirectors) == _MAX_REDIRECTS:
  376. print("Error: refusing to follow more than %d consecutive redirects!" % _MAX_REDIRECTS)
  377. return
  378. # Never follow cross-domain redirects without asking
  379. elif new_gi.host != gi.host:
  380. follow = input("Follow cross-domain redirect to %s? (y/n) " % new_gi.url)
  381. # Never follow cross-protocol redirects without asking
  382. elif new_gi.scheme != gi.scheme:
  383. follow = input("Follow cross-protocol redirect to %s? (y/n) " % new_gi.url)
  384. # Don't follow *any* redirect without asking if auto-follow is off
  385. elif not self.options["auto_follow_redirects"]:
  386. follow = input("Follow redirect to %s? (y/n) " % new_gi.url)
  387. # Otherwise, follow away
  388. else:
  389. follow = "yes"
  390. if follow.strip().lower() not in ("y", "yes"):
  391. return
  392. self._debug("Following redirect to %s." % new_gi.url)
  393. self._debug("This is consecutive redirect number %d." % len(self.previous_redirectors))
  394. self.previous_redirectors.add(gi.url)
  395. if status == "31":
  396. # Permanent redirect
  397. self.permanent_redirects[gi.url] = new_gi.url
  398. self._go_to_gi(new_gi)
  399. return
  400. # Errors
  401. elif status.startswith("4") or status.startswith("5"):
  402. print("Error: %s" % meta)
  403. return
  404. # Client cert
  405. elif status.startswith("6"):
  406. # Don't do client cert stuff in restricted mode, as in principle
  407. # it could be used to fill up the disk by creating a whole lot of
  408. # certificates
  409. if self.restricted:
  410. print("The server is requesting a client certificate.")
  411. print("These are not supported in restricted mode, sorry.")
  412. return
  413. # Transient certs are a special case
  414. if status == "61":
  415. print("The server is asking to start a transient client certificate session.")
  416. print("What do you want to do?")
  417. print("1. Start a transient session.")
  418. print("2. Refuse.")
  419. choice = input("> ").strip()
  420. if choice.strip() == "1":
  421. self._generate_transient_cert_cert()
  422. self._go_to_gi(gi, update_hist, handle)
  423. return
  424. else:
  425. return
  426. # Present different messages for different 6x statuses, but
  427. # handle them the same.
  428. if status in ("64", "65"):
  429. print("The server rejected your certificate because it is either expired or not yet valid.")
  430. elif status == "63":
  431. print("The server did not accept your certificate.")
  432. print("You may need to e.g. coordinate with the admin to get your certificate fingerprint whitelisted.")
  433. else:
  434. print("The site {} is requesting a client certificate.".format(gi.host))
  435. print("This will allow the site to recognise you across requests.")
  436. print("What do you want to do?")
  437. print("1. Give up.")
  438. print("2. Generate new certificate and retry the request.")
  439. print("3. Load previously generated certificate from file.")
  440. print("4. Load certificate from file and retry the request.")
  441. choice = input("> ").strip()
  442. if choice == "2":
  443. self._generate_persistent_client_cert()
  444. self._go_to_gi(gi, update_hist, handle)
  445. elif choice == "3":
  446. self._choose_client_cert()
  447. self._go_to_gi(gi, update_hist, handle)
  448. elif choice == "4":
  449. self._load_client_cert()
  450. self._go_to_gi(gi, update_hist, handle)
  451. else:
  452. print("Giving up.")
  453. return
  454. # Invalid status
  455. elif not status.startswith("2"):
  456. print("ERROR: Server returned undefined status code %s!" % status)
  457. return
  458. # If we're here, this must be a success and there's a response body
  459. assert status.startswith("2")
  460. # Can we terminate a transient client session?
  461. if status == "21":
  462. # Make sure we're actually in such a session
  463. if self.active_is_transient:
  464. self._deactivate_client_cert()
  465. print("INFO: Server terminated transient client certificate session.")
  466. else:
  467. # Huh, that's weird
  468. self._debug("Server issues a 21 but we're not in transient session?")
  469. mime = meta
  470. if mime == "":
  471. mime = "text/gemini; charset=utf-8"
  472. mime, mime_options = cgi.parse_header(mime)
  473. if "charset" in mime_options:
  474. try:
  475. codecs.lookup(mime_options["charset"])
  476. except LookupError:
  477. print("Header declared unknown encoding %s" % value)
  478. return
  479. # Read the response body over the network
  480. body = f.read()
  481. # Save the result in a temporary file
  482. ## Delete old file
  483. if self.tmp_filename and os.path.exists(self.tmp_filename):
  484. os.unlink(self.tmp_filename)
  485. ## Set file mode
  486. if mime.startswith("text/"):
  487. mode = "w"
  488. encoding = mime_options.get("charset", "UTF-8")
  489. try:
  490. body = body.decode(encoding)
  491. except UnicodeError:
  492. print("Could not decode response body using %s encoding declared in header!" % encoding)
  493. return
  494. else:
  495. mode = "wb"
  496. encoding = None
  497. ## Write
  498. tmpf = tempfile.NamedTemporaryFile(mode, encoding=encoding, delete=False)
  499. size = tmpf.write(body)
  500. tmpf.close()
  501. self.tmp_filename = tmpf.name
  502. self._debug("Wrote %d byte response to %s." % (size, self.tmp_filename))
  503. # Pass file to handler, unless we were asked not to
  504. if handle:
  505. if mime == "text/gemini":
  506. self._handle_index(body, gi)
  507. else:
  508. cmd_str = self._get_handler_cmd(mime)
  509. try:
  510. subprocess.call(shlex.split(cmd_str % tmpf.name))
  511. except FileNotFoundError:
  512. print("Handler program %s not found!" % shlex.split(cmd_str)[0])
  513. print("You can use the ! command to specify another handler program or pipeline.")
  514. # Update state
  515. self.gi = gi
  516. self.mime = mime
  517. self._log_visit(gi, address, size)
  518. if update_hist:
  519. self._update_history(gi)
  520. def _send_request(self, gi):
  521. """Send a selector to a given host and port.
  522. Returns the resolved address and binary file with the reply."""
  523. if gi.scheme == "gemini":
  524. # For Gemini requests, connect to the host and port specified in the URL
  525. host, port = gi.host, gi.port
  526. elif gi.scheme == "gopher":
  527. # For Gopher requests, use the configured proxy
  528. host, port = self.options["gopher_proxy"].rsplit(":", 1)
  529. self._debug("Using gopher proxy: " + self.options["gopher_proxy"])
  530. # Do DNS resolution
  531. addresses = self._get_addresses(host, port)
  532. # Prepare TLS context
  533. protocol = ssl.PROTOCOL_TLS if sys.version_info.minor >=6 else ssl.PROTOCOL_TLSv1_2
  534. context = ssl.SSLContext(protocol)
  535. # Use CAs or TOFU
  536. if self.options["tls_mode"] == "ca":
  537. context.verify_mode = ssl.CERT_REQUIRED
  538. context.check_hostname = True
  539. context.load_default_certs()
  540. else:
  541. context.check_hostname = False
  542. context.verify_mode = ssl.CERT_NONE
  543. # Impose minimum TLS version
  544. ## In 3.7 and above, this is easy...
  545. if sys.version_info.minor >= 7:
  546. context.minimum_version = ssl.TLSVersion.TLSv1_2
  547. ## Otherwise, it seems very hard...
  548. ## The below is less strict than it ought to be, but trying to disable
  549. ## TLS v1.1 here using ssl.OP_NO_TLSv1_1 produces unexpected failures
  550. ## with recent versions of OpenSSL. What a mess...
  551. else:
  552. context.options |= ssl.OP_NO_SSLv3
  553. context.options |= ssl.OP_NO_SSLv2
  554. # Try to enforce sensible ciphers
  555. try:
  556. context.set_ciphers("AESGCM+ECDHE:AESGCM+DHE:CHACHA20+ECDHE:CHACHA20+DHE:!DSS:!SHA1:!MD5:@STRENGTH")
  557. except ssl.SSLError:
  558. # Rely on the server to only support sensible things, I guess...
  559. pass
  560. # Load client certificate if needed
  561. if self.client_certs["active"]:
  562. certfile, keyfile = self.client_certs["active"]
  563. context.load_cert_chain(certfile, keyfile)
  564. # Connect to remote host by any address possible
  565. err = None
  566. for address in addresses:
  567. self._debug("Connecting to: " + str(address[4]))
  568. s = socket.socket(address[0], address[1])
  569. s.settimeout(self.options["timeout"])
  570. s = context.wrap_socket(s, server_hostname = gi.host)
  571. try:
  572. s.connect(address[4])
  573. break
  574. except OSError as e:
  575. err = e
  576. else:
  577. # If we couldn't connect to *any* of the addresses, just
  578. # bubble up the exception from the last attempt and deny
  579. # knowledge of earlier failures.
  580. raise err
  581. if sys.version_info.minor >=5:
  582. self._debug("Established {} connection.".format(s.version()))
  583. self._debug("Cipher is: {}.".format(s.cipher()))
  584. # Do TOFU
  585. if self.options["tls_mode"] != "ca":
  586. cert = s.getpeercert(binary_form=True)
  587. self._validate_cert(address[4][0], host, cert)
  588. # Remember that we showed the current cert to this domain...
  589. if self.client_certs["active"]:
  590. self.active_cert_domains.append(gi.host)
  591. self.client_certs[gi.host] = self.client_certs["active"]
  592. # Send request and wrap response in a file descriptor
  593. self._debug("Sending %s<CRLF>" % gi.url)
  594. s.sendall((gi.url + CRLF).encode("UTF-8"))
  595. return address, s.makefile(mode = "rb")
  596. def _get_addresses(self, host, port):
  597. # DNS lookup - will get IPv4 and IPv6 records if IPv6 is enabled
  598. if ":" in host:
  599. # This is likely a literal IPv6 address, so we can *only* ask for
  600. # IPv6 addresses or getaddrinfo will complain
  601. family_mask = socket.AF_INET6
  602. elif socket.has_ipv6 and self.options["ipv6"]:
  603. # Accept either IPv4 or IPv6 addresses
  604. family_mask = 0
  605. else:
  606. # IPv4 only
  607. family_mask = socket.AF_INET
  608. addresses = socket.getaddrinfo(host, port, family=family_mask,
  609. type=socket.SOCK_STREAM)
  610. # Sort addresses so IPv6 ones come first
  611. addresses.sort(key=lambda add: add[0] == socket.AF_INET6, reverse=True)
  612. return addresses
  613. def _validate_cert(self, address, host, cert):
  614. """
  615. Validate a TLS certificate in TOFU mode.
  616. If the cryptography module is installed:
  617. - Check the certificate Common Name or SAN matches `host`
  618. - Check the certificate's not valid before date is in the past
  619. - Check the certificate's not valid after date is in the future
  620. Whether the cryptography module is installed or not, check the
  621. certificate's fingerprint against the TOFU database to see if we've
  622. previously encountered a different certificate for this IP address and
  623. hostname.
  624. """
  625. now = datetime.datetime.utcnow()
  626. if _HAS_CRYPTOGRAPHY:
  627. # Using the cryptography module we can get detailed access
  628. # to the properties of even self-signed certs, unlike in
  629. # the standard ssl library...
  630. c = x509.load_der_x509_certificate(cert, _BACKEND)
  631. # Check certificate validity dates
  632. if c.not_valid_before >= now:
  633. raise CertificateError("Certificate not valid until: {}!".format(c.not_valid_before))
  634. elif c.not_valid_after <= now:
  635. raise CertificateError("Certificate expired as of: {})!".format(c.not_valid_after))
  636. # Check certificate hostnames
  637. names = []
  638. common_name = c.subject.get_attributes_for_oid(x509.oid.NameOID.COMMON_NAME)
  639. if common_name:
  640. names.append(common_name[0].value)
  641. try:
  642. names.extend([alt.value for alt in c.extensions.get_extension_for_oid(x509.oid.ExtensionOID.SUBJECT_ALTERNATIVE_NAME).value])
  643. except x509.ExtensionNotFound:
  644. pass
  645. names = set(names)
  646. for name in names:
  647. try:
  648. ssl._dnsname_match(name, host)
  649. break
  650. except CertificateError:
  651. continue
  652. else:
  653. # If we didn't break out, none of the names were valid
  654. raise CertificateError("Hostname does not match certificate common name or any alternative names.")
  655. sha = hashlib.sha256()
  656. sha.update(cert)
  657. fingerprint = sha.hexdigest()
  658. # Have we been here before?
  659. self.db_cur.execute("""SELECT fingerprint, first_seen, last_seen, count
  660. FROM cert_cache
  661. WHERE hostname=? AND address=?""", (host, address))
  662. cached_certs = self.db_cur.fetchall()
  663. # If so, check for a match
  664. if cached_certs:
  665. max_count = 0
  666. most_frequent_cert = None
  667. for cached_fingerprint, first, last, count in cached_certs:
  668. if count > max_count:
  669. max_count = count
  670. most_frequent_cert = cached_fingerprint
  671. if fingerprint == cached_fingerprint:
  672. # Matched!
  673. self._debug("TOFU: Accepting previously seen ({} times) certificate {}".format(count, fingerprint))
  674. self.db_cur.execute("""UPDATE cert_cache
  675. SET last_seen=?, count=?
  676. WHERE hostname=? AND address=? AND fingerprint=?""",
  677. (now, count+1, host, address, fingerprint))
  678. self.db_conn.commit()
  679. break
  680. else:
  681. if _HAS_CRYPTOGRAPHY:
  682. # Load the most frequently seen certificate to see if it has
  683. # expired
  684. certdir = os.path.join(self.config_dir, "cert_cache")
  685. with open(os.path.join(certdir, most_frequent_cert+".crt"), "rb") as fp:
  686. previous_cert = fp.read()
  687. previous_cert = x509.load_der_x509_certificate(previous_cert, _BACKEND)
  688. previous_ttl = previous_cert.not_valid_after - now
  689. print(previous_ttl)
  690. self._debug("TOFU: Unrecognised certificate {}! Raising the alarm...".format(fingerprint))
  691. print("****************************************")
  692. print("[SECURITY WARNING] Unrecognised certificate!")
  693. print("The certificate presented for {} ({}) has never been seen before.".format(host, address))
  694. print("This MIGHT be a Man-in-the-Middle attack.")
  695. print("A different certificate has previously been seen {} times.".format(max_count))
  696. if _HAS_CRYPTOGRAPHY:
  697. if previous_ttl < datetime.timedelta():
  698. print("That certificate has expired, which reduces suspicion somewhat.")
  699. else:
  700. print("That certificate is still valid for: {}".format(previous_ttl))
  701. print("****************************************")
  702. print("Attempt to verify the new certificate fingerprint out-of-band:")
  703. print(fingerprint)
  704. choice = input("Accept this new certificate? Y/N ").strip().lower()
  705. if choice in ("y", "yes"):
  706. self.db_cur.execute("""INSERT INTO cert_cache
  707. VALUES (?, ?, ?, ?, ?, ?)""",
  708. (host, address, fingerprint, now, now, 1))
  709. self.db_conn.commit()
  710. with open(os.path.join(certdir, fingerprint+".crt"), "wb") as fp:
  711. fp.write(cert)
  712. else:
  713. raise Exception("TOFU Failure!")
  714. # If not, cache this cert
  715. else:
  716. self._debug("TOFU: Blindly trusting first ever certificate for this host!")
  717. self.db_cur.execute("""INSERT INTO cert_cache
  718. VALUES (?, ?, ?, ?, ?, ?)""",
  719. (host, address, fingerprint, now, now, 1))
  720. self.db_conn.commit()
  721. certdir = os.path.join(self.config_dir, "cert_cache")
  722. if not os.path.exists(certdir):
  723. os.makedirs(certdir)
  724. with open(os.path.join(certdir, fingerprint+".crt"), "wb") as fp:
  725. fp.write(cert)
  726. def _get_handler_cmd(self, mimetype):
  727. # Now look for a handler for this mimetype
  728. # Consider exact matches before wildcard matches
  729. exact_matches = []
  730. wildcard_matches = []
  731. for handled_mime, cmd_str in _MIME_HANDLERS.items():
  732. if "*" in handled_mime:
  733. wildcard_matches.append((handled_mime, cmd_str))
  734. else:
  735. exact_matches.append((handled_mime, cmd_str))
  736. for handled_mime, cmd_str in exact_matches + wildcard_matches:
  737. if fnmatch.fnmatch(mimetype, handled_mime):
  738. break
  739. else:
  740. # Use "xdg-open" as a last resort.
  741. cmd_str = "xdg-open %s"
  742. self._debug("Using handler: %s" % cmd_str)
  743. return cmd_str
  744. def _handle_index(self, body, menu_gi, display=True):
  745. self.index = []
  746. preformatted = False
  747. if self.idx_filename:
  748. os.unlink(self.idx_filename)
  749. tmpf = tempfile.NamedTemporaryFile("w", encoding="UTF-8", delete=False)
  750. self.idx_filename = tmpf.name
  751. for line in body.splitlines():
  752. if line.startswith("```"):
  753. preformatted = not preformatted
  754. elif preformatted:
  755. tmpf.write(line + "\n")
  756. elif line.startswith("=>"):
  757. try:
  758. gi = GeminiItem.from_map_line(line, menu_gi)
  759. self.index.append(gi)
  760. tmpf.write(self._format_geminiitem(len(self.index), gi) + "\n")
  761. except:
  762. self._debug("Skipping possible link: %s" % line)
  763. elif line.startswith("* "):
  764. line = line[1:].lstrip("\t ")
  765. tmpf.write(textwrap.fill(line, self.options["width"],
  766. initial_indent = "• ", subsequent_indent=" ") + "\n")
  767. elif line.startswith(">"):
  768. line = line[1:].lstrip("\t ")
  769. tmpf.write(textwrap.fill(line, self.options["width"],
  770. initial_indent = "> ", subsequent_indent="> ") + "\n")
  771. elif line.startswith("###"):
  772. line = line[3:].lstrip("\t ")
  773. tmpf.write("\x1b[4m" + line + "\x1b[0m""\n")
  774. elif line.startswith("##"):
  775. line = line[2:].lstrip("\t ")
  776. tmpf.write("\x1b[1m" + line + "\x1b[0m""\n")
  777. elif line.startswith("#"):
  778. line = line[1:].lstrip("\t ")
  779. tmpf.write("\x1b[1m\x1b[4m" + line + "\x1b[0m""\n")
  780. else:
  781. tmpf.write(textwrap.fill(line, self.options["width"]) + "\n")
  782. tmpf.close()
  783. self.lookup = self.index
  784. self.page_index = 0
  785. self.index_index = -1
  786. if display:
  787. cmd_str = _MIME_HANDLERS["text/plain"]
  788. subprocess.call(shlex.split(cmd_str % self.idx_filename))
  789. def _format_geminiitem(self, index, gi, url=False):
  790. line = "[%d] %s" % (index, gi.name or gi.url)
  791. if gi.name and url:
  792. line += " (%s)" % gi.url
  793. return line
  794. def _show_lookup(self, offset=0, end=None, url=False):
  795. for n, gi in enumerate(self.lookup[offset:end]):
  796. print(self._format_geminiitem(n+offset+1, gi, url))
  797. def _update_history(self, gi):
  798. # Don't duplicate
  799. if self.history and self.history[self.hist_index] == gi:
  800. return
  801. self.history = self.history[0:self.hist_index+1]
  802. self.history.append(gi)
  803. self.hist_index = len(self.history) - 1
  804. def _log_visit(self, gi, address, size):
  805. if not address:
  806. return
  807. self.log["requests"] += 1
  808. self.log["bytes_recvd"] += size
  809. self.visited_hosts.add(address)
  810. if address[0] == socket.AF_INET:
  811. self.log["ipv4_requests"] += 1
  812. self.log["ipv4_bytes_recvd"] += size
  813. elif address[0] == socket.AF_INET6:
  814. self.log["ipv6_requests"] += 1
  815. self.log["ipv6_bytes_recvd"] += size
  816. def _get_active_tmpfile(self):
  817. if self.mime == "text/gemini":
  818. return self.idx_filename
  819. else:
  820. return self.tmp_filename
  821. def _debug(self, debug_text):
  822. if not self.options["debug"]:
  823. return
  824. debug_text = "\x1b[0;32m[DEBUG] " + debug_text + "\x1b[0m"
  825. print(debug_text)
  826. def _load_client_cert(self):
  827. """
  828. Interactively load a TLS client certificate from the filesystem in PEM
  829. format.
  830. """
  831. print("Loading client certificate file, in PEM format (blank line to cancel)")
  832. certfile = input("Certfile path: ").strip()
  833. if not certfile:
  834. print("Aborting.")
  835. return
  836. elif not os.path.exists(certfile):
  837. print("Certificate file {} does not exist.".format(certfile))
  838. return
  839. print("Loading private key file, in PEM format (blank line to cancel)")
  840. keyfile = input("Keyfile path: ").strip()
  841. if not keyfile:
  842. print("Aborting.")
  843. return
  844. elif not os.path.exists(keyfile):
  845. print("Private key file {} does not exist.".format(keyfile))
  846. return
  847. self._activate_client_cert(certfile, keyfile)
  848. def _generate_transient_cert_cert(self):
  849. """
  850. Use `openssl` command to generate a new transient client certificate
  851. with 24 hours of validity.
  852. """
  853. certdir = os.path.join(self.config_dir, "transient_certs")
  854. name = str(uuid.uuid4())
  855. self._generate_client_cert(certdir, name, transient=True)
  856. self.active_is_transient = True
  857. self.transient_certs_created.append(name)
  858. def _generate_persistent_client_cert(self):
  859. """
  860. Interactively use `openssl` command to generate a new persistent client
  861. certificate with one year of validity.
  862. """
  863. print("What do you want to name this new certificate?")
  864. print("Answering `mycert` will create `~/.av98/certs/mycert.crt` and `~/.av98/certs/mycert.key`")
  865. name = input()
  866. if not name.strip():
  867. print("Aborting.")
  868. return
  869. certdir = os.path.join(self.config_dir, "client_certs")
  870. self._generate_client_cert(certdir, name)
  871. def _generate_client_cert(self, certdir, basename, transient=False):
  872. """
  873. Use `openssl` binary to generate a client certificate (which may be
  874. transient or persistent) and save the certificate and private key to the
  875. specified directory with the specified basename.
  876. """
  877. if not os.path.exists(certdir):
  878. os.makedirs(certdir)
  879. certfile = os.path.join(certdir, basename+".crt")
  880. keyfile = os.path.join(certdir, basename+".key")
  881. cmd = "openssl req -x509 -newkey rsa:2048 -days {} -nodes -keyout {} -out {}".format(1 if transient else 365, keyfile, certfile)
  882. if transient:
  883. cmd += " -subj '/CN={}'".format(basename)
  884. os.system(cmd)
  885. self._activate_client_cert(certfile, keyfile)
  886. def _choose_client_cert(self):
  887. """
  888. Interactively select a previously generated client certificate and
  889. activate it.
  890. """
  891. certdir = os.path.join(self.config_dir, "client_certs")
  892. certs = glob.glob(os.path.join(certdir, "*.crt"))
  893. certdir = {}
  894. for n, cert in enumerate(certs):
  895. certdir[str(n+1)] = (cert, os.path.splitext(cert)[0] + ".key")
  896. print("{}. {}".format(n+1, os.path.splitext(os.path.basename(cert))[0]))
  897. choice = input("> ").strip()
  898. if choice in certdir:
  899. certfile, keyfile = certdir[choice]
  900. self._activate_client_cert(certfile, keyfile)
  901. else:
  902. print("What?")
  903. def _activate_client_cert(self, certfile, keyfile):
  904. self.client_certs["active"] = (certfile, keyfile)
  905. self.active_cert_domains = []
  906. self.prompt = self.cert_prompt
  907. self._debug("Using ID {} / {}.".format(*self.client_certs["active"]))
  908. def _deactivate_client_cert(self):
  909. if self.active_is_transient:
  910. for filename in self.client_certs["active"]:
  911. os.remove(filename)
  912. for domain in self.active_cert_domains:
  913. self.client_certs.pop(domain)
  914. self.client_certs["active"] = None
  915. self.active_cert_domains = []
  916. self.prompt = self.no_cert_prompt
  917. self.active_is_transient = False
  918. # Cmd implementation follows
  919. def default(self, line):
  920. if line.strip() == "EOF":
  921. return self.onecmd("quit")
  922. elif line.strip() == "..":
  923. return self.do_up()
  924. elif line.startswith("/"):
  925. return self.do_search(line[1:])
  926. # Expand abbreviated commands
  927. first_word = line.split()[0].strip()
  928. if first_word in _ABBREVS:
  929. full_cmd = _ABBREVS[first_word]
  930. expanded = line.replace(first_word, full_cmd, 1)
  931. return self.onecmd(expanded)
  932. # Try to parse numerical index for lookup table
  933. try:
  934. n = int(line.strip())
  935. except ValueError:
  936. print("What?")
  937. return
  938. try:
  939. gi = self.lookup[n-1]
  940. except IndexError:
  941. print ("Index too high!")
  942. return
  943. self.index_index = n
  944. self._go_to_gi(gi)
  945. ### Settings
  946. @restricted
  947. def do_set(self, line):
  948. """View or set various options."""
  949. if not line.strip():
  950. # Show all current settings
  951. for option in sorted(self.options.keys()):
  952. print("%s %s" % (option, self.options[option]))
  953. elif len(line.split()) == 1:
  954. # Show current value of one specific setting
  955. option = line.strip()
  956. if option in self.options:
  957. print("%s %s" % (option, self.options[option]))
  958. else:
  959. print("Unrecognised option %s" % option)
  960. else:
  961. # Set value of one specific setting
  962. option, value = line.split(" ", 1)
  963. if option not in self.options:
  964. print("Unrecognised option %s" % option)
  965. return
  966. # Validate / convert values
  967. if option == "gopher_proxy":
  968. if ":" not in value:
  969. value += ":1965"
  970. else:
  971. host, port = value.rsplit(":",1)
  972. if not port.isnumeric():
  973. print("Invalid proxy port %s" % port)
  974. return
  975. elif option == "tls_mode":
  976. if value.lower() not in ("ca", "tofu"):
  977. print("TLS mode must be `ca` or `tofu`!")
  978. return
  979. elif value.isnumeric():
  980. value = int(value)
  981. elif value.lower() == "false":
  982. value = False
  983. elif value.lower() == "true":
  984. value = True
  985. else:
  986. try:
  987. value = float(value)
  988. except ValueError:
  989. pass
  990. self.options[option] = value
  991. @restricted
  992. def do_cert(self, line):
  993. """Manage client certificates"""
  994. print("Managing client certificates")
  995. if self.client_certs["active"]:
  996. print("Active certificate: {}".format(self.client_certs["active"][0]))
  997. print("1. Deactivate client certificate.")
  998. print("2. Generate new certificate.")
  999. print("3. Load previously generated certificate.")
  1000. print("4. Load externally created client certificate from file.")
  1001. print("Enter blank line to exit certificate manager.")
  1002. choice = input("> ").strip()
  1003. if choice == "1":
  1004. print("Deactivating client certificate.")
  1005. self._deactivate_client_cert()
  1006. elif choice == "2":
  1007. self._generate_persistent_client_cert()
  1008. elif choice == "3":
  1009. self._choose_client_cert()
  1010. elif choice == "4":
  1011. self._load_client_cert()
  1012. else:
  1013. print("Aborting.")
  1014. @restricted
  1015. def do_handler(self, line):
  1016. """View or set handler commands for different MIME types."""
  1017. if not line.strip():
  1018. # Show all current handlers
  1019. for mime in sorted(_MIME_HANDLERS.keys()):
  1020. print("%s %s" % (mime, _MIME_HANDLERS[mime]))
  1021. elif len(line.split()) == 1:
  1022. mime = line.strip()
  1023. if mime in _MIME_HANDLERS:
  1024. print("%s %s" % (mime, _MIME_HANDLERS[mime]))
  1025. else:
  1026. print("No handler set for MIME type %s" % mime)
  1027. else:
  1028. mime, handler = line.split(" ", 1)
  1029. _MIME_HANDLERS[mime] = handler
  1030. if "%s" not in handler:
  1031. print("Are you sure you don't want to pass the filename to the handler?")
  1032. def do_abbrevs(self, *args):
  1033. """Print all AV-98 command abbreviations."""
  1034. header = "Command Abbreviations:"
  1035. self.stdout.write("\n{}\n".format(str(header)))
  1036. if self.ruler:
  1037. self.stdout.write("{}\n".format(str(self.ruler * len(header))))
  1038. for k, v in _ABBREVS.items():
  1039. self.stdout.write("{:<7} {}\n".format(k, v))
  1040. self.stdout.write("\n")
  1041. ### Stuff for getting around
  1042. def do_go(self, line):
  1043. """Go to a gemini URL or marked item."""
  1044. line = line.strip()
  1045. if not line:
  1046. print("Go where?")
  1047. # First, check for possible marks
  1048. elif line in self.marks:
  1049. gi = self.marks[line]
  1050. self._go_to_gi(gi)
  1051. # or a local file
  1052. elif os.path.exists(os.path.expanduser(line)):
  1053. gi = GeminiItem(None, None, os.path.expanduser(line),
  1054. "1", line, False)
  1055. self._go_to_gi(gi)
  1056. # If this isn't a mark, treat it as a URL
  1057. else:
  1058. self._go_to_gi(GeminiItem(line))
  1059. @needs_gi
  1060. def do_reload(self, *args):
  1061. """Reload the current URL."""
  1062. self._go_to_gi(self.gi)
  1063. @needs_gi
  1064. def do_up(self, *args):
  1065. """Go up one directory in the path."""
  1066. self._go_to_gi(self.gi.up())
  1067. def do_back(self, *args):
  1068. """Go back to the previous gemini item."""
  1069. if not self.history or self.hist_index == 0:
  1070. return
  1071. self.hist_index -= 1
  1072. gi = self.history[self.hist_index]
  1073. self._go_to_gi(gi, update_hist=False)
  1074. def do_forward(self, *args):
  1075. """Go forward to the next gemini item."""
  1076. if not self.history or self.hist_index == len(self.history) - 1:
  1077. return
  1078. self.hist_index += 1
  1079. gi = self.history[self.hist_index]
  1080. self._go_to_gi(gi, update_hist=False)
  1081. def do_next(self, *args):
  1082. """Go to next item after current in index."""
  1083. return self.onecmd(str(self.index_index+1))
  1084. def do_previous(self, *args):
  1085. """Go to previous item before current in index."""
  1086. self.lookup = self.index
  1087. return self.onecmd(str(self.index_index-1))
  1088. @needs_gi
  1089. def do_root(self, *args):
  1090. """Go to root selector of the server hosting current item."""
  1091. self._go_to_gi(self.gi.root())
  1092. def do_tour(self, line):
  1093. """Add index items as waypoints on a tour, which is basically a FIFO
  1094. queue of gemini items.
  1095. Items can be added with `tour 1 2 3 4` or ranges like `tour 1-4`.
  1096. All items in current menu can be added with `tour *`.
  1097. Current tour can be listed with `tour ls` and scrubbed with `tour clear`."""
  1098. line = line.strip()
  1099. if not line:
  1100. # Fly to next waypoint on tour
  1101. if not self.waypoints:
  1102. print("End of tour.")
  1103. else:
  1104. gi = self.waypoints.pop(0)
  1105. self._go_to_gi(gi)
  1106. elif line == "ls":
  1107. old_lookup = self.lookup
  1108. self.lookup = self.waypoints
  1109. self._show_lookup()
  1110. self.lookup = old_lookup
  1111. elif line == "clear":
  1112. self.waypoints = []
  1113. elif line == "*":
  1114. self.waypoints.extend(self.lookup)
  1115. elif looks_like_url(line):
  1116. self.waypoints.append(GeminiItem(line))
  1117. else:
  1118. for index in line.split():
  1119. try:
  1120. pair = index.split('-')
  1121. if len(pair) == 1:
  1122. # Just a single index
  1123. n = int(index)
  1124. gi = self.lookup[n-1]
  1125. self.waypoints.append(gi)
  1126. elif len(pair) == 2:
  1127. # Two endpoints for a range of indices
  1128. for n in range(int(pair[0]), int(pair[1]) + 1):
  1129. gi = self.lookup[n-1]
  1130. self.waypoints.append(gi)
  1131. else:
  1132. # Syntax error
  1133. print("Invalid use of range syntax %s, skipping" % index)
  1134. except ValueError:
  1135. print("Non-numeric index %s, skipping." % index)
  1136. except IndexError:
  1137. print("Invalid index %d, skipping." % n)
  1138. @needs_gi
  1139. def do_mark(self, line):
  1140. """Mark the current item with a single letter. This letter can then
  1141. be passed to the 'go' command to return to the current item later.
  1142. Think of it like marks in vi: 'mark a'='ma' and 'go a'=''a'."""
  1143. line = line.strip()
  1144. if not line:
  1145. for mark, gi in self.marks.items():
  1146. print("[%s] %s (%s)" % (mark, gi.name, gi.url))
  1147. elif line.isalpha() and len(line) == 1:
  1148. self.marks[line] = self.gi
  1149. else:
  1150. print("Invalid mark, must be one letter")
  1151. def do_version(self, line):
  1152. """Display version information."""
  1153. print("AV-98 " + _VERSION)
  1154. ### Stuff that modifies the lookup table
  1155. def do_ls(self, line):
  1156. """List contents of current index.
  1157. Use 'ls -l' to see URLs."""
  1158. self.lookup = self.index
  1159. self._show_lookup(url = "-l" in line)
  1160. self.page_index = 0
  1161. def do_gus(self, line):
  1162. """Submit a search query to the GUS search engine."""
  1163. gus = GeminiItem("gemini://gus.guru/search")
  1164. self._go_to_gi(gus.query(line))
  1165. def do_history(self, *args):
  1166. """Display history."""
  1167. self.lookup = self.history
  1168. self._show_lookup(url=True)
  1169. self.page_index = 0
  1170. def do_search(self, searchterm):
  1171. """Search index (case insensitive)."""
  1172. results = [
  1173. gi for gi in self.lookup if searchterm.lower() in gi.name.lower()]
  1174. if results:
  1175. self.lookup = results
  1176. self._show_lookup()
  1177. self.page_index = 0
  1178. else:
  1179. print("No results found.")
  1180. def emptyline(self):
  1181. """Page through index ten lines at a time."""
  1182. i = self.page_index
  1183. if i > len(self.lookup):
  1184. return
  1185. self._show_lookup(offset=i, end=i+10)
  1186. self.page_index += 10
  1187. ### Stuff that does something to most recently viewed item
  1188. @needs_gi
  1189. def do_cat(self, *args):
  1190. """Run most recently visited item through "cat" command."""
  1191. subprocess.call(shlex.split("cat %s" % self._get_active_tmpfile()))
  1192. @needs_gi
  1193. def do_less(self, *args):
  1194. """Run most recently visited item through "less" command."""
  1195. cmd_str = self._get_handler_cmd(self.mime)
  1196. cmd_str = cmd_str % self._get_active_tmpfile()
  1197. subprocess.call("%s | less -R" % cmd_str, shell=True)
  1198. @needs_gi
  1199. def do_fold(self, *args):
  1200. """Run most recently visited item through "fold" command."""
  1201. cmd_str = self._get_handler_cmd(self.mime)
  1202. cmd_str = cmd_str % self._get_active_tmpfile()
  1203. subprocess.call("%s | fold -w 70 -s" % cmd_str, shell=True)
  1204. @restricted
  1205. @needs_gi
  1206. def do_shell(self, line):
  1207. """'cat' most recently visited item through a shell pipeline."""
  1208. subprocess.call(("cat %s |" % self._get_active_tmpfile()) + line, shell=True)
  1209. @restricted
  1210. @needs_gi
  1211. def do_save(self, line):
  1212. """Save an item to the filesystem.
  1213. 'save n filename' saves menu item n to the specified filename.
  1214. 'save filename' saves the last viewed item to the specified filename.
  1215. 'save n' saves menu item n to an automagic filename."""
  1216. args = line.strip().split()
  1217. # First things first, figure out what our arguments are
  1218. if len(args) == 0:
  1219. # No arguments given at all
  1220. # Save current item, if there is one, to a file whose name is
  1221. # inferred from the gemini path
  1222. if not self.tmp_filename:
  1223. print("You need to visit an item first!")
  1224. return
  1225. else:
  1226. index = None
  1227. filename = None
  1228. elif len(args) == 1:
  1229. # One argument given
  1230. # If it's numeric, treat it as an index, and infer the filename
  1231. try:
  1232. index = int(args[0])
  1233. filename = None
  1234. # If it's not numeric, treat it as a filename and
  1235. # save the current item
  1236. except ValueError:
  1237. index = None
  1238. filename = os.path.expanduser(args[0])
  1239. elif len(args) == 2:
  1240. # Two arguments given
  1241. # Treat first as an index and second as filename
  1242. index, filename = args
  1243. try:
  1244. index = int(index)
  1245. except ValueError:
  1246. print("First argument is not a valid item index!")
  1247. return
  1248. filename = os.path.expanduser(filename)
  1249. else:
  1250. print("You must provide an index, a filename, or both.")
  1251. return
  1252. # Next, fetch the item to save, if it's not the current one.
  1253. if index:
  1254. last_gi = self.gi
  1255. try:
  1256. gi = self.lookup[index-1]
  1257. self._go_to_gi(gi, update_hist = False, handle = False)
  1258. except IndexError:
  1259. print ("Index too high!")
  1260. self.gi = last_gi
  1261. return
  1262. else:
  1263. gi = self.gi
  1264. # Derive filename from current GI's path, if one hasn't been set
  1265. if not filename:
  1266. filename = os.path.basename(gi.path)
  1267. # Check for filename collisions and actually do the save if safe
  1268. if os.path.exists(filename):
  1269. print("File %s already exists!" % filename)
  1270. else:
  1271. # Don't use _get_active_tmpfile() here, because we want to save the
  1272. # "source code" of menus, not the rendered view - this way AV-98
  1273. # can navigate to it later.
  1274. shutil.copyfile(self.tmp_filename, filename)
  1275. print("Saved to %s" % filename)
  1276. # Restore gi if necessary
  1277. if index != None:
  1278. self._go_to_gi(last_gi, handle=False)
  1279. @needs_gi
  1280. def do_url(self, *args):
  1281. """Print URL of most recently visited item."""
  1282. print(self.gi.url)
  1283. ### Bookmarking stuff
  1284. @restricted
  1285. @needs_gi
  1286. def do_add(self, line):
  1287. """Add the current URL to the bookmarks menu.
  1288. Optionally, specify the new name for the bookmark."""
  1289. with open(os.path.join(self.config_dir, "bookmarks.gmi"), "a") as fp:
  1290. fp.write(self.gi.to_map_line(line))
  1291. def do_bookmarks(self, line):
  1292. """Show or access the bookmarks menu.
  1293. 'bookmarks' shows all bookmarks.
  1294. 'bookmarks n' navigates immediately to item n in the bookmark menu.
  1295. Bookmarks are stored using the 'add' command."""
  1296. bm_file = os.path.join(self.config_dir, "bookmarks.gmi")
  1297. if not os.path.exists(bm_file):
  1298. print("You need to 'add' some bookmarks, first!")
  1299. return
  1300. args = line.strip()
  1301. if len(args.split()) > 1 or (args and not args.isnumeric()):
  1302. print("bookmarks command takes a single integer argument!")
  1303. return
  1304. with open(bm_file, "r") as fp:
  1305. body = fp.read()
  1306. gi = GeminiItem("localhost/" + bm_file)
  1307. self._handle_index(body, gi, display = not args)
  1308. if args:
  1309. # Use argument as a numeric index
  1310. self.default(line)
  1311. ### Help
  1312. def do_help(self, arg):
  1313. """ALARM! Recursion detected! ALARM! Prepare to eject!"""
  1314. if arg == "!":
  1315. print("! is an alias for 'shell'")
  1316. elif arg == "?":
  1317. print("? is an alias for 'help'")
  1318. else:
  1319. cmd.Cmd.do_help(self, arg)
  1320. ### Flight recorder
  1321. def do_blackbox(self, *args):
  1322. """Display contents of flight recorder, showing statistics for the
  1323. current gemini browsing session."""
  1324. lines = []
  1325. # Compute flight time
  1326. now = time.time()
  1327. delta = now - self.log["start_time"]
  1328. hours, remainder = divmod(delta, 36000)
  1329. minutes, seconds = divmod(remainder, 60)
  1330. # Count hosts
  1331. ipv4_hosts = len([host for host in self.visited_hosts if host[0] == socket.AF_INET])
  1332. ipv6_hosts = len([host for host in self.visited_hosts if host[0] == socket.AF_INET6])
  1333. # Assemble lines
  1334. lines.append(("Patrol duration", "%02d:%02d:%02d" % (hours, minutes, seconds)))
  1335. lines.append(("Requests sent:", self.log["requests"]))
  1336. lines.append((" IPv4 requests:", self.log["ipv4_requests"]))
  1337. lines.append((" IPv6 requests:", self.log["ipv6_requests"]))
  1338. lines.append(("Bytes received:", self.log["bytes_recvd"]))
  1339. lines.append((" IPv4 bytes:", self.log["ipv4_bytes_recvd"]))
  1340. lines.append((" IPv6 bytes:", self.log["ipv6_bytes_recvd"]))
  1341. lines.append(("Unique hosts visited:", len(self.visited_hosts)))
  1342. lines.append((" IPv4 hosts:", ipv4_hosts))
  1343. lines.append((" IPv6 hosts:", ipv6_hosts))
  1344. lines.append(("DNS failures:", self.log["dns_failures"]))
  1345. lines.append(("Timeouts:", self.log["timeouts"]))
  1346. lines.append(("Refused connections:", self.log["refused_connections"]))
  1347. lines.append(("Reset connections:", self.log["reset_connections"]))
  1348. # Print
  1349. for key, value in lines:
  1350. print(key.ljust(24) + str(value).rjust(8))
  1351. ### The end!
  1352. def do_quit(self, *args):
  1353. """Exit AV-98."""
  1354. # Close TOFU DB
  1355. self.db_conn.commit()
  1356. self.db_conn.close()
  1357. # Clean up after ourself
  1358. if self.tmp_filename and os.path.exists(self.tmp_filename):
  1359. os.unlink(self.tmp_filename)
  1360. if self.idx_filename and os.path.exists(self.idx_filename):
  1361. os.unlink(self.idx_filename)
  1362. for cert in self.transient_certs_created:
  1363. for ext in (".crt", ".key"):
  1364. certfile = os.path.join(self.config_dir, "transient_certs", cert+ext)
  1365. if os.path.exists(certfile):
  1366. os.remove(certfile)
  1367. print()
  1368. print("Thank you for flying AV-98!")
  1369. sys.exit()
  1370. do_exit = do_quit
  1371. # Main function
  1372. def main():
  1373. # Parse args
  1374. parser = argparse.ArgumentParser(description='A command line gemini client.')
  1375. parser.add_argument('--bookmarks', action='store_true',
  1376. help='start with your list of bookmarks')
  1377. parser.add_argument('--tls-cert', metavar='FILE', help='TLS client certificate file')
  1378. parser.add_argument('--tls-key', metavar='FILE', help='TLS client certificate private key file')
  1379. parser.add_argument('--restricted', action="store_true", help='Disallow shell, add, and save commands')
  1380. parser.add_argument('--version', action='store_true',
  1381. help='display version information and quit')
  1382. parser.add_argument('url', metavar='URL', nargs='*',
  1383. help='start with this URL')
  1384. args = parser.parse_args()
  1385. # Handle --version
  1386. if args.version:
  1387. print("AV-98 " + _VERSION)
  1388. sys.exit()
  1389. # Instantiate client
  1390. gc = GeminiClient(args.restricted)
  1391. # Process config file
  1392. rcfile = os.path.join(gc.config_dir, "av98rc")
  1393. if os.path.exists(rcfile):
  1394. print("Using config %s" % rcfile)
  1395. with open(rcfile, "r") as fp:
  1396. for line in fp:
  1397. line = line.strip()
  1398. if ((args.bookmarks or args.url) and
  1399. any((line.startswith(x) for x in ("go", "g", "tour", "t")))
  1400. ):
  1401. if args.bookmarks:
  1402. print("Skipping rc command \"%s\" due to --bookmarks option." % line)
  1403. else:
  1404. print("Skipping rc command \"%s\" due to provided URLs." % line)
  1405. continue
  1406. gc.cmdqueue.append(line)
  1407. # Say hi
  1408. print("Welcome to AV-98!")
  1409. if args.restricted:
  1410. print("Restricted mode engaged!")
  1411. print("Enjoy your patrol through Geminispace...")
  1412. # Act on args
  1413. if args.tls_cert:
  1414. # If tls_key is None, python will attempt to load the key from tls_cert.
  1415. gc._activate_client_cert(args.tls_cert, args.tls_key)
  1416. if args.bookmarks:
  1417. gc.cmdqueue.append("bookmarks")
  1418. elif args.url:
  1419. if len(args.url) == 1:
  1420. gc.cmdqueue.append("go %s" % args.url[0])
  1421. else:
  1422. for url in args.url:
  1423. if not url.startswith("gemini://"):
  1424. url = "gemini://" + url
  1425. gc.cmdqueue.append("tour %s" % url)
  1426. gc.cmdqueue.append("tour")
  1427. # Endless interpret loop
  1428. while True:
  1429. try:
  1430. gc.cmdloop()
  1431. except KeyboardInterrupt:
  1432. print("")
  1433. if __name__ == '__main__':
  1434. main()