wolfhece 2.1.8__py3-none-any.whl → 2.1.9__py3-none-any.whl
This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
- wolfhece/apps/version.py +1 -1
- wolfhece/report/__init__.py +0 -0
- wolfhece/report/reporting.py +479 -0
- wolfhece/report/wolf_report.png +0 -0
- {wolfhece-2.1.8.dist-info → wolfhece-2.1.9.dist-info}/METADATA +1 -1
- {wolfhece-2.1.8.dist-info → wolfhece-2.1.9.dist-info}/RECORD +9 -6
- {wolfhece-2.1.8.dist-info → wolfhece-2.1.9.dist-info}/WHEEL +0 -0
- {wolfhece-2.1.8.dist-info → wolfhece-2.1.9.dist-info}/entry_points.txt +0 -0
- {wolfhece-2.1.8.dist-info → wolfhece-2.1.9.dist-info}/top_level.txt +0 -0
wolfhece/apps/version.py
CHANGED
File without changes
|
@@ -0,0 +1,479 @@
|
|
1
|
+
|
2
|
+
from docx import Document
|
3
|
+
from docx.shared import Pt
|
4
|
+
from docx.oxml.ns import qn
|
5
|
+
from docx.shared import Inches
|
6
|
+
from docx.shared import RGBColor
|
7
|
+
from pathlib import Path
|
8
|
+
from typing import Union, List, Tuple,Literal
|
9
|
+
from docx.enum.text import WD_PARAGRAPH_ALIGNMENT
|
10
|
+
from PIL import Image
|
11
|
+
import pandas as pd
|
12
|
+
from tempfile import NamedTemporaryFile, TemporaryDirectory
|
13
|
+
import logging
|
14
|
+
import matplotlib.pyplot as plt
|
15
|
+
from matplotlib.figure import Figure
|
16
|
+
from datetime import datetime
|
17
|
+
import os
|
18
|
+
import socket
|
19
|
+
import hashlib
|
20
|
+
|
21
|
+
from gettext import gettext as _
|
22
|
+
|
23
|
+
class RapidReport:
|
24
|
+
"""
|
25
|
+
Class for creating a report 'quickly'.
|
26
|
+
|
27
|
+
It can be used in Jupyter notebooks or in scripts to create a simple report in Word format.
|
28
|
+
|
29
|
+
Word document is created with the following structure:
|
30
|
+
|
31
|
+
- Main page with title, author, date and hash of the document
|
32
|
+
- Summary (automatically generated)
|
33
|
+
- Title
|
34
|
+
- Paragraph
|
35
|
+
- Figure (numbered automatically with caption)
|
36
|
+
- Bullet list
|
37
|
+
- Table
|
38
|
+
|
39
|
+
It is not a full-fledged reporting tool with advanced functionnalities but a simple way to create a report quickly 'on-the-fly'.
|
40
|
+
|
41
|
+
|
42
|
+
Example:
|
43
|
+
|
44
|
+
```
|
45
|
+
rapport = RapidReport('Rapport de Projet', 'Alice')
|
46
|
+
|
47
|
+
rapport.add_title('Titre Principal', level=0)
|
48
|
+
rapport.add_paragraph('Ceci est un **paragraphe** introductif avec des mots en *italique* et en **gras**.')
|
49
|
+
|
50
|
+
rapport += "Tentative d'ajout de figure vie un lien incorrect.\nPassage à la ligne"
|
51
|
+
rapport.add_figure('/path/to/image.png', 'Légende de la figure.')
|
52
|
+
|
53
|
+
rapport.add_bullet_list(['Premier élément', 'Deuxième élément', 'Troisième élément'])
|
54
|
+
|
55
|
+
rapport.add_table_from_listoflists([['Nom', 'Âge'], ['Alice', '25'], ['Bob', '30']])
|
56
|
+
|
57
|
+
rapport.save('rapport.docx')
|
58
|
+
```
|
59
|
+
|
60
|
+
"""
|
61
|
+
|
62
|
+
def __init__(self, main_title:str, author:str):
|
63
|
+
|
64
|
+
self._main_title = None
|
65
|
+
self._author = None
|
66
|
+
self._date = None
|
67
|
+
|
68
|
+
self._content = []
|
69
|
+
self._document = Document()
|
70
|
+
|
71
|
+
self._filename = None
|
72
|
+
|
73
|
+
self._idx_figure = 0
|
74
|
+
|
75
|
+
self._styles={}
|
76
|
+
self.define_default_styles()
|
77
|
+
|
78
|
+
self._has_first_page = False
|
79
|
+
self.fill_first_page(main_title, author)
|
80
|
+
|
81
|
+
def define_default_styles(self):
|
82
|
+
|
83
|
+
# Définir le style de titre
|
84
|
+
self._title_style = self._document.styles.add_style('TitleStyle', 1)
|
85
|
+
self._title_style.font.name = 'Arial'
|
86
|
+
self._title_style.font.size = Pt(20)
|
87
|
+
self._title_style.font.bold = True
|
88
|
+
self._title_style._element.rPr.rFonts.set(qn('w:eastAsia'), 'Arial')
|
89
|
+
|
90
|
+
# Définir le style de légende
|
91
|
+
self._caption_style = self._document.styles.add_style('CaptionStyle', 1)
|
92
|
+
self._caption_style.font.name = 'Arial'
|
93
|
+
self._caption_style.font.size = Pt(10)
|
94
|
+
self._caption_style.font.italic = True
|
95
|
+
self._caption_style._element.rPr.rFonts.set(qn('w:eastAsia'), 'Arial')
|
96
|
+
self._caption_style.paragraph_format.alignment = WD_PARAGRAPH_ALIGNMENT.CENTER
|
97
|
+
|
98
|
+
# Définir le style de corps de texte
|
99
|
+
self._body_text_style = self._document.styles.add_style('BodyTextStyle', 1)
|
100
|
+
self._body_text_style.font.name = 'Arial'
|
101
|
+
self._body_text_style.font.size = Pt(12)
|
102
|
+
self._body_text_style._element.rPr.rFonts.set(qn('w:eastAsia'), 'Arial')
|
103
|
+
|
104
|
+
# Définir le style de liste à puce
|
105
|
+
self._bullet_list_style = self._document.styles.add_style('BulletListStyle', 1)
|
106
|
+
self._bullet_list_style.font.name = 'Arial'
|
107
|
+
self._bullet_list_style.font.size = Pt(12)
|
108
|
+
self._bullet_list_style._element.rPr.rFonts.set(qn('w:eastAsia'), 'Arial')
|
109
|
+
self._bullet_list_style.paragraph_format.alignment = WD_PARAGRAPH_ALIGNMENT.LEFT
|
110
|
+
self._bullet_list_style.paragraph_format.left_indent = Inches(0.25)
|
111
|
+
|
112
|
+
self._table_grid_style = self._document.styles.add_style('TableGrid', 3)
|
113
|
+
self._table_grid_style.font.name = 'Arial'
|
114
|
+
self._table_grid_style.font.size = Pt(10)
|
115
|
+
self._table_grid_style._element.rPr.rFonts.set(qn('w:eastAsia'), 'Arial')
|
116
|
+
self._table_grid_style.paragraph_format.alignment = WD_PARAGRAPH_ALIGNMENT.CENTER
|
117
|
+
|
118
|
+
self._figure_style = self._document.styles.add_style('FigureStyle', 1)
|
119
|
+
self._figure_style.font.name = 'Arial'
|
120
|
+
self._figure_style.font.size = Pt(10)
|
121
|
+
self._figure_style._element.rPr.rFonts.set(qn('w:eastAsia'), 'Arial')
|
122
|
+
self._figure_style.paragraph_format.alignment = WD_PARAGRAPH_ALIGNMENT.CENTER
|
123
|
+
|
124
|
+
self._styles['TitleStyle'] = self._title_style
|
125
|
+
self._styles['CaptionStyle'] = self._caption_style
|
126
|
+
self._styles['BodyTextStyle'] = self._body_text_style
|
127
|
+
self._styles['BulletListStyle'] = self._bullet_list_style
|
128
|
+
self._styles['TableGrid'] = self._table_grid_style
|
129
|
+
self._styles['FigureStyle'] = self._figure_style
|
130
|
+
|
131
|
+
def set_font(self, fontname:str='Arial', fontsize:int=12):
|
132
|
+
""" Définir la police et la taille de la police pour les styles de texte. """
|
133
|
+
|
134
|
+
for style in self._styles.values():
|
135
|
+
style.font.name = fontname
|
136
|
+
style.font.size = Pt(fontsize)
|
137
|
+
|
138
|
+
def fill_first_page(self, main_title:str, author:str):
|
139
|
+
"""
|
140
|
+
Remplir la première page du document.
|
141
|
+
|
142
|
+
Ajouter le titre, l'auteur et la date.
|
143
|
+
|
144
|
+
"""
|
145
|
+
|
146
|
+
# Récupérer le nom de l'utilisateur
|
147
|
+
user_name = os.getlogin()
|
148
|
+
|
149
|
+
# Récupérer le nom de l'ordinateur
|
150
|
+
computer_name = socket.gethostname()
|
151
|
+
|
152
|
+
logo_path = Path(__file__).parent / 'wolf_report.png'
|
153
|
+
|
154
|
+
self._main_title = main_title
|
155
|
+
self._author = author
|
156
|
+
self._date = datetime.now().strftime('%d/%m/%Y')
|
157
|
+
|
158
|
+
self._document.add_heading(self._main_title, level=0)
|
159
|
+
self.add_figure(logo_path,caption=None, width=2.0)
|
160
|
+
|
161
|
+
self.add_paragraph('Ce document a été généré automatiquement par le paquet Python "wolfhece".')
|
162
|
+
self.add_paragraph(' ')
|
163
|
+
self.add_paragraph(f'Auteur : {self._author}')
|
164
|
+
self.add_paragraph(f'Date : {self._date}')
|
165
|
+
self.add_paragraph(' ')
|
166
|
+
self.add_paragraph(f'Utilisateur : {user_name}')
|
167
|
+
self.add_paragraph(f'Ordinateur : {computer_name}')
|
168
|
+
self.add_paragraph(' ')
|
169
|
+
|
170
|
+
chain_hash = hashlib.md5(self._main_title.encode() +
|
171
|
+
self._author.encode() +
|
172
|
+
user_name.encode() +
|
173
|
+
computer_name.encode()+
|
174
|
+
self._date.encode()).hexdigest()
|
175
|
+
|
176
|
+
self.add_paragraph('Hash du document : ' + chain_hash)
|
177
|
+
|
178
|
+
self.add_new_page()
|
179
|
+
|
180
|
+
self.add_paragraph('summary')
|
181
|
+
|
182
|
+
self._has_first_page = True
|
183
|
+
|
184
|
+
def add_title(self, title:str, level:int=1):
|
185
|
+
""" Ajoute un titre au document. """
|
186
|
+
|
187
|
+
self._content.append(('title', title, level))
|
188
|
+
|
189
|
+
def _list_titles(self, level:int=None):
|
190
|
+
""" Renvoie la liste des titres du document. """
|
191
|
+
|
192
|
+
if level is None:
|
193
|
+
return [item[1] for item in self._content if item[0] == 'title']
|
194
|
+
else:
|
195
|
+
return [item[1] for item in self._content if item[0] == 'title' and item[2] == level]
|
196
|
+
|
197
|
+
def _list_captions(self):
|
198
|
+
""" Renvoie la liste des légendes de figures du document. """
|
199
|
+
|
200
|
+
return [item[2] for item in self._content if item[0] == 'figure' if item[2]]
|
201
|
+
|
202
|
+
def _list_figures(self):
|
203
|
+
""" Renvoie la liste des figures du document. """
|
204
|
+
|
205
|
+
return [item[1] for item in self._content if item[0] == 'figure' if item[1] and item[2]]
|
206
|
+
|
207
|
+
def _list_index(self):
|
208
|
+
""" Renvoie la liste des index de figures du document. """
|
209
|
+
|
210
|
+
return [item[3] for item in self._content if item[0] == 'figure' if item[3]]
|
211
|
+
|
212
|
+
def fig_exists(self, fig_name:str):
|
213
|
+
""" Vérifie si une figure existe dans le document. """
|
214
|
+
|
215
|
+
return fig_name in self._list_figures()
|
216
|
+
|
217
|
+
def get_fig_index(self, fig_name_caption:str):
|
218
|
+
""" Renvoie la légende d'une figure. """
|
219
|
+
|
220
|
+
list_figures = self._list_figures()
|
221
|
+
list_captions = self._list_captions()
|
222
|
+
|
223
|
+
if fig_name_caption in list_figures:
|
224
|
+
idx = self._list_figures().index(fig_name_caption)+1
|
225
|
+
elif fig_name_caption in list_captions:
|
226
|
+
idx = self._list_captions().index(fig_name_caption)+1
|
227
|
+
else:
|
228
|
+
idx = None
|
229
|
+
|
230
|
+
return idx
|
231
|
+
|
232
|
+
def _add_summary(self):
|
233
|
+
""" Ajoute un sommaire au document. """
|
234
|
+
|
235
|
+
titles = self._list_titles()
|
236
|
+
|
237
|
+
self._document.add_heading(_('Summary'), level=1).style = 'TitleStyle'
|
238
|
+
|
239
|
+
for cur_title in titles:
|
240
|
+
p = self._document.add_paragraph(cur_title, style='BodyTextStyle')
|
241
|
+
run = p.add_run()
|
242
|
+
run.add_tab()
|
243
|
+
run.bold = True
|
244
|
+
p.style = 'BodyTextStyle'
|
245
|
+
|
246
|
+
self._document.add_heading(_('List of figures'), level=1).style = 'TitleStyle'
|
247
|
+
figures = self._list_captions()
|
248
|
+
for i, cur_figure in enumerate(figures):
|
249
|
+
p = self._document.add_paragraph(f'Fig. {i+1} : {cur_figure}', style='BodyTextStyle')
|
250
|
+
run = p.add_run()
|
251
|
+
run.add_tab()
|
252
|
+
run.bold = True
|
253
|
+
p.style = 'BodyTextStyle'
|
254
|
+
|
255
|
+
self._document.add_page_break()
|
256
|
+
|
257
|
+
def add_paragraph(self, paragraph_text:str, style:str='BodyTextStyle'):
|
258
|
+
""" Ajoute un paragraphe au document. """
|
259
|
+
|
260
|
+
self._content.append(('paragraph', paragraph_text, style))
|
261
|
+
|
262
|
+
def add(self, paragraph_text:str, style:str='BodyTextStyle'):
|
263
|
+
""" Ajoute un paragraphe au document. """
|
264
|
+
|
265
|
+
self.add_paragraph(paragraph_text, style=style)
|
266
|
+
|
267
|
+
def __add__(self, paragraph_text:str):
|
268
|
+
""" Surcharge de l'opérateur + pour ajouter un paragraphe. """
|
269
|
+
|
270
|
+
self.add_paragraph(paragraph_text)
|
271
|
+
|
272
|
+
return self
|
273
|
+
|
274
|
+
def add_figure(self, image_path:Union[str,Path,Image.Image], caption:str, width:float=7.0):
|
275
|
+
""" Ajoute une figure au document avec une légende. """
|
276
|
+
|
277
|
+
if caption:
|
278
|
+
self._idx_figure += 1
|
279
|
+
|
280
|
+
self._content.append(('figure', image_path, caption, width, self._idx_figure))
|
281
|
+
|
282
|
+
def add_bullet_list(self, bullet_list: List[str], style:str='BulletListStyle'):
|
283
|
+
""" Ajoute une liste à puce au document. """
|
284
|
+
|
285
|
+
for item in bullet_list:
|
286
|
+
self.add_paragraph('- ' + item, style=style)
|
287
|
+
|
288
|
+
def add_new_page(self):
|
289
|
+
""" Ajoute une nouvelle page au document. """
|
290
|
+
|
291
|
+
self._content.append(('newpage', '', None))
|
292
|
+
|
293
|
+
def add_table_from_listoflists(self, data:List[List[str]], style:str='TableGrid'):
|
294
|
+
"""
|
295
|
+
Ajoute un tableau au document.
|
296
|
+
|
297
|
+
:param data: Liste de listes contenant les données du tableau. Chaque liste est une ligne du tableau.
|
298
|
+
|
299
|
+
"""
|
300
|
+
|
301
|
+
self._content.append(('table', data, style))
|
302
|
+
|
303
|
+
def add_table_from_dict(self, data:dict, style:str='TableGrid'):
|
304
|
+
"""
|
305
|
+
Ajoute un tableau au document.
|
306
|
+
|
307
|
+
:param data: Dictionnaire contenant les données du tableau. Les clés sont les en-têtes de colonnes.
|
308
|
+
|
309
|
+
"""
|
310
|
+
|
311
|
+
table_data = [list(data.keys())]
|
312
|
+
table_data += [list(data.values())]
|
313
|
+
self.add_table_from_listoflists(table_data, style=style)
|
314
|
+
|
315
|
+
def add_table_as_picture(self, data:Union[List[List[str]], dict, pd.DataFrame, Figure], caption:str=None):
|
316
|
+
""" Ajoute un tableau au document sous forme d'image. """
|
317
|
+
|
318
|
+
def fig2img(fig):
|
319
|
+
"""Convert a Matplotlib figure to a PIL Image and return it"""
|
320
|
+
import io
|
321
|
+
buf = io.BytesIO()
|
322
|
+
|
323
|
+
fig.savefig(buf, bbox_inches='tight')
|
324
|
+
buf.seek(0)
|
325
|
+
img = Image.open(buf)
|
326
|
+
return img
|
327
|
+
|
328
|
+
if isinstance(data, Figure):
|
329
|
+
tmp_image = fig2img(data)
|
330
|
+
self.add_figure(tmp_image, caption)
|
331
|
+
return
|
332
|
+
|
333
|
+
if isinstance(data, dict):
|
334
|
+
data = pd.DataFrame(data)
|
335
|
+
elif isinstance(data, list):
|
336
|
+
data = pd.DataFrame(data)
|
337
|
+
|
338
|
+
fig, ax = plt.subplots()
|
339
|
+
|
340
|
+
ax.axis('off')
|
341
|
+
ax.table(cellText=data.values,
|
342
|
+
colLabels=data.columns,
|
343
|
+
loc='center',
|
344
|
+
cellLoc='center',
|
345
|
+
colColours=['#f3f3f3']*len(data.columns))
|
346
|
+
|
347
|
+
fig.tight_layout()
|
348
|
+
|
349
|
+
tmp_image = fig2img(fig)
|
350
|
+
|
351
|
+
self.add_figure(tmp_image, caption, width=4.0)
|
352
|
+
|
353
|
+
def _apply_text_styles(self, paragraph, text):
|
354
|
+
""" Search for bold and italic styles in the text and apply them."""
|
355
|
+
|
356
|
+
def split_bold(text):
|
357
|
+
return text.split('**')
|
358
|
+
|
359
|
+
def split_italic(text):
|
360
|
+
return text.split('*')
|
361
|
+
|
362
|
+
splitted_bold = split_bold(text)
|
363
|
+
|
364
|
+
bold = False
|
365
|
+
for cur_text in splitted_bold:
|
366
|
+
if cur_text != '':
|
367
|
+
italic = False
|
368
|
+
spliited_italic = split_italic(cur_text)
|
369
|
+
for cur_text2 in spliited_italic:
|
370
|
+
if cur_text2 != '':
|
371
|
+
run = paragraph.add_run(cur_text2)
|
372
|
+
run.bold = bold
|
373
|
+
run .italic = italic
|
374
|
+
|
375
|
+
italic = not italic
|
376
|
+
bold = not bold
|
377
|
+
|
378
|
+
def parse_content(self):
|
379
|
+
""" Parse le contenu du document et l'ajoute au document Word. """
|
380
|
+
|
381
|
+
# tmp_dir = TemporaryDirectory()
|
382
|
+
|
383
|
+
for item in self._content:
|
384
|
+
|
385
|
+
if item[0] == 'title':
|
386
|
+
self._document.add_heading(item[1], level=item[2]).style = 'TitleStyle'
|
387
|
+
|
388
|
+
elif item[0] == 'paragraph':
|
389
|
+
|
390
|
+
if item[1] == 'summary':
|
391
|
+
self._add_summary()
|
392
|
+
continue
|
393
|
+
else:
|
394
|
+
p = self._document.add_paragraph()
|
395
|
+
self._apply_text_styles(p, item[1])
|
396
|
+
p.style = item[2] if item[2] else 'BodyTextStyle'
|
397
|
+
|
398
|
+
elif item[0] == 'figure':
|
399
|
+
|
400
|
+
if isinstance(item[1], Image.Image):
|
401
|
+
|
402
|
+
tmp_name = NamedTemporaryFile(suffix='.png').name
|
403
|
+
item[1].save(tmp_name)
|
404
|
+
|
405
|
+
elif isinstance(item[1], str):
|
406
|
+
tmp_name = item[1]
|
407
|
+
|
408
|
+
elif isinstance(item[1], Path):
|
409
|
+
tmp_name = str(item[1])
|
410
|
+
|
411
|
+
if Path(tmp_name).exists():
|
412
|
+
self._document.add_picture(tmp_name, width=Inches(item[3]) if item[3] else Inches(7.0))
|
413
|
+
self._document.paragraphs[-1].style = 'FigureStyle'
|
414
|
+
else:
|
415
|
+
logging.error(f"File {tmp_name} not found.")
|
416
|
+
p = self._document.add_paragraph()
|
417
|
+
run = p.add_run(f'Error: Image not found. {tmp_name}')
|
418
|
+
run.font.color.rgb = RGBColor(255, 0, 0)
|
419
|
+
p.style = 'BodyTextStyle'
|
420
|
+
|
421
|
+
if item[2]:
|
422
|
+
caption = self._document.add_paragraph(f'Fig. {item[4]} :' + item[2])
|
423
|
+
caption.style = 'CaptionStyle'
|
424
|
+
|
425
|
+
elif item[0] == 'table':
|
426
|
+
|
427
|
+
data = item[1]
|
428
|
+
style = item[2]
|
429
|
+
table = self._document.add_table(rows=len(data), cols=len(data[0]))
|
430
|
+
table.style = style
|
431
|
+
|
432
|
+
for i, row in enumerate(data):
|
433
|
+
for j, cell in enumerate(row):
|
434
|
+
table.cell(i, j).text = cell
|
435
|
+
|
436
|
+
elif item[0] == 'newpage':
|
437
|
+
self._document.add_page_break()
|
438
|
+
|
439
|
+
def save(self, file_path:Union[str,Path]=None):
|
440
|
+
""" Sauvegarde le document Word. """
|
441
|
+
|
442
|
+
if file_path is None:
|
443
|
+
file_path = self._filename
|
444
|
+
|
445
|
+
if file_path is None:
|
446
|
+
raise ValueError("Le chemin du fichier n'a pas été spécifié.")
|
447
|
+
|
448
|
+
self.parse_content()
|
449
|
+
try:
|
450
|
+
self._document.save(str(file_path))
|
451
|
+
except Exception as e:
|
452
|
+
logging.error(f"Error saving file: {e}")
|
453
|
+
|
454
|
+
if __name__ == '__main__':
|
455
|
+
|
456
|
+
# Exemple d'utilisation
|
457
|
+
rapport = RapidReport('Rapport de Projet', 'Alice')
|
458
|
+
|
459
|
+
rapport.add_title('Titre Principal', level=0)
|
460
|
+
rapport.add_paragraph('Ceci est un **paragraphe** introductif avec des mots en *italique* et en **gras**.')
|
461
|
+
|
462
|
+
rapport += "Tentative d'ajout de figure vie un lien incorrect.\nPassage à la ligne"
|
463
|
+
rapport.add_figure('/path/to/image.png', 'Légende de la figure.')
|
464
|
+
rapport+="""
|
465
|
+
Commentraire sur la figure multilignes
|
466
|
+
ligne 2
|
467
|
+
ligne3"""
|
468
|
+
|
469
|
+
rapport.add_bullet_list(['Premier élément', 'Deuxième élément', 'Troisième élément'])
|
470
|
+
|
471
|
+
rapport.add_table_from_listoflists([['Nom', 'Âge'], ['Alice', '25'], ['Bob', '30']])
|
472
|
+
rapport.add_table_from_dict({'Nom': ['Alice', 'Bob'], 'Âge': ['25', '30']})
|
473
|
+
rapport.add_table_as_picture({'Nom': ['Alice', 'Bob'], 'Âge': ['25', '30']}, caption='Tableau de données')
|
474
|
+
|
475
|
+
rapport.save('rapport.docx')
|
476
|
+
|
477
|
+
assert rapport.get_fig_index('/path/to/image.png') == 1
|
478
|
+
assert rapport.get_fig_index('Tableau de données') == 2
|
479
|
+
|
Binary file
|
@@ -66,7 +66,7 @@ wolfhece/apps/check_install.py,sha256=jrKR-njqnpIh6ZJqvP6KbDUPVCfwTNQj4glQhcyzs9
|
|
66
66
|
wolfhece/apps/curvedigitizer.py,sha256=avWERHuVxPnJBOD_ibczwW_XG4vAenqWS8W1zjhBox8,4898
|
67
67
|
wolfhece/apps/isocurrent.py,sha256=4XnNWPa8mYUK7V4zdDRFrHFIXNG2AN2og3TqWKKcqjY,3811
|
68
68
|
wolfhece/apps/splashscreen.py,sha256=LkEVMK0eCc84NeCWD3CGja7fuQ_k1PrZdyqD3GQk_8c,2118
|
69
|
-
wolfhece/apps/version.py,sha256=
|
69
|
+
wolfhece/apps/version.py,sha256=FOnRXwi0LTd0u8m3r5Ap-8eX-pLzJQIG3E9iImOCttA,387
|
70
70
|
wolfhece/apps/wolf.py,sha256=gqfm-ZaUJqNsfCzmdtemSeqLw-GVdSVix-evg5WArJI,293
|
71
71
|
wolfhece/apps/wolf2D.py,sha256=gWD9ee2-1pw_nUxjgRaJMuSe4kUT-RWhOeoTt_Lh1mM,267
|
72
72
|
wolfhece/apps/wolf_logo.bmp,sha256=ruJ4MA51CpGO_AYUp_dB4SWKHelvhOvd7Q8NrVOjDJk,3126
|
@@ -241,6 +241,9 @@ wolfhece/radar/wolfradar.py,sha256=ylyz8hNAGq92WXnMO8hVe6Nk-a7g--fL-xOcjfhFEtk,9
|
|
241
241
|
wolfhece/rem/REMMaker.py,sha256=kffClHHpf8P4ruZpEb9EB__HBzg9rFAkiVCh-GFtIHU,30790
|
242
242
|
wolfhece/rem/RasterViz.py,sha256=TDhWyMppcYBL71HfhpZuMgYKhz7faZg-MEOQJo_3Ivo,29128
|
243
243
|
wolfhece/rem/__init__.py,sha256=S2-J5uEGK_VaMFjRUYFIdSScJjZyuXH4RmMmnG3OG7I,19
|
244
|
+
wolfhece/report/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
|
245
|
+
wolfhece/report/reporting.py,sha256=ptsObq4hrVc1b_cfu2ISL6oesSsBphk03QtFnr8E9hc,17565
|
246
|
+
wolfhece/report/wolf_report.png,sha256=NoSV58LSwb-oxCcZScRiJno-kxDwRdm_bK-fiMsKJdA,592485
|
244
247
|
wolfhece/scenario/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
|
245
248
|
wolfhece/scenario/check_scenario.py,sha256=nFiCscEGHyz1YvjmZoKlYrfmW03-nLiDTDdRoeE6MUs,4619
|
246
249
|
wolfhece/scenario/config_manager.py,sha256=SValpikuNt_XaJXt8P7kAu6iN_N5YlohyL8ry3iT380,77389
|
@@ -264,8 +267,8 @@ wolfhece/sounds/sonsw2.wav,sha256=pFLVt6By0_EPQNt_3KfEZ9a1uSuYTgQSX1I_Zurv9Rc,11
|
|
264
267
|
wolfhece/ui/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
|
265
268
|
wolfhece/ui/wolf_multiselection_collapsiblepane.py,sha256=yGbU_JsF56jsmms0gh7mxa7tbNQ_SxqhpAZxhm-mTy4,14860
|
266
269
|
wolfhece/ui/wolf_times_selection_comparison_models.py,sha256=wCxGRnE3kzEkWlWA6-3X8ADOFux_B0a5QWJ2GnXTgJw,4709
|
267
|
-
wolfhece-2.1.
|
268
|
-
wolfhece-2.1.
|
269
|
-
wolfhece-2.1.
|
270
|
-
wolfhece-2.1.
|
271
|
-
wolfhece-2.1.
|
270
|
+
wolfhece-2.1.9.dist-info/METADATA,sha256=kTZzCdCRgXrjJ2HsS_7YS8fXP8zYlxvXNigdrYepDqg,2281
|
271
|
+
wolfhece-2.1.9.dist-info/WHEEL,sha256=cpQTJ5IWu9CdaPViMhC9YzF8gZuS5-vlfoFihTBC86A,91
|
272
|
+
wolfhece-2.1.9.dist-info/entry_points.txt,sha256=AIu1KMswrdsqNq_2jPtrRIU4tLjuTnj2dCY-pxIlshw,276
|
273
|
+
wolfhece-2.1.9.dist-info/top_level.txt,sha256=EfqZXMVCn7eILUzx9xsEu2oBbSo9liWPFWjIHik0iCI,9
|
274
|
+
wolfhece-2.1.9.dist-info/RECORD,,
|
File without changes
|
File without changes
|
File without changes
|