pep8: Change to respect pep8 code style.

setup.py
Pierre-Antoine Rouby 2023-12-11 14:40:54 +01:00
parent 1ab1cb37b0
commit eea355a784
31 changed files with 169 additions and 98 deletions

View File

@ -122,7 +122,7 @@ test-pep8:
- pip3 install -r ./requirements.txt - pip3 install -r ./requirements.txt
- pip3 install -U -r ./requirements.txt - pip3 install -U -r ./requirements.txt
- pip3 install pycodestyle - pip3 install pycodestyle
- pycodestyle ./src - pycodestyle --exclude="*_to_*.py" ./src
allow_failure: true allow_failure: true
######### #########

View File

@ -24,6 +24,7 @@ from Model.Tools.PamhyrDB import SQLSubModel
logger = logging.getLogger() logger = logging.getLogger()
class Friction(SQLSubModel): class Friction(SQLSubModel):
def __init__(self, name: str = "", status=None): def __init__(self, name: str = "", status=None):
super(Friction, self).__init__() super(Friction, self).__init__()

View File

@ -437,42 +437,57 @@ class ProfileXYZ(Profile, SQLSubModel):
return abs(rg.dist(rd)) return abs(rg.dist(rd))
def get_water_limits(self, z): def get_water_limits(self, z):
#============================================================================== # ====================================================================
# détermination des points limites RG et RD pour un niveau d'eau donné # détermination des points limites RG et RD pour un niveau
# # d'eau donné
# irg et ird sont les premiers indices en partant des rives gauche et #
# droite qui correspondent à des points sous la surface de l'eau # irg et ird sont les premiers indices en partant des rives
# ptX et ptY sont les points interpolés où le plan d'eau intersecte le profil # gauche et droite qui correspondent à des points sous la
# known_level est le niveau d'eau pour lequel on a obtenu irg, ird, ptX et ptY # surface de l'eau ptX et ptY sont les points interpolés où
#============================================================================== # le plan d'eau intersecte le profil known_level est le
# niveau d'eau pour lequel on a obtenu irg, ird, ptX et ptY
# ====================================================================
# initialisation # initialisation
irg = -1 ; ird = -1 irg = -1
ird = -1
for i in range(self.number_points): for i in range(self.number_points):
if self.point(i).z <= z: if self.point(i).z <= z:
irg = i irg = i
for i in reversed(range(self.number_points)): for i in reversed(range(self.number_points)):
if self.point(i).z <= z: if self.point(i).z <= z:
ird = i ird = i
# interpolation des points ptX et ptY # interpolation des points ptX et ptY
if (irg < self.number_points-1): if (irg < self.number_points - 1):
x=np.interp(z, x = np.interp(
[self.point(irg).z,self.point(irg+1).z], z,
[self.point(irg).x,self.point(irg+1).x]) [self.point(irg).z, self.point(irg + 1).z],
y=np.interp(z, [self.point(irg).x, self.point(irg + 1).x]
[self.point(irg).z,self.point(irg+1).z], )
[self.point(irg).y,self.point(irg+1).y]) y = np.interp(
ptX=PointXYZ(x,y,z) z,
[self.point(irg).z, self.point(irg + 1).z],
[self.point(irg).y, self.point(irg + 1).y]
)
ptX = PointXYZ(x, y, z)
else: else:
ptX = self.point(0) ptX = self.point(0)
if (ird > 0): if (ird > 0):
x=np.interp(z, x = np.interp(
[self.point(ird-1).z,self.point(ird).z], z,
[self.point(ird-1).x,self.point(ird).x]) [self.point(ird-1).z, self.point(ird).z],
y=np.interp(z, [self.point(ird-1).x, self.point(ird).x]
[self.point(ird).z,self.point(ird-1).z], )
[self.point(ird).y,self.point(ird-1).y]) y = np.interp(
ptY=PointXYZ(x,y,z) z,
[self.point(ird).z, self.point(ird - 1).z],
[self.point(ird).y, self.point(ird - 1).y]
)
ptY = PointXYZ(x, y, z)
else: else:
ptY = self.point(self.number_points-1) ptY = self.point(self.number_points - 1)
return ptX,ptY return ptX, ptY

View File

