Source code for simple_report.page

import datetime
import numpy as np
import pandas as pd
import pendulum
import shutil

from collections import defaultdict
from jinja2 import Environment, FileSystemLoader
from loguru import logger
from pathlib import Path
from typing import Union, Optional, Any, Callable, Literal

from . import TEMPLATE_DIR
from .utils import default, verify_alignment, coerce_to_date, ColorMap

#----------------------------------------------------------------------------------------------------------------------#
# region REPORT PAGE
#----------------------------------------------------------------------------------------------------------------------#
[docs] class ReportPage: """ Single page of a Report object, does all the heavy lifting """ def __init__( self, report_dir: Union[str, Path], page_name: str, config: dict[str, Any], color_map: ColorMap, subpage: Optional[bool]=None, color_mode: str='light', ): """ Initialize a new Report Page object Args: report_dir (Union[str, Path]): Path to the report directory page_name (str): Name of the page. If this is a subpage the final file will be called {page_name}.html config (dict[str, Any]): Containing report configuration color_map (ColorMap): The color map used for the report subpage (Optional[bool]): This is a subpage of the report, default is `True` color_mode (str): Decide if the subpage is in `light` or `dark` mode """ subpage = default(subpage, True) self.page_name = page_name if subpage: self.file_name = f'{page_name}.html' else: self.file_name = 'index.html' self.rel_dir = Path() self.abs_dir = Path(report_dir) self.img_dir = self.abs_dir / 'images' self.rel_file = self.rel_dir / self.file_name self.abs_file = self.abs_dir / self.file_name self.config = config self.color_map = color_map self.color_mode = color_mode # The following objects allow the nesting of commands and avoid lement conflicts self.page_buffers = [PageBuffer()] self.id_counter = 0 # Prepare the jinja templater file_loader = FileSystemLoader(TEMPLATE_DIR) self.jinja_env = Environment(loader=file_loader) #-----# # API # #-----# # region Report Header # --------------------
[docs] def add_report_header( self, name: str, date: Optional[Union[str, int, datetime.date, datetime.datetime]]=None, include_date: bool=True, color: str='primary', ): """ Add the main report header to the page Args: name (str): Report name date (Optional[Union[str, int, datetime.date, datetime.datetime]]): Report date include_date (bool): Include the date in the header, default is `True` color (str): Background color of header """ if include_date: date = '{:%Y-%m-%d}'.format(coerce_to_date(date)) name = f'{name} for {date}' template = self.jinja_env.get_template('report_header.html') now_loc = pendulum.now() now = 'Created on {0:%a, %d %b %Y} at {0:%H:%M:%S %Z%z}'.format(now_loc) color = self.color_map[color] html = template.render(report_name=name, report_creation_time=now, color=color) self._update_content(html)
# region Error, Warning, Info Section # -----------------------------------
[docs] def add_error_warning_info_section( self, errors: Optional[list[str]]=None, warnings: Optional[list[str]]=None, info: Optional[list[str]]=None, ): """ Add a section containing errors/warnings/infos If a report ball is provided it takes precedence over the other lists. Args: errors (Optional[list[str]]): List of errors encountered warnings (Optional[list[str]]): List of warnings encountered info (Optional[list[str]]): List of info encountered """ errors = default(errors, []) warnings = default(warnings, []) info = default(info, []) color = self.color_map.get_default_color('report_ball', self.color_mode) template = self.jinja_env.get_template('report_ball_section.html') html = template.render(errors=errors, warnings=warnings, info=info, color=color) self._update_content(html)
# region Link To Page # ------------------- # region Local Link # ----------------- # region Header # -------------
[docs] def add_header(self, header_text: str, color: Optional[str]=None): """ Add a section header to the page Args: header_text (str): Header text color (Optional[str]): Color of the header box """ color = default(color, self.color_map.get_default_color('header', self.color_mode)) header_color = self.color_map[color] template = self.jinja_env.get_template('header.html') html = template.render(header_text=header_text, header_color=header_color, sub_level=12) self._update_content(html)
# region Sub Header # -----------------
[docs] def add_sub_header(self, header_text: str, color: Optional[str]=None, sub_level: Optional[int]=None): """ Add a section header to the page Args: header_text (str): Header text color (Optional[str]): Color of the header box sub_level (Optional[int]): Shrinks the width of the header box. Levels can be 1 to 5. The higher the level the smaller the box """ sub_level = default(sub_level, 1) color = default(color, self.color_map.get_default_color('sub-header', self.color_mode)) header_color = self.color_map[color] allowed_levels = [1,5] if not (allowed_levels[0] <= sub_level <= allowed_levels[1]): msg = f'sub level {sub_level} is out of range, use {allowed_levels}' logger.error(msg) raise RuntimeError(msg) sub_level = 12 - 2*sub_level template = self.jinja_env.get_template('header.html') html = template.render(header_text=header_text, header_color=header_color, sub_level=sub_level) self._update_content(html)
# region Table # ------------
[docs] def add_table( self, table_data: Union[pd.DataFrame, list[list[Any]]], formatters: Optional[Union[str, Callable, list[str], list[Callable]]]=None, options: Optional[list[str]]=None, size: Optional[int]=None, align: Optional[Literal['left','center','right']]=None, caption: Optional[str]=None, footers: Optional[list[list[Any]]]=None, order: Optional[list[list[Any]]]=None, color: Optional[str]=None, ): """ Add a table to the page. ``table_data`` can either be a pandas ``DataFrame`` or a list of lists. For the former we assume indices and column labels are already properly formatted. For the latter we assume the first item contains the headers. Args: table_data (Union[DataFrame, list[list[Any]]]): Data to tabelize. formatters (Optional[Union[str, Callable, list[str], list[Callable]]]): Formatters applied to each table element. If a list is provided it must match the number of columns. A single formatter is applied to all columns. The default formatter is ``str()``. options (Optional[list[str]]): Turn optional elements of the DataTable on. Supported options: - ``page`` - Split long tables into pages of 10 (configurable) - ``info`` - Show number of rows - ``search`` - Add a search field - ``no_sort`` - Disable initial sorting - ``color_negative_values`` - Highlight values < 0 in red - ``color_positive_values`` - Highlight values > 0 in green - ``full_width`` - Table spans full window width size (Optional[int]): Sets the width of the table (1-12). ``12`` uses full container width. align (Optional[str]): Alignment of cell content. caption (Optional[str]): Text shown below the table. footers (Optional[list[list[Any]]]): Rows always shown at the bottom of the table. order (Optional[list[list[Any]]]): Default table order in the form ``[[col_idx, 'asc' | 'desc'], ...]``. color (Optional[str]): Text color. Automatically determined if omitted. """ # Set defaults caption = default(caption, '') size = default(size, 12) align = default(align, 'center') options = default(options, []) footers = default(footers, None) order = default(order, None) color = default(color, self.color_map.get_default_color('table', self.color_mode)) data, columns, footers = self._make_table(table_data, footers, formatters, options) self.id_counter += 1 table_id = 'tableID_{}'.format(self.id_counter) d_opts = ['page', 'info', 'search', 'no_sort', 'color_negative_values', 'color_positive_values', 'full_width', 'order'] if not isinstance(options, list): msg = 'The options keyword needs to be a list' logger.error(msg) raise RuntimeError(msg) for opt in options: if opt not in d_opts: msg = f'{opt} is not supported {d_opts}' logger.error(msg) raise RuntimeError(msg) if not isinstance(size, int): msg = 'Size needs to be of type int' logger.error(msg) raise RuntimeError(msg) allowed_size = [1,12] if not (allowed_size[0] <= size <= allowed_size[1]): msg = f'Size {size} not supported, allowed sizes are {allowed_size}' logger.error(msg) raise RuntimeError(msg) template = self.jinja_env.get_template('table.html') html = template.render(table_id=table_id, table_data=data, table_columns=columns, footers=footers, order=order, options=options, size=size, align=align, caption=caption, color=color) self._update_content(html)
# region Image # ------------
[docs] def add_image( self, image_source: Union[str, Path], remove_source: Optional[bool]=None, responsive: Optional[bool]=None, center: Optional[bool]=None, ): """ Add an image to the page Args: image_source (Union[str, Path]): Path to image that needs to be added The image will be copied to report/page/images/ remove_source (Optional[bool]): If true the source will be deleted and we will only keep the copy in the report dir responsive (Optional[bool]): If true the image will automatically be resized to match the outer container center (Optional[bool]): If true the image will be centered """ self.img_dir.mkdir(parents=True, exist_ok=True) remove_source = default(remove_source, False) responsive = default(responsive, True) center = default(center, True) image_source = Path(image_source) image_name = image_source.name image_dest = self.img_dir / image_name shutil.copyfile(image_source, image_dest) if remove_source: image_source.unlink() rel_image_path = self.rel_dir / 'images' / image_name template = self.jinja_env.get_template('image.html') html = template.render(source=rel_image_path, responsive=responsive, center=center) self._update_content(html)
# region Custom HTML Code # -----------------------
[docs] def add_custom_html_code(self, html: str): """ Add your own html code to the page Args: html (str): Whatever you want to add """ self._update_content(html)
# region List # -----------
[docs] def add_list(self, list_items: list[str]): """ Add a list to the page Args: list_items (list[str]): Each item is converted to a bullet point """ template = self.jinja_env.get_template('list.html') html = template.render(list_items=list_items) self._update_content(html)
# region Text # -----------
[docs] def add_text(self, text: str, color: Optional[str]=None, align: Optional[Literal['left', 'center', 'right']]=None): """ Add (colored) text to the page This will create a new paragraph. So if you want to mix colors within one paragraph you'll have to do this yourself for now Args: text (str): Your text color (Optional[str]): One of the supported colors align (Optional[Literal['left', 'center', 'right']]): Alignment of text """ color = default(color, self.color_map.get_default_color('text', self.color_mode)) align = default(align, 'center') color = self.color_map[color] align = verify_alignment(align) template = self.jinja_env.get_template('text.html') html = template.render(text=text, color=color, align=align) self._update_content(html)
# region Columns # --------------
[docs] def open_columns(self): """ Open a new columns environment """ self.page_buffers.append(PageBuffer('columns'))
[docs] def close_columns(self): """ Close current columns environment """ self._is_page_in_status('columns') column_items = [] for column in self.page_buffers[-1].content_ids: content_html = '\n'.join(self.page_buffers[-1].content_buffer[column]) item = [content_html] column_items.append(item) template = self.jinja_env.get_template('columns.html') html = template.render(column_items=column_items) self.page_buffers = self.page_buffers[:-1] self._update_content(html)
[docs] def add_column(self): """ Add a new column """ self._is_page_in_status('columns') self.id_counter += 1 column_id = 'columnID_{}'.format(self.id_counter) self.page_buffers[-1].content_ids.append(column_id)
# region Tabs # -----------
[docs] def open_tabs(self): """ Open a tabs environment """ self.page_buffers.append(PageBuffer('tabs'))
[docs] def close_tabs(self): """ Close current tabs environment """ self._is_page_in_status('tabs') tabbed_items = [] for tab in self.page_buffers[-1].content_ids: content_html = '\n'.join(self.page_buffers[-1].content_buffer[tab]) item = [tab[0], tab[1], content_html] tabbed_items.append(item) template = self.jinja_env.get_template('tabs.html') html = template.render(tabbed_items=tabbed_items) self.page_buffers = self.page_buffers[:-1] self._update_content(html)
[docs] def add_tab(self, name: str): """ Add a new tab to the tabs list Args: name (str): Name as shown in the tab list """ self._is_page_in_status('tabs') self.id_counter += 1 tab_id = 'tabID_{}'.format(self.id_counter) self.page_buffers[-1].content_ids.append((name, tab_id))
# region Navbar # -------------
[docs] def open_navbar( self, loc: Optional[Literal['left', 'right', 'top']]=None, color: Optional[Literal['gray', 'red', 'blue', 'green']]=None, ): """ Open a navbar environment Args: loc (Optional[Literal['left', 'right', 'top']]): Position of navbar pills color (Optional[Literal['gray', 'red', 'blue', 'green']]): Color of navbar pills """ loc = default(loc, 'top') color = default(color, 'gray') supp_locs = ['left', 'right', 'top'] if loc not in supp_locs: msg = f'Location {loc} is not supported, try {supp_locs}' logger.error(msg) raise RuntimeError(msg) supp_colors = ['gray', 'red', 'blue', 'green'] if color not in supp_colors: msg = f'Color {color} is not supported, try {supp_colors}' logger.error(msg) raise RuntimeError(msg) self.page_buffers.append(PageBuffer('navbar')) self.page_buffers[-1].info = (loc, color)
[docs] def close_navbar(self): """ Close current navbar environment """ self._is_page_in_status('navbar') navbar_items = [] for navbar in self.page_buffers[-1].content_ids: content_html = '\n'.join(self.page_buffers[-1].content_buffer[navbar]) item = [navbar[0], navbar[1], content_html] navbar_items.append(item) loc, color = self.page_buffers[-1].info template = self.jinja_env.get_template('navbar_{}.html'.format(loc)) html = template.render(navbar_items=navbar_items, color=color) self.page_buffers = self.page_buffers[:-1] self._update_content(html)
[docs] def add_navbar_item(self, name: str): """ Adds a new nav pill to the navbar Args: name (str): Name as shown in the pill """ self._is_page_in_status('navbar') self.id_counter += 1 nav_id = 'navCollapseID_{}'.format(self.id_counter) self.page_buffers[-1].content_ids.append((name, nav_id))
# region Accordion # ----------------
[docs] def open_accordion(self, color: Optional[str]=None): """ Open an accordion environment Args: color (Optional[str]): Color of navbar pills """ self.page_buffers.append(PageBuffer('accordion')) self.id_counter += 1 accordion_id = 'accordionID_{}'.format(self.id_counter) self.page_buffers[-1].info = accordion_id
[docs] def close_accordion(self): """ Close current accordion environment """ self._is_page_in_status('accordion') accordion_items = [] for acc in self.page_buffers[-1].content_ids: content_html = '\n'.join(self.page_buffers[-1].content_buffer[acc]) item = [acc[0], acc[1], content_html] accordion_items.append(item) accordion_id = self.page_buffers[-1].info template = self.jinja_env.get_template('accordion.html') html = template.render(accordion_items=accordion_items, accordion_id=accordion_id) self.page_buffers = self.page_buffers[:-1] self._update_content(html)
[docs] def add_accordion_item(self, name: str): """ Adds a new card to the accordion Args: name (str): Name as shown in the card before opening """ self._is_page_in_status('accordion') self.id_counter += 1 acc_id = 'accCollapseID_{}'.format(self.id_counter) self.page_buffers[-1].content_ids.append((name, acc_id))
# region Sublevels # ----------------
[docs] def open_sublevel(self, size: Optional[int]=None, align: Optional[str]=None): """ Opens a sub level environment Args: size (Optional[int]): Controls the width of the sublevel, 1-12 align (Optional[str]): Align things left, right or center """ size = default(size, 11) align = default(align, 'center') align = verify_alignment(align) allowed_size = [1,12] if not (allowed_size[0] <= size <= allowed_size[1]): msg = f'Size needs to be within {allowed_size}.' logger.error(msg) raise RuntimeError(msg) self.page_buffers.append(PageBuffer('sublevel')) self.page_buffers[-1].info = (size, align) self.page_buffers[-1].content_ids.append('sublevel')
[docs] def close_sublevel(self): """ Close current sub level environment """ self._is_page_in_status('sublevel') size, align = self.page_buffers[-1].info align = {'left': 'start', 'center': 'center', 'right': 'end'}[align] content = '\n'.join(self.page_buffers[-1].content_buffer['sublevel']) template = self.jinja_env.get_template('sublevel.html') html = template.render(size=size, content=content, align=align) self.page_buffers = self.page_buffers[:-1] self._update_content(html)
##-------------## # Private # ##-------------## def _is_page_in_status(self, status: str): """ Check if the page is really in the status we expect it to be Args: status (str): A page status like navbar or sublevel """ page_status = self.page_buffers[-1].status if page_status == 'default': msg = (f'Cannot close {status} as page is in default mode. Did you forget to open it first?') else: msg = (f'Cannot close {status}, you need to close {self.page_buffers[-1].status} first') if page_status != status: logger.error(msg) raise RuntimeError(msg) def _update_content(self, html: str, prepend: bool=False): """ Update the correct page buffer Args: html (str): html string to add to the buffer prepend (bool): Prepend item to the html """ if len(self.page_buffers) > 1: self.page_buffers[-1].add_to_buffer(html, prepend) else: self.page_buffers[-1].add_to_html(html, prepend) def _render_page(self): """ Combine base template with the current HTML buffer """ header_content = '' body_content = '\n'.join(self.page_buffers[-1].html) site_colors = self.color_map.get_site_colors(self.color_mode) template = self.jinja_env.get_template('base.html') html = template.render(header_content=header_content, body_content=body_content, site_face_color=site_colors['face_color'], site_background=site_colors['background'], color_mode=self.color_mode) return html def _make_global_link_navbar(self, global_links: list[str]): """ Take the list of global links and add a navbar to the page """ template = self.jinja_env.get_template('global_links.html') html = template.render(links=global_links) self._update_content(html, prepend=True) def _dump(self): """ Write HTML buffer to file """ page_status = self.page_buffers[-1].status if page_status != 'default': msg = f'Cannot write page {self.page_name}, {page_status} still open' logger.error(msg) raise RuntimeError(msg) html = self._render_page() if self.abs_file.exists(): msg = f'`{self.abs_file}` already exists within `{self.abs_dir}`. Aborting!' raise RuntimeError(msg) self.abs_dir.mkdir(parents=True, exist_ok=True) with open(self.abs_file, 'w') as f_out: f_out.write(html) def _make_wrapper(self, v, options): """ Wrapper for table entries """ if 'color_negative_values' in options and v < 0: return '<span class="negative">{}</span>' if 'color_positive_values' in options and v > 0: return '<span class="positive">{}</span>' return '{}' def _make_table(self, table, footers, formatters, options): """ Normalize the table data to work with DataTables """ if isinstance(table, pd.DataFrame): dim = len(table.columns) else: dim = len(table[0]) if formatters is None: formatters = [str]*dim elif not isinstance(formatters, list): if isinstance(formatters, str): formatters = [formatters.format]*dim else: formatters = [formatters]*dim else: msg = ('If you specify a list of formatters their dim actually has to match the number of columns! If a' ' pd.DataFrame is passed the index does not count here, as it is always formatted as str') if len(formatters) != dim: logger.error(msg) raise RuntimeError(msg) fmts = [] for fmt in formatters: if isinstance(fmt, str): fmts.append(fmt.format) else: fmts.append(fmt) formatters = fmts t_data = [] # Pandas dataframe if isinstance(table, pd.DataFrame): for i, r in table.iterrows(): if isinstance(i, tuple): row = [str(s) for s in list(i)] else: row = [str(i)] for j, v in enumerate(r): if isinstance(v, str): row.append(v) else: wrapper = self._make_wrapper(v, options) row.append(wrapper.format(formatters[j](v))) t_data.append(row) if isinstance(table.index, pd.MultiIndex): columns = table.index.names elif table.index.name is not None: columns = [table.index.name] else: columns = [''] columns += table.columns.tolist() # List of list else: for i, r in enumerate(table): if i == 0: columns = r else: row = [] for j, v in enumerate(r): if isinstance(v, str): row.append(v) elif v is None: row.append('') else: wrapper = self._make_wrapper(v, options) row.append(wrapper.format(formatters[j](v))) t_data.append(row) f_data = [] if footers is None: return t_data, columns, f_data elif isinstance(footers, pd.DataFrame): for i, r in footers.iterrows(): if isinstance(i, tuple): row = [str(s) for s in list(i)] else: row = [str(i)] for j, v in enumerate(r): if isinstance(v, str): row.append(v) else: wrapper = self._make_wrapper(v, options) row.append(wrapper.format(formatters[j](v))) f_data.append(row) else: # Make sure we have a list of lists if not (isinstance(footers[0], list) or isinstance(footers[0], np.ndarray)): # noqa: SIM101 footers = [footers] for _i, r in enumerate(footers): row = [] for j, v in enumerate(r): if isinstance(v, str): row.append(v) elif v is None: row.append('') else: wrapper = self._make_wrapper(v, options) row.append(wrapper.format(formatters[j](v))) f_data.append(row) return t_data, columns, f_data
#----------------------------------------------------------------------------------------------------------------------# # region PageBuffer #----------------------------------------------------------------------------------------------------------------------#
[docs] class PageBuffer(object): """ Buffer used to accomplish nesting of elements - leave this alone """ __slots__ = ('content_buffer', 'content_ids', 'html', 'info', 'status') def __init__(self, status: str='default'): """ Initialize a new buffer object Args: status (str): The current status of the buffer. """ self.status = status self.info = None self.content_buffer = defaultdict(list) self.content_ids = [] self.html = []
[docs] def add_to_buffer(self, html: str, prepend: bool=False): """ Add html to the content buffer Args: html (str): The HTML string to add prepend (bool): Prepend the new HTML string to the buffer if `true` or append (default) """ if prepend: self.content_buffer[self.content_ids[-1]].insert(0, html) else: self.content_buffer[self.content_ids[-1]].append(html)
[docs] def add_to_html(self, html: str, prepend: bool=False): """ Add html to the internal buffer Args: html (str): The HTML string to add prepend (bool): Prepend the new HTML string to the buffer if `true` or append (default) """ if prepend: self.html.insert(0, html) else: self.html.append(html)