Source code for LOGS_solutions.GenerateStatistics.StatisticEntities.StatisticsSamples

import logging
import sys
from datetime import datetime, timedelta
from pathlib import Path
from typing import Dict, List, Tuple

from LOGS.Entities import Sample, SampleRequestParameter
from LOGS.LOGS import LOGS

from .StatisticHandlerEntities import StatisticHandlerEntities


[docs] class StatisticsSamples(StatisticHandlerEntities): """Class for creating the statistics for the samples. Includes the following statistics: How many samples were created per time unit (day, week, month, year). The statistics are output per - LOGS group - Person (or filtered by a specific person) For the statistics of samples per logs-group "entered on" is used. For the statistcs of samples per person "entered on"is used. The result is a CSV file and a pdf per person and logs-group. """ def __init__( self, logs: LOGS, target_path: str = "./statistics", begin_date: datetime = None, end_date: datetime = None, show_num: bool = True, filtered_persons: List = [], ): """Initialization. :param logs: LOGS object to access the LOGS web API, :param target_path: The target path, where all statistics should be saved. Default: Within the folder containing the script, a new folder "statistics" is created in which all statistics are saved. :param begin_date: Lowest date limit for statistics to be created. :param end_date: Highest date limit for statistics to be created. :param show_num: Boolean to show the number of data sets in the heatmap. Default: True :param filtered_persons: List of persons to be included in the statistics. Default: empty list -> all persons are included. """ self._logger_samples = logging.getLogger("StatisticSamples") self._logger_samples.setLevel(logging.INFO) logfile_folder = Path(__file__).resolve().parent / "logfiles" logfile_folder.mkdir(parents=True, exist_ok=True) if not self._logger_samples.hasHandlers(): formatter = logging.Formatter("%(asctime)s - %(levelname)s - %(message)s") logconsole_handler = logging.StreamHandler(sys.stdout) logconsole_handler.setLevel(logging.INFO) logconsole_handler.setFormatter(formatter) self._logger_samples.addHandler(logconsole_handler) super().__init__(logs, begin_date, end_date, target_path, self._logger_samples) self.__sample_path = self._target_path / "sample" self.__show_num = show_num if isinstance(show_num, bool) else True self._filtered_persons = self._validate_list(filtered_persons) if self._begin_date is None: self._begin_date = ( self._logs.samples(SampleRequestParameter(sortBy="ENTERED_ON")) .first() .enteredOn ) self._begin_date = self._begin_date.replace( hour=0, minute=0, second=0, microsecond=0 ) if self._end_date is None: samples_list = list( self._logs.samples(SampleRequestParameter(sortBy="ENTERED_ON")) ) self._end_date = ( samples_list[-1].enteredOn if samples_list else datetime.now() ) self._end_date = (self._end_date + timedelta(days=1)).replace( hour=0, minute=0, second=0, microsecond=0 )
[docs] def update_person_dict_sample( self, sample: Sample, sample_person_prep_dict: Dict, ) -> Dict: """Updates the dictionary of persons who entered the sample based on the provided sample. Only data where the date is provided is considered. :param sample: The sample from which person details and entered date are extracted. :param sample_person_prep_dict: Dictionary of all persons with a list of the entered date of their entered samples. :return: An updated dictionary (sample_person_prep_dict), where each key is an person ID and each value is a list with the person name as the first element followed by all entered dates (both existing and newly added). Structure: sample_person_prep_dict: {person_id: [person_name, enteredDate1, enteredDate2, ...]} """ if not sample.enteredBy: if not self._filtered_persons or "No Person" in self._filtered_persons: if "No Person" not in sample_person_prep_dict: sample_person_prep_dict["No Person"] = [" "] sample_person_prep_dict["No Person"].append(sample.enteredOn) else: person = sample.enteredBy if self._filtered_persons and person.id not in self._filtered_persons: return sample_person_prep_dict if person.id not in sample_person_prep_dict: sample_person_prep_dict[person.id] = [person.name] sample_person_prep_dict[person.id].append(sample.enteredOn) return sample_person_prep_dict
[docs] def create_statistic(self): """ Generates the statistics for the samples. Includes the following statistics: How many samples were created per time unit (day, week, month, year). The statistics are output per - LOGS group - Person (or filtered by a specific person) For the statistics of samples per logs-group "entered on" is used. For the statistcs of samples per person "entered on" is used. The result is a CSV file and a pdf per person and logs-group. """ self._logger_samples.info("Starting to generate statistics for samples.") # Dictionary of the persons who entered the sample samples_person_dict = {} # List of the entered time of all samples entered in the given time frame samples_filtered_list = [] # Count the number of samples in the given time frame for process information samples_total = self._logs.samples( SampleRequestParameter( enteredFrom=self._begin_date, enteredTo=self._end_date ) ).count # Check if there are samples in the given time frame if samples_total == 0: self._logger_samples.info("No samples found in the given time frame.") return self._logger_samples.info( "Processing samples in the given time frame: begin date: %s - end date: %s.", self._begin_date, self._end_date, ) count = 0 # Counter for the number of processed samples for sample in self._logs.samples( SampleRequestParameter( enteredFrom=self._begin_date, enteredTo=self._end_date ) ): # Skip samples with invalid entered date tz = sample.enteredOn.tzinfo if ( (sample.enteredOn is None) or (datetime(1677, 9, 21, tzinfo=tz) >= sample.enteredOn) or (sample.enteredOn >= datetime(2262, 4, 11, tzinfo=tz)) ): self._logger_samples.warning( "Sample %s has invalid entered date: %s. Sample will not be included in the statistics.", sample.id, sample.enteredOn, ) continue # Add the entered date of the sample to the list samples_filtered_list.append(sample.enteredOn) # Update the dictionaries of persons who entered the sample samples_person_dict = self.update_person_dict_sample( sample, samples_person_dict, ) if count % 5000 == 0 and count != 0: self._logger_samples.info( "%s/%s samples processed.", count, samples_total ) count += 1 self._logger_samples.info("Finished processing samples.") ### Create plots and csv files for logs-group samples_sorted_list = sorted(samples_filtered_list) path_logs_group = self.__sample_path / "logs_group" self.create_plot_list( samples_sorted_list, path_logs_group, "samples", "logs-group", True, show_num=self.__show_num, ) ### Create plots and csv files for logs-group path_person = self.__sample_path / "person" self.create_plot_of_dict( samples_person_dict, path_person, "entered_samples", "person", False, show_num=self.__show_num, ) self.create_csv_file_dict( "samples", "person", path_person, samples_person_dict, "Entered", ) self._logger_samples.info("Finished generating statistics for samples.")