@ -29,6 +29,7 @@ from Model.HydraulicStructures.Basic.Value import (
logger = logging.getLogger() logger = logging.getLogger()
class BasicHS(SQLSubModel): class BasicHS(SQLSubModel):
_sub_classes = [ _sub_classes = [
BHSValue, BHSValue,
@ -142,7 +143,7 @@ class BasicHS(SQLSubModel):
data['bhs_id'] = self.id data['bhs_id'] = self.id
execute( execute(
"DELETE FROM hydraulic_structures_basic_value "+ "DELETE FROM hydraulic_structures_basic_value " +
f"WHERE bhs = {bhs_id}" f"WHERE bhs = {bhs_id}"
) )

View File

@ -16,18 +16,22 @@
# -*- coding: utf-8 -*- # -*- coding: utf-8 -*-
from Model.Except import NotImplementedMethodeError
from Model.HydraulicStructures.Basic.HydraulicStructures import ( from Model.HydraulicStructures.Basic.HydraulicStructures import (
BasicHS BasicHS
) )
from Model.HydraulicStructures.Basic.Value import ( from Model.HydraulicStructures.Basic.Value import (
BHSValue BHSValue
) )
class NotDefined(BasicHS): class NotDefined(BasicHS):
def __init__(self, id: int = -1, name: str = "", status=None): def __init__(self, id: int = -1, name: str = "",
super(NotDefined, self).__init__(id=id, name=name, status=status) status=None):
super(NotDefined, self).__init__(
id=id, name=name,
status=status
)
self._type = "ND" self._type = "ND"
self._data = [ self._data = [

View File

@ -18,11 +18,12 @@
from Model.Tools.PamhyrDB import SQLSubModel from Model.Tools.PamhyrDB import SQLSubModel
class BHSValue(SQLSubModel): class BHSValue(SQLSubModel):
_sub_classes = [] _sub_classes = []
_id_cnt = 0 _id_cnt = 0
def __init__(self, name: str = "", type = float, value = 0.0, def __init__(self, name: str = "", type=float, value=0.0,
status=None): status=None):
super(BHSValue, self).__init__() super(BHSValue, self).__init__()
@ -117,7 +118,7 @@ class BHSValue(SQLSubModel):
"hydraulic_structures_basic_value(name, type, value, bhs) " + "hydraulic_structures_basic_value(name, type, value, bhs) " +
"VALUES (" + "VALUES (" +
f"'{self._db_format(self._name)}', " + f"'{self._db_format(self._name)}', " +
f"'{self._db_format(self._type_to_str(self._type))}', "+ f"'{self._db_format(self._type_to_str(self._type))}', " +
f"'{self._db_format(self._value)}', " + f"'{self._db_format(self._value)}', " +
f"{bhs_id}" + f"{bhs_id}" +
")" ")"

View File

@ -30,6 +30,7 @@ from Model.HydraulicStructures.Basic.Types import (
logger = logging.getLogger() logger = logging.getLogger()
class HydraulicStructure(SQLSubModel): class HydraulicStructure(SQLSubModel):
_sub_classes = [ _sub_classes = [
BasicHS, BasicHS,
@ -55,7 +56,10 @@ class HydraulicStructure(SQLSubModel):
self._enabled = True self._enabled = True
self._data = [] self._data = []
HydraulicStructure._id_cnt = max(HydraulicStructure._id_cnt + 1, self.id) HydraulicStructure._id_cnt = max(
HydraulicStructure._id_cnt + 1,
self.id
)
@classmethod @classmethod
def _db_create(cls, execute): def _db_create(cls, execute):

View File

@ -22,6 +22,7 @@ from tools import trace, timer
from Model.Tools.PamhyrList import PamhyrModelList from Model.Tools.PamhyrList import PamhyrModelList
from Model.HydraulicStructures.HydraulicStructures import HydraulicStructure from Model.HydraulicStructures.HydraulicStructures import HydraulicStructure
class HydraulicStructureList(PamhyrModelList): class HydraulicStructureList(PamhyrModelList):
_sub_classes = [ _sub_classes = [
HydraulicStructure, HydraulicStructure,

View File

@ -376,7 +376,7 @@ class InitialConditions(SQLSubModel):
* (abs(incline) ** (0.5))) * (abs(incline) ** (0.5)))
) )
elevation= max( elevation = max(
profile.z_min() + height, profile.z_min() + height,
previous_elevation previous_elevation
) )
@ -422,7 +422,7 @@ class InitialConditions(SQLSubModel):
((width * 0.8) * strickler * (abs(incline) ** (0.5))) ((width * 0.8) * strickler * (abs(incline) ** (0.5)))
) ** (0.6) ) ** (0.6)
elevation= max( elevation = max(
profile.z_min() + height, profile.z_min() + height,
previous_elevation previous_elevation
) )

View File

@ -213,7 +213,7 @@ class Graph(object):
def is_enable_edge(self, edge): def is_enable_edge(self, edge):
return edge._enable return edge._enable
#def get_edge_id(self, reach): # def get_edge_id(self, reach):
# for i, e in enumerate(self.enable_edges): # for i, e in enumerate(self.enable_edges):
# if e.id == reach.id: # if e.id == reach.id:
# return i # return i

View File

@ -94,7 +94,11 @@ class Reservoir(SQLSubModel):
new_reservoir._node = None new_reservoir._node = None
if node_id != -1: if node_id != -1:
new_reservoir._node = next(filter(lambda n: n.id == node_id, data["nodes"])) new_reservoir._node = next(
filter(
lambda n: n.id == node_id, data["nodes"]
)
)
new_data = [] new_data = []
table = execute( table = execute(

View File

@ -242,7 +242,9 @@ class River(Graph, SQLSubModel):
self._parameters = {} self._parameters = {}
self._sediment_layers = SedimentLayerList(status=self._status) self._sediment_layers = SedimentLayerList(status=self._status)
self._reservoir = ReservoirList(status=self._status) self._reservoir = ReservoirList(status=self._status)
self._hydraulic_structures = HydraulicStructureList(status=self._status) self._hydraulic_structures = HydraulicStructureList(
status=self._status
)
@classmethod @classmethod
def _db_create(cls, execute): def _db_create(cls, execute):

View File

@ -67,7 +67,7 @@ class PamhyrModelDict(SQLSubModel):
if key in self._dict: if key in self._dict:
v = self._dict[key] v = self._dict[key]
if type(v) == types.GeneratorType: if type(v) is types.GeneratorType:
return list(v) return list(v)
return v return v

View File

@ -453,9 +453,20 @@ class Mage(CommandLineSolver):
for hs in hydraulic_structures: for hs in hydraulic_structures:
if hs.reach.is_enable: if hs.reach.is_enable:
reach_id = study.river.get_edge_id(hs.reach) reach_id = study.river.get_edge_id(hs.reach)
params = [p.value for p in hs.basic_hydraulic_structure.param] params = [
param_str = ' '.join([f'{p.value:>10.3f}' for p in hs.basic_hydraulic_structure.param]) p.value for p in hs.basic_hydraulic_structure.param
f.write(f"{hs.basic_hydraulic_structure.type} {reach_id} {hs.kp:>12.3f} {params} {hs.name}\n") ]
param_str = ' '.join(
[
f'{p.value:>10.3f}'
for p in hs.basic_hydraulic_structure.param
]
)
f.write(
f"{hs.basic_hydraulic_structure.type} " +
f"{reach_id} {hs.kp:>12.3f} {params} " +
"{hs.name}\n"
)
return files return files
@ -465,7 +476,11 @@ class Mage(CommandLineSolver):
qlog.put("Export REP file") qlog.put("Export REP file")
# Write header # Write header
with mage_file_open(os.path.join(repertory, f"{name}.REP"), "w+") as f: with mage_file_open(
os.path.join(
repertory, f"{name}.REP"
), "w+"
) as f:
f.write("confirmation=non\n") f.write("confirmation=non\n")
for file in files: for file in files:
@ -832,12 +847,13 @@ class Mage8(Mage):
# Set data for profile RI # Set data for profile RI
reach.set(ri, timestamp, key, d) reach.set(ri, timestamp, key, d)
if key == "Z": if key == "Z":
profile = study.river.current_reach().reach.profile(ri) profile = study.river\
ptX,ptY = profile.get_water_limits(d) .current_reach()\
.reach.profile(ri)
ptX, ptY = profile.get_water_limits(d)
reach.set(ri, timestamp, "ptX", ptX) reach.set(ri, timestamp, "ptX", ptX)
reach.set(ri, timestamp, "ptY", ptY) reach.set(ri, timestamp, "ptY", ptY)
endline() endline()
end = newline().size <= 0 end = newline().size <= 0

View File

@ -160,7 +160,7 @@ class EditBoundaryConditionWindow(PamhyrWindow):
table_headers=headers, table_headers=headers,
editable_headers=self._data.header, editable_headers=self._data.header,
delegates={ delegates={
#"time": self._delegate_time, # "time": self._delegate_time,
}, },
data=self._data, data=self._data,
undo=self._undo_stack, undo=self._undo_stack,

View File

@ -115,13 +115,13 @@ class ComboBoxDelegate(QItemDelegate):
class TableModel(PamhyrTableModel): class TableModel(PamhyrTableModel):
def __init__(self, trad = None, **kwargs): def __init__(self, trad=None, **kwargs):
self._trad = trad self._trad = trad
self._long_types = {} self._long_types = {}
if self._trad is not None: if self._trad is not None:
self._long_types = self._trad.get_dict("long_types") self._long_types = self._trad.get_dict("long_types")
super(TableModel, self).__init__(trad = trad, **kwargs) super(TableModel, self).__init__(trad=trad, **kwargs)
def _setup_lst(self): def _setup_lst(self):
self._lst = self._data.boundary_condition self._lst = self._data.boundary_condition

View File

@ -126,5 +126,5 @@ class PlotAC(PamhyrPlot):
def clear(self): def clear(self):
if self.line_kp is not None: if self.line_kp is not None:
self.line_kp.set_data([],[]) self.line_kp.set_data([], [])
self.canvas.figure.canvas.draw_idle() self.canvas.figure.canvas.draw_idle()

View File

@ -110,7 +110,6 @@ class PlotKPC(PamhyrPlot):
color='red', lw=1. color='red', lw=1.
) )
self.canvas.figure.tight_layout() self.canvas.figure.tight_layout()
self.canvas.figure.canvas.draw_idle() self.canvas.figure.canvas.draw_idle()
if self.toolbar is not None: if self.toolbar is not None:
@ -144,16 +143,15 @@ class PlotKPC(PamhyrPlot):
def clear(self): def clear(self):
if self.profile is not None: if self.profile is not None:
self.profile.set_data([],[]) self.profile.set_data([], [])
if self.line_kp_zmin_zmax is not None: if self.line_kp_zmin_zmax is not None:
self.line_kp_zmin_zmax.remove() self.line_kp_zmin_zmax.remove()
self.line_kp_zmin_zmax = None self.line_kp_zmin_zmax = None
if self.line_kp_zmin is not None: if self.line_kp_zmin is not None:
self.line_kp_zmin.set_data([],[]) self.line_kp_zmin.set_data([], [])
self.canvas.figure.canvas.draw_idle() self.canvas.figure.canvas.draw_idle()
def clear_profile(self): def clear_profile(self):
if self.profile is not None: if self.profile is not None:
self.profile.set_data([],[]) self.profile.set_data([], [])
self.canvas.figure.canvas.draw_idle() self.canvas.figure.canvas.draw_idle()

View File

@ -59,7 +59,9 @@ class ComboBoxDelegate(QItemDelegate):
val = [] val = []
if self._mode == "kp": if self._mode == "kp":
reach = self._data.hydraulic_structures.get(index.row()).input_reach reach = self._data.hydraulic_structures\
.get(index.row())\
.input_reach
if reach is not None: if reach is not None:
val = list( val = list(
map( map(

View File

@ -99,6 +99,7 @@ class SetEnabledCommand(QUndoCommand):
logger.info(f"Undo {self._old} -> {self._new}") logger.info(f"Undo {self._old} -> {self._new}")
self._h_s_lst.get(self._index).enabled = self._new self._h_s_lst.get(self._index).enabled = self._new
class AddCommand(QUndoCommand): class AddCommand(QUndoCommand):
def __init__(self, h_s_lst, index): def __init__(self, h_s_lst, index):
QUndoCommand.__init__(self) QUndoCommand.__init__(self)

View File

@ -82,13 +82,13 @@ class HydraulicStructuresWindow(PamhyrWindow):
trad=self._trad, trad=self._trad,
data=self._study.river, data=self._study.river,
parent=self, parent=self,
mode = "reaches" mode="reaches"
) )
self._delegate_kp = ComboBoxDelegate( self._delegate_kp = ComboBoxDelegate(
trad=self._trad, trad=self._trad,
data=self._study.river, data=self._study.river,
parent=self, parent=self,
mode = "kp" mode="kp"
) )
table = self.find(QTableView, f"tableView") table = self.find(QTableView, f"tableView")
@ -160,7 +160,7 @@ class HydraulicStructuresWindow(PamhyrWindow):
def setup_connections(self): def setup_connections(self):
self.find(QAction, "action_add").triggered.connect(self.add) self.find(QAction, "action_add").triggered.connect(self.add)
self.find(QAction, "action_delete").triggered.connect(self.delete) self.find(QAction, "action_delete").triggered.connect(self.delete)
#self.find(QAction, "action_edit").triggered.connect(self.edit) # self.find(QAction, "action_edit").triggered.connect(self.edit)
self._checkbox.clicked.connect(self._set_structure_state) self._checkbox.clicked.connect(self._set_structure_state)
table = self.find(QTableView, "tableView") table = self.find(QTableView, "tableView")
@ -175,7 +175,7 @@ class HydraulicStructuresWindow(PamhyrWindow):
table = self.find(QTableView, "tableView") table = self.find(QTableView, "tableView")
r = table.selectionModel().selectedRows() r = table.selectionModel().selectedRows()
if len(r)>0: if len(r) > 0:
return r[0] return r[0]
else: else:
return None return None
@ -184,7 +184,7 @@ class HydraulicStructuresWindow(PamhyrWindow):
table = self.find(QTableView, "tableView") table = self.find(QTableView, "tableView")
r = table.selectionModel().selectedRows() r = table.selectionModel().selectedRows()
if len(r)>0: if len(r) > 0:
return r[0].row() return r[0].row()
else: else:
return None return None
@ -270,7 +270,7 @@ class HydraulicStructuresWindow(PamhyrWindow):
if len(rows) > 0 and len(self._hs_lst) > 0: if len(rows) > 0 and len(self._hs_lst) > 0:
reach = self._hs_lst.get(rows[0]).input_reach reach = self._hs_lst.get(rows[0]).input_reach
else: else:
reach=None reach = None
self.plot_kpc.clear() self.plot_kpc.clear()
self.plot_ac.clear() self.plot_ac.clear()
return return
@ -291,7 +291,6 @@ class HydraulicStructuresWindow(PamhyrWindow):
self.plot_ac.clear() self.plot_ac.clear()
return return
if profile is not None: if profile is not None:
self.plot_kpc.set_profile(profile[0]) self.plot_kpc.set_profile(profile[0])
self.plot_ac.set_profile(profile[0]) self.plot_ac.set_profile(profile[0])

View File

@ -101,7 +101,7 @@ class EditLateralContributionWindow(PamhyrWindow):
table_headers=headers, table_headers=headers,
editable_headers=self._data.header, editable_headers=self._data.header,
delegates={ delegates={
#"time": self._delegate_time, # "time": self._delegate_time,
}, },
data=self._data, data=self._data,
undo=self._undo_stack, undo=self._undo_stack,

View File

@ -195,7 +195,8 @@ class ApplicationWindow(QMainWindow, ListedSubWindow, WindowToolKit):
"action_menu_edit_geometry": self.open_geometry, "action_menu_edit_geometry": self.open_geometry,
"action_menu_boundary_conditions": self.open_boundary_cond, "action_menu_boundary_conditions": self.open_boundary_cond,
"action_menu_edit_reservoirs": self.open_reservoir, "action_menu_edit_reservoirs": self.open_reservoir,
"action_menu_edit_hydraulic_structures": self.open_hydraulic_structures, "action_menu_edit_hydraulic_structures":
self.open_hydraulic_structures,
"action_menu_initial_conditions": self.open_initial_conditions, "action_menu_initial_conditions": self.open_initial_conditions,
"action_menu_edit_friction": self.open_frictions, "action_menu_edit_friction": self.open_frictions,
"action_menu_edit_lateral_contribution": self.open_lateral_contrib, "action_menu_edit_lateral_contribution": self.open_lateral_contrib,
@ -282,8 +283,7 @@ class ApplicationWindow(QMainWindow, ListedSubWindow, WindowToolKit):
Nothing Nothing
""" """
self.update_enable_action() self.update_enable_action()
# Maximise window # self.showMaximized()
#self.showMaximized()
def set_debug_lvl(self, debug=True): def set_debug_lvl(self, debug=True):
if debug: if debug:
@ -638,7 +638,10 @@ class ApplicationWindow(QMainWindow, ListedSubWindow, WindowToolKit):
): ):
return return
hydraulic_structures = HydraulicStructuresWindow(study=self._study, parent=self) hydraulic_structures = HydraulicStructuresWindow(
study=self._study,
parent=self
)
hydraulic_structures.show() hydraulic_structures.show()
def open_lateral_contrib(self): def open_lateral_contrib(self):
@ -648,7 +651,10 @@ class ApplicationWindow(QMainWindow, ListedSubWindow, WindowToolKit):
): ):
return return
lateral = LateralContributionWindow(study=self._study, parent=self) lateral = LateralContributionWindow(
study=self._study,
parent=self
)
lateral.show() lateral.show()
def open_stricklers(self): def open_stricklers(self):

View File

@ -69,7 +69,7 @@ class Plot(PamhyrPlot):
) )
# Plot label # Plot label
#header = self.data.header # header = self.data.header
self.canvas.axes.set_xlabel( self.canvas.axes.set_xlabel(
self._table_headers["z"], color='black', fontsize=10 self._table_headers["z"], color='black', fontsize=10
) )

