|
123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527 |
- #!/usr/bin/env python3
-
- # Kosmorro - Compute The Next Ephemerides
- # Copyright (C) 2019 Jérôme Deuchnord <jerome@deuchnord.fr>
- #
- # This program is free software: you can redistribute it and/or modify
- # it under the terms of the GNU Affero General Public License as
- # published by the Free Software Foundation, either version 3 of the
- # License, or (at your option) any later version.
- #
- # This program is distributed in the hope that it will be useful,
- # but WITHOUT ANY WARRANTY; without even the implied warranty of
- # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
- # GNU Affero General Public License for more details.
- #
- # You should have received a copy of the GNU Affero General Public License
- # along with this program. If not, see <https://www.gnu.org/licenses/>.
-
- from abc import ABC, abstractmethod
- import datetime
- import json
- import os
- import tempfile
- import subprocess
- import shutil
- from pathlib import Path
- from tabulate import tabulate
- from termcolor import colored
-
- from kosmorrolib import AsterEphemerides, Event
- from kosmorrolib.model import ASTERS, MoonPhase
-
- from .i18n.utils import _, FULL_DATE_FORMAT, SHORT_DATETIME_FORMAT, TIME_FORMAT
- from .i18n import strings
- from .__version__ import __version__ as version
- from .exceptions import CompileError
- from .debug import debug_print
-
-
- class Dumper(ABC):
- def __init__(
- self,
- ephemerides: [AsterEphemerides] = None,
- moon_phase: MoonPhase = None,
- events: [Event] = None,
- date: datetime.date = datetime.date.today(),
- timezone: int = 0,
- with_colors: bool = True,
- show_graph: bool = False,
- ):
- self.ephemerides = ephemerides
- self.moon_phase = moon_phase
- self.events = events
- self.date = date
- self.timezone = timezone
- self.with_colors = with_colors
- self.show_graph = show_graph
-
- def get_date_as_string(self, capitalized: bool = False) -> str:
- date = self.date.strftime(FULL_DATE_FORMAT)
-
- if capitalized:
- return "".join([date[0].upper(), date[1:]])
-
- return date
-
- def __str__(self):
- return self.to_string()
-
- @abstractmethod
- def to_string(self):
- pass
-
- @staticmethod
- def is_file_output_needed() -> bool:
- return False
-
-
- class JsonDumper(Dumper):
- def to_string(self):
- return json.dumps(
- {
- "ephemerides": [
- ephemeris.serialize() for ephemeris in self.ephemerides
- ],
- "moon_phase": self.moon_phase.serialize(),
- "events": [event.serialize() for event in self.events],
- },
- indent=4,
- )
-
-
- class TextDumper(Dumper):
- def to_string(self):
- text = [self.style(self.get_date_as_string(capitalized=True), "h1")]
-
- if self.ephemerides is not None:
- text.append(self.stringify_ephemerides())
-
- text.append(self.get_moon(self.moon_phase))
-
- if len(self.events) > 0:
- text.append(
- "\n".join(
- [
- self.style(_("Expected events:"), "h2"),
- self.get_events(self.events),
- ]
- )
- )
-
- if self.timezone == 0:
- text.append(self.style(_("Note: All the hours are given in UTC."), "em"))
- else:
- tz_offset = str(self.timezone)
- if self.timezone > 0:
- tz_offset = "".join(["+", tz_offset])
- text.append(
- self.style(
- _(
- "Note: All the hours are given in the UTC{offset} timezone."
- ).format(offset=tz_offset),
- "em",
- )
- )
-
- return "\n\n".join(text)
-
- def style(self, text: str, tag: str) -> str:
- if not self.with_colors:
- return text
-
- styles = {
- "h1": lambda t: colored(t, "yellow", attrs=["bold"]),
- "h2": lambda t: colored(t, "magenta", attrs=["bold"]),
- "th": lambda t: colored(t, "white", attrs=["bold"]),
- "strong": lambda t: colored(t, attrs=["bold"]),
- "em": lambda t: colored(t, attrs=["dark"]),
- }
-
- return styles[tag](text)
-
- def stringify_ephemerides(self) -> str:
- data = []
-
- for ephemeris in self.ephemerides:
- name = self.style(strings.from_object(ephemeris.object.identifier), "th")
-
- if ephemeris.rise_time is not None:
- time_fmt = (
- TIME_FORMAT
- if ephemeris.rise_time.day == self.date.day
- else SHORT_DATETIME_FORMAT
- )
- planet_rise = ephemeris.rise_time.strftime(time_fmt)
- else:
- planet_rise = "-"
-
- if ephemeris.culmination_time is not None:
- time_fmt = (
- TIME_FORMAT
- if ephemeris.culmination_time.day == self.date.day
- else SHORT_DATETIME_FORMAT
- )
- planet_culmination = ephemeris.culmination_time.strftime(time_fmt)
- else:
- planet_culmination = "-"
-
- if ephemeris.set_time is not None:
- time_fmt = (
- TIME_FORMAT
- if ephemeris.set_time.day == self.date.day
- else SHORT_DATETIME_FORMAT
- )
- planet_set = ephemeris.set_time.strftime(time_fmt)
- else:
- planet_set = "-"
-
- data.append([name, planet_rise, planet_culmination, planet_set])
-
- return tabulate(
- data,
- headers=[
- self.style(_("Object"), "th"),
- self.style(_("Rise time"), "th"),
- self.style(_("Culmination time"), "th"),
- self.style(_("Set time"), "th"),
- ],
- tablefmt="simple",
- stralign="center",
- colalign=("left",),
- )
-
- def get_events(self, events: [Event]) -> str:
- def get_event_description(ev: Event):
- description = strings.from_event(ev)
-
- if ev.details is not None:
- description += " ({:s})".format(ev.details)
- return description
-
- data = []
-
- for event in events:
- time_fmt = (
- TIME_FORMAT
- if event.start_time.day == self.date.day
- else SHORT_DATETIME_FORMAT
- )
- data.append(
- [
- self.style(event.start_time.strftime(time_fmt), "th"),
- get_event_description(event),
- ]
- )
-
- return tabulate(data, tablefmt="plain", stralign="left")
-
- def get_moon(self, moon_phase: MoonPhase) -> str:
- if moon_phase is None:
- return _("Moon phase is unavailable for this date.")
-
- current_moon_phase = " ".join(
- [
- self.style(_("Moon phase:"), "strong"),
- strings.from_moon_phase(moon_phase.phase_type),
- ]
- )
- new_moon_phase = _(
- "{next_moon_phase} on {next_moon_phase_date} at {next_moon_phase_time}"
- ).format(
- next_moon_phase=_(strings.from_moon_phase(moon_phase.get_next_phase())),
- next_moon_phase_date=moon_phase.next_phase_date.strftime(FULL_DATE_FORMAT),
- next_moon_phase_time=moon_phase.next_phase_date.strftime(TIME_FORMAT),
- )
-
- return "\n".join([current_moon_phase, new_moon_phase])
-
-
- class _LatexDumper(Dumper):
- def to_string(self):
- template_path = os.path.join(
- os.path.abspath(os.path.dirname(__file__)), "assets", "pdf", "template.tex"
- )
-
- with open(template_path, mode="r") as file:
- template = file.read()
-
- return self._make_document(template)
-
- def _make_document(self, template: str) -> str:
- kosmorro_logo_path = os.path.join(
- os.path.abspath(os.path.dirname(__file__)),
- "assets",
- "png",
- "kosmorro-logo.png",
- )
-
- moon_phase_graphics = os.path.join(
- os.path.abspath(os.path.dirname(__file__)),
- "assets",
- "moonphases",
- "png",
- ".".join(
- [self.moon_phase.phase_type.name.lower().replace("_", "-"), "png"]
- ),
- )
-
- document = template
-
- if self.ephemerides is None:
- document = self._remove_section(document, "ephemerides")
-
- if len(self.events) == 0:
- document = self._remove_section(document, "events")
-
- document = self.add_strings(document, kosmorro_logo_path, moon_phase_graphics)
-
- if self.show_graph:
- # The graphephemerides environment beginning tag must end with a percent symbol to ensure
- # that no extra space will interfere with the graph.
- document = document.replace(
- r"\begin{ephemerides}", r"\begin{graphephemerides}%"
- ).replace(r"\end{ephemerides}", r"\end{graphephemerides}")
-
- return document
-
- def add_strings(
- self, document: str, kosmorro_logo_path: str, moon_phase_graphics: str
- ) -> str:
- document = document.replace("+++KOSMORRO-VERSION+++", version)
- document = document.replace("+++KOSMORRO-LOGO+++", kosmorro_logo_path)
- document = document.replace("+++DOCUMENT-TITLE+++", _("A Summary of your Sky"))
- document = document.replace(
- "+++DOCUMENT-DATE+++", self.get_date_as_string(capitalized=True)
- )
- document = document.replace(
- "+++INTRODUCTION+++",
- "\n\n".join(
- [
- _(
- "This document summarizes the ephemerides and the events of {date}. "
- "It aims to help you to prepare your observation session. "
- "All the hours are given in {timezone}."
- ).format(
- date=self.get_date_as_string(),
- timezone="UTC+%d" % self.timezone
- if self.timezone != 0
- else "UTC",
- ),
- _(
- "Don't forget to check the weather forecast before you go out with your equipment."
- ),
- ]
- ),
- )
- document = document.replace(
- "+++SECTION-EPHEMERIDES+++", _("Ephemerides of the day")
- )
- document = document.replace("+++EPHEMERIDES-OBJECT+++", _("Object"))
- document = document.replace("+++EPHEMERIDES-RISE-TIME+++", _("Rise time"))
- document = document.replace(
- "+++EPHEMERIDES-CULMINATION-TIME+++", _("Culmination time")
- )
- document = document.replace("+++EPHEMERIDES-SET-TIME+++", _("Set time"))
- document = document.replace("+++EPHEMERIDES+++", self._make_ephemerides())
- document = document.replace("+++GRAPH_LABEL_HOURS+++", _("hours"))
- document = document.replace("+++MOON-PHASE-GRAPHICS+++", moon_phase_graphics)
- document = document.replace("+++CURRENT-MOON-PHASE-TITLE+++", _("Moon phase:"))
- document = document.replace(
- "+++CURRENT-MOON-PHASE+++",
- strings.from_moon_phase(self.moon_phase.phase_type),
- )
- document = document.replace("+++SECTION-EVENTS+++", _("Expected events"))
- document = document.replace("+++EVENTS+++", self._make_events())
-
- for aster in ASTERS:
- document = document.replace(
- "+++ASTER_%s+++" % aster.skyfield_name.upper().split(" ")[0],
- strings.from_object(aster.identifier),
- )
-
- return document
-
- def _make_ephemerides(self) -> str:
- latex = []
- graph_y_component = 18
-
- if self.ephemerides is not None:
- for ephemeris in self.ephemerides:
- if ephemeris.rise_time is not None:
- time_fmt = (
- TIME_FORMAT
- if ephemeris.rise_time.day == self.date.day
- else SHORT_DATETIME_FORMAT
- )
- aster_rise = ephemeris.rise_time.strftime(time_fmt)
- else:
- aster_rise = "-"
-
- if ephemeris.culmination_time is not None:
- time_fmt = (
- TIME_FORMAT
- if ephemeris.culmination_time.day == self.date.day
- else SHORT_DATETIME_FORMAT
- )
- aster_culmination = ephemeris.culmination_time.strftime(time_fmt)
- else:
- aster_culmination = "-"
-
- if ephemeris.set_time is not None:
- time_fmt = (
- TIME_FORMAT
- if ephemeris.set_time.day == self.date.day
- else SHORT_DATETIME_FORMAT
- )
- aster_set = ephemeris.set_time.strftime(time_fmt)
- else:
- aster_set = "-"
-
- if not self.show_graph:
- latex.append(
- r"\object{%s}{%s}{%s}{%s}"
- % (
- strings.from_object(ephemeris.object.identifier),
- aster_rise,
- aster_culmination,
- aster_set,
- )
- )
- else:
- if ephemeris.rise_time is not None:
- raise_hour = ephemeris.rise_time.hour
- raise_minute = ephemeris.rise_time.minute
- else:
- raise_hour = raise_minute = 0
- aster_rise = ""
-
- if ephemeris.set_time is not None:
- set_hour = ephemeris.set_time.hour
- set_minute = ephemeris.set_time.minute
- else:
- set_hour = 24
- set_minute = 0
- aster_set = ""
- sets_after_end = set_hour > raise_hour
-
- if not sets_after_end:
- latex.append(
- r"\graphobject{%d}{gray}{0}{0}{%d}{%d}{}{%s}"
- % (graph_y_component, set_hour, set_minute, aster_set)
- )
- set_hour = 24
- set_minute = 0
-
- latex.append(
- r"\graphobject{%d}{gray}{%d}{%d}{%d}{%d}{%s}{%s}"
- % (
- graph_y_component,
- raise_hour,
- raise_minute,
- set_hour,
- set_minute,
- aster_rise,
- aster_set if sets_after_end else "",
- )
- )
- graph_y_component -= 2
-
- return "".join(latex)
-
- def _make_events(self) -> str:
- latex = []
-
- for event in self.events:
- print(event)
- latex.append(
- r"\event{%s}{%s}"
- % (event.start_time.strftime(TIME_FORMAT), strings.from_event(event))
- )
-
- return "".join(latex)
-
- @staticmethod
- def _remove_section(document: str, section: str):
- begin_section_tag = "%%%%%% BEGIN-%s-SECTION" % section.upper()
- end_section_tag = "%%%%%% END-%s-SECTION" % section.upper()
-
- document = document.split("\n")
- new_document = []
-
- ignore_line = False
- for line in document:
- if begin_section_tag in line or end_section_tag in line:
- ignore_line = not ignore_line
- continue
- if ignore_line:
- continue
- new_document.append(line)
-
- return "\n".join(new_document)
-
-
- class PdfDumper(Dumper):
- def to_string(self):
- try:
- latex_dumper = _LatexDumper(
- self.ephemerides,
- self.moon_phase,
- self.events,
- date=self.date,
- timezone=self.timezone,
- with_colors=self.with_colors,
- show_graph=self.show_graph,
- )
- return self._compile(latex_dumper.to_string())
- except RuntimeError as error:
- raise error
- # raise UnavailableFeatureError(
- # _(
- # "Building PDFs was not possible, because some dependencies are not"
- # " installed.\nPlease look at the documentation at http://kosmorro.space "
- # "for more information."
- # )
- # ) from error
-
- @staticmethod
- def is_file_output_needed() -> bool:
- return True
-
- @staticmethod
- def _compile(latex_input) -> bytes:
- package = str(Path(__file__).parent.absolute()) + "/assets/pdf/kosmorro.sty"
-
- with tempfile.TemporaryDirectory() as tempdir:
- timestamp = datetime.datetime.now().strftime("%Y%m%d%H%M%S")
- shutil.copy(package, tempdir)
-
- with open("%s/%s.tex" % (tempdir, timestamp), "w") as texfile:
- texfile.write(latex_input)
-
- os.chdir(tempdir)
- debug_print("LaTeX content:\n%s" % latex_input)
-
- try:
- subprocess.run(
- ["pdflatex", "-interaction", "nonstopmode", "%s.tex" % timestamp],
- capture_output=True,
- check=True,
- )
- except FileNotFoundError as error:
- raise RuntimeError("pdflatex is not installed.") from error
- except subprocess.CalledProcessError as error:
- with open("/tmp/kosmorro-%s.log" % timestamp, "wb") as file:
- file.write(error.stdout)
-
- raise CompileError(
- _(
- "An error occured during the compilation of the PDF.\n"
- "Please open an issue at https://github.com/Kosmorro/kosmorro/issues and share "
- "the content of the log file at /tmp/kosmorro-%s.log"
- % timestamp
- )
- ) from error
-
- with open("%s.pdf" % timestamp, "rb") as pdffile:
- return bytes(pdffile.read())
|