View File

@ -88,18 +88,13 @@ class EditReservoirWindow(PamhyrWindow):
def setup_table(self): def setup_table(self):
headers = {} headers = {}
table_headers = self._trad.get_dict("table_headers") table_headers = self._trad.get_dict("table_headers")
#for h in self._data.header:
#headers[h] = table_headers[h]
table = self.find(QTableView, "tableView") table = self.find(QTableView, "tableView")
self._table = TableModel( self._table = TableModel(
table_view=table, table_view=table,
table_headers=table_headers, table_headers=table_headers,
editable_headers=table_headers, editable_headers=table_headers,
#editable_headers=self._data.header, delegates={},
delegates={
#"time": self._delegate_time,
},
data=self._data, data=self._data,
undo=self._undo_stack, undo=self._undo_stack,
opt_data=self._study.time_system opt_data=self._study.time_system
@ -181,7 +176,7 @@ class EditReservoirWindow(PamhyrWindow):
rows = self.index_selected_rows() rows = self.index_selected_rows()
table = [] table = []
#table.append(self._data.header) # table.append(self._data.header)
table.append(self._trad.get_dict("table_headers")) table.append(self._trad.get_dict("table_headers"))
data = self._data.data data = self._data.data

View File

@ -175,12 +175,12 @@ class PlotH(PamhyrPlot):
def set_timestamp(self, timestamp): def set_timestamp(self, timestamp):
self._current_timestamp = timestamp self._current_timestamp = timestamp
#self.update() # self.update()
def update(self): def update(self):
reach = self.results.river.reach(self._current_reach_id) reach = self.results.river.reach(self._current_reach_id)
profile = reach.profile(self._current_profile_id) profile = reach.profile(self._current_profile_id)
x = self.ts x = self.ts
y = profile.get_key("Q") y = profile.get_key("Q")
self._line.set_data(x,y) self._line.set_data(x, y)
self.canvas.figure.canvas.draw_idle() self.canvas.figure.canvas.draw_idle()

View File

@ -105,8 +105,14 @@ class PlotKPC(PamhyrPlot):
) )
self.profile, = self.canvas.axes.plot( self.profile, = self.canvas.axes.plot(
[kp[self._current_profile_id], kp[self._current_profile_id]], [
[z_max[self._current_profile_id],z_min[self._current_profile_id]], kp[self._current_profile_id],
kp[self._current_profile_id]
],
[
z_max[self._current_profile_id],
z_min[self._current_profile_id]
],
color='red', lw=1. color='red', lw=1.
) )
@ -137,7 +143,13 @@ class PlotKPC(PamhyrPlot):
z_min = reach.geometry.get_z_min() z_min = reach.geometry.get_z_min()
z_max = reach.geometry.get_z_max() z_max = reach.geometry.get_z_max()
self.profile.set_data( self.profile.set_data(
[kp[self._current_profile_id], kp[self._current_profile_id]], [
[z_max[self._current_profile_id],z_min[self._current_profile_id]] kp[self._current_profile_id],
kp[self._current_profile_id]
],
[
z_max[self._current_profile_id],
z_min[self._current_profile_id]
]
) )
self.canvas.figure.canvas.draw_idle() self.canvas.figure.canvas.draw_idle()

View File

@ -136,10 +136,14 @@ class PlotXY(PamhyrPlot):
poly_x = [0] poly_x = [0]
poly_y = [0] poly_y = [0]
self.fill = self.canvas.axes.fill(poly_x, poly_y, color='skyblue', alpha=0.7) self.fill = self.canvas.axes.fill(
poly_x, poly_y,
color='skyblue',
alpha=0.7
)
#self.canvas.axes.autoscale_view(True, True, True) # self.canvas.axes.autoscale_view(True, True, True)
#self.canvas.axes.autoscale() # self.canvas.axes.autoscale()
self.canvas.figure.tight_layout() self.canvas.figure.tight_layout()
self.canvas.figure.canvas.draw_idle() self.canvas.figure.canvas.draw_idle()
if self.toolbar is not None: if self.toolbar is not None:
@ -166,7 +170,7 @@ class PlotXY(PamhyrPlot):
# Current profile # Current profile
profile = reach.profile(self._current_profile_id).geometry profile = reach.profile(self._current_profile_id).geometry
self.plot_selected.set_data(profile.x(),profile.y()) self.plot_selected.set_data(profile.x(), profile.y())
self.plot_selected.set_visible(True) self.plot_selected.set_visible(True)
self.canvas.draw_idle() self.canvas.draw_idle()
@ -196,12 +200,12 @@ class PlotXY(PamhyrPlot):
poly_r_x.append(ptY.x) poly_r_x.append(ptY.x)
poly_r_y.append(ptY.y) poly_r_y.append(ptY.y)
#self.canvas.axes.plot( # self.canvas.axes.plot(
#x, y, lw=1., # x, y, lw=1.,
#color='b', # color='b',
#markersize=1, # markersize=1,
#marker='o' # marker='o'
#) # )
poly_x = poly_l_x + list(reversed(poly_r_x)) poly_x = poly_l_x + list(reversed(poly_r_x))
poly_y = poly_l_y + list(reversed(poly_r_y)) poly_y = poly_l_y + list(reversed(poly_r_y))

View File

@ -125,9 +125,13 @@ class ResultsWindow(PamhyrWindow):
self._slider_time.setValue(len(self._timestamps) - 1) self._slider_time.setValue(len(self._timestamps) - 1)
self._icon_start = QIcon() self._icon_start = QIcon()
self._icon_start.addPixmap(QPixmap('./src/View/ui/ressources/media-playback-start.png')) self._icon_start.addPixmap(
QPixmap('./src/View/ui/ressources/media-playback-start.png')
)
self._icon_pause = QIcon() self._icon_pause = QIcon()
self._icon_pause.addPixmap(QPixmap('./src/View/ui/ressources/media-playback-pause.png')) self._icon_pause.addPixmap(
QPixmap('./src/View/ui/ressources/media-playback-pause.png')
)
self._button_play = self.find(QPushButton, f"playButton") self._button_play = self.find(QPushButton, f"playButton")
self._button_play.setIcon(self._icon_start) self._button_play.setIcon(self._icon_start)
self._button_back = self.find(QPushButton, f"backButton") self._button_back = self.find(QPushButton, f"backButton")

View File

@ -67,6 +67,7 @@ def logger_color_reset():
return f"{Style.RESET_ALL}" return f"{Style.RESET_ALL}"
return "" return ""
def logger_exception(exception): def logger_exception(exception):
logger.error( logger.error(
f"[{Fore.RED}ERROR{Style.RESET_ALL}] " + f"[{Fore.RED}ERROR{Style.RESET_ALL}] " +

View File

@ -16,7 +16,7 @@ cd ..
echo " PEP8" echo " PEP8"
pycodestyle ./src pycodestyle --exclude="*_to_*.py" ./src
if [ $? -eq 0 ] if [ $? -eq 0 ]
then then