-
Notifications
You must be signed in to change notification settings - Fork 2
/
qgis2opendss.py
10481 lines (9043 loc) · 537 KB
/
qgis2opendss.py
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
# -*- coding: utf-8 -*-
"""
/***************************************************************************
QGIS2OpenDSS
A QGIS plugin
This plugin reads geographic information of electric distribution circuits and exports command lines for OpenDSS
-------------------
begin : 2015-11-22
git sha : $Format:%H$
copyright : (C)2015 by EPERLAB / Universidad de Costa Rica
***************************************************************************/
/***************************************************************************
* *
* This program is free software; you can redistribute it and/or modify *
* it under the terms of the GNU General Public License as published by *
* the Free Software Foundation; either version 2 of the License, or *
* (at your option)any later version. *
* *
***************************************************************************/
"""
from __future__ import print_function
from __future__ import absolute_import
from builtins import str
from builtins import range
from builtins import object
import glob
import os
import shutil
import time
import timeit
import inspect
from math import sqrt
import math
import subprocess
import re
import networkx as nx # Para trabajar con teoria de grafos
import numpy as np
import os.path
from PyQt5.QtCore import *
from PyQt5 import QtCore
from PyQt5.QtGui import QDesktopServices
from PyQt5 import QtGui #Paquetes requeridos para crear ventanas de diálogo e interfaz gráfica.
from PyQt5 import QtWidgets
from PyQt5.QtWidgets import QApplication, QWidget, QInputDialog, QLineEdit, QFileDialog, QMessageBox
import traceback
from qgis.core import * # Paquetes requeridos para crer el registro de eventos.
from qgis.gui import * # Paquete requerido para desplegar mensajes en la ventana principal de QGIS.
from tempfile import mkstemp
from shutil import move, copymode
from os import fdopen, remove
from qgis.core import NULL
from . import auxiliary_functions
from .LlamarOpenDSS import LlamarOpenDSS
# from dateTime import *
from . import lineOperations as lineOperations
from . import phaseOperations # Realiza diferentes tareas con las fases de los elementos electricos.
#from . import trafoOperations # Operaciones con transformadores
from . import trafoOperations as trafoOperations # Operaciones con transformadores para consultoría con Perú
from . import resources
from . EVsFunctions import CreacionPerfilesEV, AnalizarEncuestas #funciones necesarias para VEs
from . optimizacion_buses import excel_to_dict #funciones necesarias para buses
# Initialize Qt resources from file resources.py
# Import the code for the dialog
from .qgis2opendss_dialog import QGIS2OpenDSSDialog
from .qgis2opendss_progress import Ui_Progress
import sys
from decimal import Decimal
import pandas as pd
class TerminateException(Exception):
pass
class QGIS2OpenDSS(object):
"""QGIS Plugin Implementation."""
def __init__(self, iface):
"""Constructor.
:param iface: An interface instance that will be passed to this class
which provides the hook by which you can manipulate the QGIS
application at run Time.
:type iface: QgsInterface
"""
# Save reference to the QGIS interface
self.iface = iface
# initialize plugin directory
self.plugin_dir = os.path.dirname(__file__)
# initialize locale
locale = QSettings().value('locale/userLocale')[0:2]
if locale != (u'es'): # es
locale = (u'en') # en
locale_path = os.path.join(self.plugin_dir, 'i18n', 'QGIS2OpenDSS_{}.qm'.format(locale)) # translation file
if os.path.exists(locale_path):
self.translator = QTranslator()
self.translator.load(locale_path)
if qVersion()> '4.3.3':
QCoreApplication.installTranslator(self.translator)
# Variable con los nombres de las capas
# Create the dialog (after translation) and keep reference
self.dlg = QGIS2OpenDSSDialog()
self.progress = Ui_Progress()
# Declare instance attributes
self.actions = []
self.menu = self.tr(u'&QGIS2OpenDSS')
# TODO: We are going to let the user set this up in a future iteration
self.toolbar = self.iface.addToolBar(u'QGIS2OpenDSS')
self.toolbar.setObjectName(u'QGIS2OpenDSS')
# Llama al metodo para seleccionar la carpeta de destino
# self.dlg.lineEdit_nameCircuit.clear()
# self.dlg.lineEdit_dirOutput.clear()
self.dlg.pushButton.clicked.connect(self.select_output_folder)
# Llama al método para seleccionar el archivo de perfiles de carga
# self.dlg.lineEdit_AC.clear()
self.dlg.pushButton_AC.clicked.connect(self.select_load_profile)
self.dlg.button_box.helpRequested.connect(self.show_help)
#self.dlg.button_box.accepted.connect(self.dlg.close)
self.dlg.button_box.rejected.connect(self.dlg.close)
self.mensaje_log_gral = ""
self.msg_trafos = ""
self.nombres_capas = ""
#Planteles de buses
"""
self.dlg.pushButton_bus.clicked.connect(self.select_csv_buses)
self.dlg.pushButton_carg.clicked.connect(self.select_csv_cargadores)
self.dlg.comboBox_plantelbuses.activated.connect(self.activate_csvs_buses)
self.dlg.lineEdit_csvbus.setEnabled(False)
self.dlg.lineEdit_dircsvcarg.setEnabled(False)
self.dlg.pushButton_bus.setEnabled(False)
self.dlg.pushButton_carg.setEnabled(False)
"""
def configurate_combobox(self, layer_list):
#Limpia los combobox
self.dlg.comboBox_LMT1.clear()
self.dlg.comboBox_LMT2.clear()
self.dlg.comboBox_LMT3.clear()
self.dlg.comboBox_LBT1.clear()
self.dlg.comboBox_LBT2.clear()
self.dlg.comboBox_LBT3.clear()
self.dlg.comboBox_TR1.clear()
self.dlg.comboBox_TR2.clear()
self.dlg.comboBox_TR3.clear()
self.dlg.comboBox_ACO1.clear()
self.dlg.comboBox_ACO2.clear()
self.dlg.comboBox_ACO3.clear()
self.dlg.comboBox_CA1.clear()
self.dlg.comboBox_CA2.clear()
self.dlg.comboBox_CA3.clear()
self.dlg.comboBox_CI1.clear()
self.dlg.comboBox_CI2.clear()
self.dlg.comboBox_CI3.clear()
self.dlg.comboBox_SE.clear()
self.dlg.comboBox_CAMT1.clear()
self.dlg.comboBox_CAMT2.clear()
self.dlg.comboBox_CAMT3.clear()
self.dlg.comboBox_GD_lv.clear()
self.dlg.comboBox_GD_ls.clear()
self.dlg.comboBox_EV.clear()
self.dlg.comboBox_LMT1.addItems(layer_list)
self.dlg.comboBox_LMT2.addItems(layer_list)
self.dlg.comboBox_LMT3.addItems(layer_list)
self.dlg.comboBox_LBT1.addItems(layer_list)
self.dlg.comboBox_LBT2.addItems(layer_list)
self.dlg.comboBox_LBT3.addItems(layer_list)
self.dlg.comboBox_TR1.addItems(layer_list)
self.dlg.comboBox_TR2.addItems(layer_list)
self.dlg.comboBox_TR3.addItems(layer_list)
self.dlg.comboBox_ACO1.addItems(layer_list)
self.dlg.comboBox_ACO2.addItems(layer_list)
self.dlg.comboBox_ACO3.addItems(layer_list)
self.dlg.comboBox_CA1.addItems(layer_list)
self.dlg.comboBox_CA2.addItems(layer_list)
self.dlg.comboBox_CA3.addItems(layer_list)
self.dlg.comboBox_CI1.addItems(layer_list)
self.dlg.comboBox_CI2.addItems(layer_list)
self.dlg.comboBox_CI3.addItems(layer_list)
self.dlg.comboBox_SE.addItems(layer_list)
self.dlg.comboBox_CAMT1.addItems(layer_list)
self.dlg.comboBox_CAMT2.addItems(layer_list)
self.dlg.comboBox_CAMT3.addItems(layer_list)
self.dlg.comboBox_GD_lv.addItems(layer_list)
self.dlg.comboBox_GD_ls.addItems(layer_list)
self.dlg.comboBox_EV.addItems(layer_list)
# Plantel de buses
self.dlg.comboBox_plantelbuses.clear()
self.dlg.comboBox_plantelbuses.addItems(layer_list)
# Protecciones y seccionadores
self.dlg.comboBox_secc.clear()
self.dlg.comboBox_secc.addItems(layer_list)
self.dlg.comboBox_recon.clear()
self.dlg.comboBox_recon.addItems(layer_list)
self.dlg.comboBox_fusib.clear()
self.dlg.comboBox_fusib.addItems(layer_list)
# Reguladores
self.dlg.comboBox_reg.clear()
self.dlg.comboBox_reg.addItems(layer_list)
# Capacitores
self.dlg.comboBox_cap.clear()
self.dlg.comboBox_cap.addItems(layer_list)
"""
Función que habilita las líneas de csvs de buses cuando se pone el nombre de una capa en el
espacio del nombre de la capa de planteles de buses
"""
def activate_csvs_buses(self):
#Se define el nombre de la capa de buses como una variable de clase
self.name_layer_buses = self.dlg.comboBox_plantelbuses.currentText()
#Caso en que no haya ninguna capa seleccionada
if self.name_layer_buses == "":
self.dlg.lineEdit_csvbus.setEnabled(False)
self.dlg.lineEdit_dircsvcarg.setEnabled(False)
self.dlg.pushButton_bus.setEnabled(False)
self.dlg.pushButton_carg.setEnabled(False)
self.dlg.lineEdit_csvbus.clear()
self.dlg.lineEdit_dircsvcarg.clear()
#Caso en que haya alguna capa seleccionada
else:
self.dlg.lineEdit_csvbus.setEnabled(True)
self.dlg.lineEdit_dircsvcarg.setEnabled(True)
self.dlg.pushButton_bus.setEnabled(True)
self.dlg.pushButton_carg.setEnabled(True)
# noinspection PyMethodMayBeStatic
def tr(self, message):
# noinspection PyTypeChecker,PyArgumentList,PyCallByClass
return QCoreApplication.translate('dialog', 'QGIS2OpenDSS', message)
def add_action(
self,
icon_path,
text,
callback,
enabled_flag=True,
add_to_menu=True,
add_to_toolbar=True,
status_tip=None,
whats_this=None,
parent=None):
"""Add a toolbar icon to the toolbar.
:param icon_path: Path to the icon for this action. Can be a resource
path (e.g. ':/plugins/foo/bar.png')or a normal file system path.
:type icon_path: str
:param text: Text that should be shown in menu items for this action.
:type text: str
:param callback: Function to be called when the action is triggered.
:type callback: function
:param enabled_flag: A flag indicating if the action should be enabled
by default. Defaults to True.
:type enabled_flag: bool
:param add_to_menu: Flag indicating whether the action should also
be added to the menu. Defaults to True.
:type add_to_menu: bool
:param add_to_toolbar: Flag indicating whether the action should also
be added to the toolbar. Defaults to True.
:type add_to_toolbar: bool
:param status_tip: Optional text to show in a popup when mouse pointer
hovers over the action.
:type status_tip: str
:param parent: Parent widget for the new action. Defaults None.
:type parent: QWidget
:param whats_this: Optional text to show in the status bar when the
mouse pointer hovers over the action.
:returns: The action that was created. Note that the action is also
added to self.actions list.
:rtype: QAction
"""
icon = QtGui.QIcon(icon_path)
action = QtWidgets.QAction(icon, text, parent)
action.triggered.connect(callback)
action.setEnabled(enabled_flag)
if status_tip is not None:
action.setStatusTip(status_tip)
if whats_this is not None:
action.setWhatsThis(whats_this)
if add_to_toolbar:
self.toolbar.addAction(action)
if add_to_menu:
self.iface.addPluginToMenu(
self.menu,
action)
self.actions.append(action)
return action
def initGui(self):
"""Create the menu entries and toolbar icons inside the QGIS GUI."""
icon_path = ':/plugins/QGIS2OpenDSS/icon.png'
self.add_action(
icon_path,
text=self.tr(u'Export circuit to OpenDSS'),
callback=self.run,
parent=self.iface.mainWindow())
def unload(self):
"""Removes the plugin menu item and icon from QGIS GUI."""
for action in self.actions:
self.iface.removePluginMenu(
self.tr(u'&QGIS2OpenDSS'),
action)
self.iface.removeToolBarIcon(action)
# remove the toolbar
del self.toolbar
def select_output_folder(self):
"""Método para seleccionar la carpeta de destino"""
foldername = QFileDialog.getExistingDirectory(self.dlg, "Seleccione carpeta de destino","",)
self.dlg.lineEdit_dirOutput.setText(foldername)
#Función para cargar el csv de buses
def select_csv_buses(self):
csv_buses, _ = QFileDialog.getOpenFileName(self.dlg, "Seleccione el csv con la información de los parámetros de buses eléctricos", "", "*.csv")
self.csv_buses = csv_buses #variable de la clase
self.dlg.lineEdit_csvbus.setText(csv_buses)
#Función para cargar el csv de los cargadores
def select_csv_cargadores(self):
csv_cargadores, _ = QFileDialog.getOpenFileName(self.dlg, "Seleccione el csv con la información de los cargadores de los buses eléctricos", "", "*.csv")
self.csv_cargadores = csv_cargadores #variable de la clase
self.dlg.lineEdit_dircsvcarg.setText(csv_cargadores)
def select_load_profile(self):
"""Método para seleccionar el archivo de asignación de perfil de consumo"""
# filename=QFileDialog.getOpenFileName(self.dlg,"Seleccione el archivo.txt para designar curva de carga conforme al consumo mensual promedio","",)
foldername = QFileDialog.getExistingDirectory(self.dlg, "Seleccione la carpeta con las curvas de carga", "",)
self.dlg.lineEdit_AC.setText(foldername)
def show_help(self):
"""Display application help to the user."""
help_file = 'file:///%s/help/Manual_QGIS2OPENDSS.pdf' % self.plugin_dir
# For testing path:
# QMessageBox.information(None, 'Help File', help_file)
# noinspection PyCallByClass,PyTypeChecker
QDesktopServices.openUrl(QUrl(help_file))
def mkdir_p(self, mypath):
'''Creates a directory. equivalent to using mkdir -p on the command line'''
from errno import EEXIST
from os import makedirs, path
try:
makedirs(mypath)
except OSError as exc: # Python >2.5
if exc.errno == EEXIST and path.isdir(mypath):
pass
else:
raise
def CoordLineProcess(self, ObjetoLinea, tolerancia): # Procesa las coodernadas de las líneas para agregar al grafo.
#line = ObjetoLinea.geometry().asPolyline() # Lee la geometria de la linea
geom = ObjetoLinea.geometry()
line = self.MultiStringToMatrix(geom)
n = len(line) # Cantidad de vértices de la línea
X1 = int(float(line[0][0] / tolerancia))
Y1 = int(float(line[0][1] / tolerancia))
X2 = int(float(line[n - 1][0] / tolerancia))
Y2 = int(float(line[n - 1][1] / tolerancia))
P1 = (X1, Y1)
P2 = (X2, Y2)
return P1, P2
def CoordPointProcees(self, ObjetoLinea, tolerancia):
point = ObjetoLinea.geometry().asPoint() # Lee la geometria de la linea
X1 = int(float(point[0] / tolerancia))
Y1 = int(float(point[1] / tolerancia))
P1 = (X1, Y1)
return P1
def GeometryCode_Verification(self, foldername, lista_geo_MT_aer, lista_geo_MT_sub, lista_geo_BT_aer, lista_geo_BT_sub, lista_geo_AC_aer):
aviso = False
error_log = "Favor revisar los archivos de capas o bien, agregar el código/geometría faltante en alguno de los archivos de la carpeta 'DSS/Bibliotecas' \n"
# Parte 1: Lista de códigos
geometry_list = []
linecode_list = []
spacing_list = []
file_path = foldername + '\\Bibliotecas'
files_names_dss = list(glob.glob(os.path.join(file_path, '*.dss')))
files_names_txt = list(glob.glob(os.path.join(file_path, '*.txt')))
files_names = files_names_dss + files_names_txt
for file_ in files_names:
with open(file_, 'r', encoding='utf-8', errors='ignore') as file:
lines_e = file.readlines()
for line in lines_e:
if (("LineSpacing" in line) or ("Linespacing" in line) or ("linespacing" in line)):
if "new" in line:
spacing_list.append(line.split("new ")[1].split("pacing.")[1].split(" ")[0])
elif "New" in line:
spacing_list.append(line.split("New ")[1].split("pacing.")[1].split(" ")[0])
elif (("LineCode" in line) or ("Linecode" in line) or ("linecode" in line)):
if "new" in line:
linecode_list.append(line.split("new ")[1].split("ode.")[1].split(" ")[0])
elif "New" in line:
linecode_list.append(line.split("New ")[1].split("ode.")[1].split(" ")[0])
elif (("LineGeometry" in line) or ("Linegeometry" in line) or ("linegeometry" in line)):
if "new" in line:
geometry_list.append(line.split("new ")[1].split("eometry.")[1].split(" ")[0])
elif "New" in line:
geometry_list.append(line.split("New ")[1].split("eometry.")[1].split(" ")[0])
else:
pass
code_list = geometry_list+linecode_list
# Parte 2: Verificación por partes
# Media tensión aéreo:
for line in lista_geo_MT_aer:
if line[2] not in code_list:
error_log += "La línea MT aérea con id: "+str(line[0])+" y nombre: "+str(line[1])+" presenta un LineGeometry/LineCode no válido: " +str(line[2])+" \n"
aviso = True
# Media tensión subterráneo:
for line in lista_geo_MT_sub:
if line[2] not in code_list:
error_log += "La línea MT subt con id: "+str(line[0])+" y nombre: "+str(line[1])+" presenta un LineGeometry/LineCode no válido: " +str(line[2])+" \n"
aviso = True
# Baja tensión aéreo:
for line in lista_geo_BT_aer:
if line[2] not in code_list:
error_log += "La línea BT aérea con id: "+str(line[0])+" y nombre: "+str(line[1])+" presenta un LineGeometry/LineCode no válido: " +str(line[2])+" \n"
aviso = True
# Baja tensión subterráneo:
for line in lista_geo_BT_sub:
if line[2] not in code_list:
error_log += "La línea BT subt con id: "+str(line[0])+" y nombre: "+str(line[1])+" presenta un LineGeometry/LineCode no válido: " +str(line[2])+" \n"
aviso = True
# Acometida aérea:
for line in lista_geo_AC_aer:
if line[2] not in code_list:
error_log += "La Acometida aérea con id: "+str(line[0])+" y nombre: "+str(line[1])+" presenta un LineGeometry/LineCode no válido: " +str(line[2])+" \n"
aviso = True
return aviso, error_log
def ReaderDataLMT(self, layer, Grafo, datosLMT, toler, subterranea,
indexDSS): # Lee los datos de capa de línea y las agrega al grafo
try:
line_id = auxiliary_functions.getAttributeIndex(self, layer, "OBJECTID")
idx_bus1 = auxiliary_functions.getAttributeIndex(self, layer, "bus1")
idx_bus2 = auxiliary_functions.getAttributeIndex(self, layer, "bus2")
idx_length = auxiliary_functions.getAttributeIndex(self, layer, "length")
lineasMT = layer.getFeatures() # Recibe las caracteristicas de la capa de lineas de media tension.
layer.startEditing() # Activa modo edición
for lineaMT in lineasMT:
geom = lineaMT.geometry()
line = self.MultiStringToMatrix(geom)
if line == 0:
return 0, 0
n = len(line) # Cantidad de vértices de la línea
fase = phaseOperations.renamePhase(lineaMT['PHASEDESIG']).get('phaseCodeODSS')
faseOrig = lineaMT['PHASEDESIG']
cantFases = phaseOperations.renamePhase(lineaMT['PHASEDESIG']).get('phaseNumber')
nom_volt = lineaMT['NOMVOLT']
datos_tension = lineOperations.renameVoltage(nom_volt)
opervoltLN = datos_tension['LVCode']['LN']
opervoltLL = datos_tension['LVCode']['LL']
nodo1, nodo2 = self.CoordLineProcess(lineaMT, toler)
LineLength = lineaMT.geometry().length()
id_ = lineaMT.id()
layer.changeAttributeValue(id_, line_id, id_)
layer.changeAttributeValue(id_, idx_length, LineLength)
layer.changeAttributeValue(id_, idx_bus1, NULL)
layer.changeAttributeValue(id_, idx_bus2, NULL)
layer.changeAttributeValue(id_, indexDSS, NULL)
try:
group = lineaMT['MV_GROUP']
except Exception:
group = 'N/A'
if subterranea: # Determina si la línea es aérea o subterránea
air_ugnd = 'ugnd'
datosLinea = {"PHASEDESIG": faseOrig, "INDEXDSS": indexDSS, 'ID': lineaMT.id(), "LAYER": layer,
"nodo1": nodo1, "nodo2": nodo2, "X1": line[0][0], "Y1": line[0][1], "X2": line[n - 1][0],
"Y2": line[n - 1][1], 'NEUMAT': lineaMT['NEUTMAT'], 'NEUSIZ': lineaMT['NEUTSIZ'],
'PHAMAT': lineaMT['PHASEMAT'], 'PHASIZ': lineaMT['PHASESIZ'],
'NOMVOLT': lineaMT['INSULVOLT'], 'PHASE': fase, 'SHLEN': LineLength, 'AIR_UGND': air_ugnd,
'INSUL': lineaMT['INSULMAT'], 'NPHAS': cantFases, 'VOLTOPRLL': opervoltLL,
'VOLTOPRLN': opervoltLN, "SHIELD": lineaMT["SHIELDING"],
'MV_GROUP': group, 'idx_bus1': idx_bus1, 'idx_bus2': idx_bus2}
else:
air_ugnd = 'air'
datosLinea = {"PHASEDESIG": faseOrig, "INDEXDSS": indexDSS, 'ID': lineaMT.id(), "LAYER": layer,
"nodo1": nodo1, "nodo2": nodo2, "X1": line[0][0], "Y1": line[0][1], "X2": line[n - 1][0],
"Y2": line[n - 1][1], 'NEUMAT': lineaMT['NEUTMAT'], 'NEUSIZ': lineaMT['NEUTSIZ'],
'PHAMAT': lineaMT['PHASEMAT'], 'PHASIZ': lineaMT['PHASESIZ'], 'CCONF': lineaMT['LINEGEO'],
'PHASE': fase, 'SHLEN': LineLength, 'AIR_UGND': air_ugnd, 'NPHAS': cantFases,
'VOLTOPRLL': opervoltLL, 'VOLTOPRLN': opervoltLN,
'MV_GROUP': group, 'idx_bus1': idx_bus1, 'idx_bus2': idx_bus2}
if Grafo.get_edge_data(nodo1, nodo2)== None: # se asegura que la línea no existe
Grafo.add_edge(nodo1, nodo2)
Grafo[nodo1][nodo2].update(datosLinea) # Agrega la línea al grafo con todos los datos
else: # Si la línea existe es porque están en paralelo
newLength = float(datosLinea["SHLEN"])/ 2
datosLinea["SHLEN"] = newLength
paralelNode = "Paralel" + str(nodo1)
datosLinea["nodo2"] = paralelNode
Grafo.add_edge(nodo1, paralelNode)
Grafo[nodo1][paralelNode].update(datosLinea) # Agrega la línea al grafo con todos los datos
datosLinea["nodo2"] = nodo2
datosLinea["nodo1"] = paralelNode
Grafo.add_edge(paralelNode, nodo2)
Grafo[paralelNode][nodo2].update(datosLinea) # Agrega la línea al grafo con todos los datos
return Grafo, datosLMT
except KeyError as e:
cause = e.args[0]
aviso = "Favor verifique que las capas de líneas MT tengan el atributo "
aviso += cause + "\nPara más detalles:\n"
aviso += self.print_error()
QMessageBox.critical(None, "QGIS2OpenDSS Error lectura líneas MT", aviso)
return 0, 0
except Exception:
aviso = "Hubo un error en la lectura de líneas de MT"
aviso += "\nPara más detalles: \n"
aviso += self.print_error()
QMessageBox.critical(None, "QGIS2OpenDSS Error lectura líneas MT", aviso)
return 0, 0
finally:
layer.commitChanges()
def ReaderDataTrafos(self, layer, toler, datosT3F_Multi, datosT3F_Single, datosT2F, datosT1F, Graph_T3F_multi,
Graph_T3F_single, Graph_T2F, Graph_T1F, indexDSS, grafoBTTotal):
try:
list_sec_ne = []
list_prim_ne = []
indexBus1 = auxiliary_functions.getAttributeIndex(self, layer, "bus1")
indexLvGroup = auxiliary_functions.getAttributeIndex(self, layer, 'LV_GROUP')
trafos1 = layer.getFeatures() # Recibe las caracteristicas de la capa de transformadores.
layer.startEditing() # Activa modo edición
ats = [field.name() for field in layer.fields()]
for trafo1 in trafos1: # Separa los transformadores en tres listas: Monofasicos, Bifasicos y Trifasicos
nodo = self.CoordPointProcees(trafo1, toler)
point = trafo1.geometry().asPoint() # Lee la geometria de la linea
fase = phaseOperations.renamePhase(trafo1['PHASEDESIG']).get('phaseCodeODSS') # define código de OpenDSS
numfase = phaseOperations.renamePhase(trafo1['PHASEDESIG']).get('phaseNumberTraf') # define código de OpenDSS
MVCode = trafo1['PRIMVOLT']
LVCode = trafo1['SECVOLT']
tap = str(format(float(trafo1['TAPSETTING']), '.4f'))
voltages = trafoOperations.renameVoltage(int(MVCode), int(LVCode))
if voltages["LVCode"]["LL"] == 0:
loadvolt = "UNKNOWN"
loadvoltLN = "UNKNOWN"
list_sec_ne.append(LVCode)
else:
loadvolt = str(voltages["LVCode"]["LL"])
loadvoltLN = str(voltages["LVCode"]["LN"])
if voltages["MVCode"]["LL"] == 0:
voltoprLL = "UNKNOWN"
voltoprLN = "UNKNOWN"
list_prim_ne.append(MVCode)
else:
voltoprLL = str(voltages["MVCode"]["LL"])
voltoprLN = str(voltages["MVCode"]["LN"])
try:
group_lv = trafo1['LV_GROUP']
except KeyError:
group_lv = 'N/A'
try:
group_mv = trafo1['MV_GROUP']
except KeyError:
group_mv = 'N/A'
try:
sum_kva = float(trafo1['KVAPHASEA']) + float(trafo1['KVAPHASEB']) + float(trafo1['KVAPHASEC'])
assert ((sum_kva< 1.02*float(trafo1['RATEDKVA'])) and (sum_kva> 0.98*float(trafo1['RATEDKVA'])))
except AssertionError:
if "OBJECTID" not in ats:
aviso = "La suma de los kVAs por fase en el transformador con ID:"+str(trafo1.id())+" no coinciden con el total especificado en el atributo RATEDKVA "
aviso += "\n Favor revisar. Para más detalles: \n"
aviso += self.print_error()
QMessageBox.critical(None, "QGIS2OpenDSS Error lectura transformadores", aviso)
else:
aviso = "La suma de los kVAs por fase en el transformador con ID:"+str(trafo1['OBJECTID'])+" no coinciden con el total especificado en el atributo RATEDKVA "
aviso += "\n Favor revisar. Para más detalles: \n"
aviso += self.print_error()
QMessageBox.critical(None, "QGIS2OpenDSS Error lectura transformadores", aviso)
return 0, 0, 0, 0, 0, 0, 0, 0, 0
#Caso en que el trafo sea de media a media tensión
try:
mv_mv = trafo1['MV/MV']
mv_mv = str(mv_mv).lower()
if (mv_mv == 'yes' or mv_mv == 'si' or mv_mv == 'sí'
or mv_mv == '1' or mv_mv == 's' or mv_mv == 'y'
or mv_mv == 't' or mv_mv == 'true' ):
mv_mv = True
else:
mv_mv = False
except Exception:
mv_mv = False
if fase == '.1.2.3': # Divide los transformadores trifasicos en transformadores simples y de multiples unidades monofasicas
# Revisa si es un banco de tres transformadores con placa diferente o una sola unidad
if (trafo1['SECCONN'] == '4D'):
datosMulti = {"NPHAS": numfase, "MVCODE": MVCode, "LVCODE": LVCode, "INDEXDSS": indexDSS,
'ID': trafo1.id(), "TAPS": tap, "LAYER": layer, "nodo": nodo, 'X1': point[0],
'Y1': point[1], 'PHASE': fase, 'KVA_FA': trafo1['KVAPHASEA'],
'KVA_FB': trafo1['KVAPHASEB'], 'KVA_FC': trafo1['KVAPHASEC'],
'KVM': trafo1['PRIMVOLT'], 'KVL': trafo1['SECVOLT'], 'CONME': trafo1['PRIMCONN'],
'CONBA': trafo1['SECCONN'], 'LOADCONNS': '.1.2.3', 'LOADCONF': 'delta',
'LOADVOLT': loadvolt, 'LOADVOLTLN': loadvoltLN, 'MV_GROUP': group_mv,
'LV_GROUP': group_lv, "VOLTMTLL": voltoprLL, "VOLTMTLN": voltoprLN,
'MV_MV': mv_mv, "INDEXBUS1": indexBus1,
'INDEX_LV_GROUP': indexLvGroup}
datosTotalGraph = {"NPHAS": numfase, "type": "TRAF", 'LOADVOLT': loadvolt, 'LOADVOLTLN': loadvoltLN, "CONBA": trafo1['SECCONN']}
datosT3F_Multi.append(datosMulti)
if (nodo in Graph_T3F_multi.nodes())and (
Graph_T3F_multi.nodes[nodo]['PHASE'] == datosMulti['PHASE']):
Graph_T3F_multi.nodes[nodo]['KVA_FA'] = float(datosMulti['KVA_FA'])+ float(
Graph_T3F_multi.nodes[nodo]['KVA_FA'])
Graph_T3F_multi.nodes[nodo]['KVA_FB'] = float(datosMulti['KVA_FB'])+ float(
Graph_T3F_multi.nodes[nodo]['KVA_FB'])
Graph_T3F_multi.nodes[nodo]['KVA_FC'] = float(datosMulti['KVA_FC'])+ float(
Graph_T3F_multi.nodes[nodo]['KVA_FC'])
aviso = 'Se aumentó la capacidad de un transformador trifásico de 3 unidades '
aviso += 'debido a su cercanía con otro banco de transformadores en: ('
aviso += str(Graph_T3F_multi.nodes[nodo]['X1']) + ', '
aviso += str(Graph_T3F_multi.nodes[nodo]['Y1']) + ')\n'
self.mensaje_log_gral += aviso
else:
Graph_T3F_multi.add_node(nodo)
Graph_T3F_multi.nodes[nodo].update(datosMulti) # Agrega el trafo al grafo con todos los datos
grafoBTTotal.add_node(nodo)
grafoBTTotal.nodes[nodo].update(datosTotalGraph)
if (trafo1['SECCONN'] == 'Y') and (trafo1['PRIMCONN'] == 'Y' or trafo1['PRIMCONN'] == 'D'):
if ( ((float(trafo1['KVAPHASEA']) < 1.02 * float(trafo1['RATEDKVA'])) or (float(trafo1['KVAPHASEA']) > 0.98 * float(trafo1['RATEDKVA']))) and
((float(trafo1['KVAPHASEB']) < 1.02 * float(trafo1['RATEDKVA'])) or (float(trafo1['KVAPHASEB']) > 0.98 * float(trafo1['RATEDKVA']))) and
((float(trafo1['KVAPHASEC']) < 1.02 * float(trafo1['RATEDKVA'])) or (float(trafo1['KVAPHASEC']) > 0.98 * float(trafo1['RATEDKVA']))) ):
datosSingleY = {'KVA_FA': trafo1['KVAPHASEA'], 'KVA_FB': trafo1['KVAPHASEB'],
'KVA_FC': trafo1['KVAPHASEC'], "NPHAS": numfase, "MVCODE": MVCode, "LVCODE": LVCode,
"INDEXDSS": indexDSS, 'ID': trafo1.id(), "LAYER": layer, "nodo": nodo, "TAPS": tap,
'X1': point[0], 'Y1': point[1], 'PHASE': fase,
'KVA': int(float(trafo1['RATEDKVA'])), 'KVM': trafo1['PRIMVOLT'],
'KVL': trafo1['SECVOLT'], 'CONME': trafo1['PRIMCONN'], 'CONBA': trafo1['SECCONN'],
'LOADCONNS': '.1.2.3', 'LOADCONF': 'wye', 'LOADVOLT': loadvolt,
'LOADVOLTLN': loadvoltLN, 'MV_GROUP': group_mv, 'LV_GROUP': group_lv, "VOLTMTLL": voltoprLL,
"VOLTMTLN": voltoprLN, 'MV_MV': mv_mv, "INDEXBUS1": indexBus1,
'INDEX_LV_GROUP': indexLvGroup}
datosTotalGraph = {"NPHAS": numfase, "type": "TRAF", 'LOADVOLT': loadvolt,
'LOADVOLTLN': loadvoltLN, "CONBA": trafo1['SECCONN']}
datosT3F_Single.append(datosSingleY)
if (nodo in Graph_T3F_single.nodes()) and (
Graph_T3F_single.nodes[nodo]['PHASE'] == datosSingleY['PHASE']):
Graph_T3F_single.nodes[nodo]['KVA'] = float(datosSingleY['KVA'])+ float(
Graph_T3F_single.nodes[nodo]['KVA'])
aviso = 'Se aumentó la capacidad de un transformador trifásico debido a '
aviso += 'su cercanía con otro transformador en: ('
aviso += str(Graph_T3F_single.nodes[nodo]['X1']) + ', '
aviso += str(Graph_T3F_single.nodes[nodo]['Y1']) + ')\n'
self.mensaje_log_gral += aviso
else:
Graph_T3F_single.add_node(nodo)
Graph_T3F_single.nodes[nodo].update(datosSingleY) # Agrega el trafo al grafo con todos los datos
grafoBTTotal.add_node(nodo)
grafoBTTotal.nodes[nodo].update(datosTotalGraph)
else:
datosMulti = {"NPHAS": numfase, "MVCODE": MVCode, "LVCODE": LVCode, "INDEXDSS": indexDSS,
'ID': trafo1.id(), "TAPS": tap, "LAYER": layer, "nodo": nodo, 'X1': point[0],
'Y1': point[1], 'PHASE': fase, 'KVA_FA': trafo1['KVAPHASEA'],
'KVA_FB': trafo1['KVAPHASEB'], 'KVA_FC': trafo1['KVAPHASEC'],
'KVM': trafo1['PRIMVOLT'], 'KVL': trafo1['SECVOLT'], 'CONME': trafo1['PRIMCONN'],
'CONBA': trafo1['SECCONN'], 'LOADCONNS': '.1.2.3', 'LOADCONF': 'wye',
'LOADVOLT': loadvolt, 'LOADVOLTLN': loadvoltLN, 'MV_GROUP': group_mv,
'LV_GROUP': group_lv, "VOLTMTLL": voltoprLL, "VOLTMTLN": voltoprLN,
'MV_MV': mv_mv, "INDEXBUS1": indexBus1,
'INDEX_LV_GROUP': indexLvGroup}
datosTotalGraph = {"NPHAS": numfase, "type": "TRAF", 'LOADVOLT': loadvolt,
'LOADVOLTLN': loadvoltLN, "CONBA": trafo1['SECCONN']}
datosT3F_Multi.append(datosMulti)
if (nodo in Graph_T3F_multi.nodes()) and (
Graph_T3F_multi.nodes[nodo]['PHASE'] == datosMulti['PHASE']):
Graph_T3F_multi.nodes[nodo]['KVA_FA'] = float(datosMulti['KVA_FA'])+ float(
Graph_T3F_multi.nodes[nodo]['KVA_FA'])
Graph_T3F_multi.nodes[nodo]['KVA_FB'] = float(datosMulti['KVA_FB'])+ float(
Graph_T3F_multi.nodes[nodo]['KVA_FB'])
Graph_T3F_multi.nodes[nodo]['KVA_FC'] = float(datosMulti['KVA_FC'])+ float(
Graph_T3F_multi.nodes[nodo]['KVA_FC'])
aviso = 'Se aumentó la capacidad de un transformador trifásico de 3 unidades '
aviso += 'debido a su cercanía con otro banco de transformadores en: ('
aviso += str(Graph_T3F_multi.nodes[nodo]['X1']) + ', '
aviso += str(Graph_T3F_multi.nodes[nodo]['Y1']) + ')\n'
self.mensaje_log_gral += aviso
else:
Graph_T3F_multi.add_node(nodo)
Graph_T3F_multi.nodes[nodo].update(datosMulti) # Agrega el trafo al grafo con todos los datos
grafoBTTotal.add_node(nodo)
grafoBTTotal.nodes[nodo].update(datosTotalGraph)
if (trafo1['SECCONN'] == 'D') and (trafo1['PRIMCONN'] == 'Y' or trafo1['PRIMCONN'] == 'D'):
datosSingleD = {'KVA_FA': int(float(trafo1['KVAPHASEA'])),
'KVA_FB': int(float(trafo1['KVAPHASEB'])),
'KVA_FC': int(float(trafo1['KVAPHASEC'])), "NPHAS": numfase, "MVCODE": MVCode,
"LVCODE": LVCode, "TAPS": tap, "INDEXDSS": indexDSS, 'ID': trafo1.id(),
"LAYER": layer, "nodo": nodo, 'X1': point[0], 'Y1': point[1], 'PHASE': fase,
'KVA': int(float(trafo1['RATEDKVA'])), 'KVM': trafo1['PRIMVOLT'],
'KVL': trafo1['SECVOLT'], 'CONME': trafo1['PRIMCONN'], 'CONBA': trafo1['SECCONN'],
'LOADCONNS': '.1.2.3', 'LOADCONF': 'delta', 'LOADVOLT': loadvolt,
'LOADVOLTLN': loadvoltLN, 'MV_GROUP': group_mv, 'LV_GROUP': group_lv, "VOLTMTLL": voltoprLL,
"VOLTMTLN": voltoprLN, 'MV_MV': mv_mv, "INDEXBUS1": indexBus1,
'INDEX_LV_GROUP': indexLvGroup}
datosT3F_Single.append(datosSingleD)
datosTotalGraph = {"NPHAS": numfase, "type": "TRAF", 'LOADVOLT': loadvolt, 'LOADVOLTLN': loadvoltLN, "CONBA": trafo1['SECCONN']}
if (nodo in Graph_T3F_single.nodes()) and (
Graph_T3F_single.nodes[nodo]['PHASE'] == datosSingleD['PHASE']):
Graph_T3F_single.nodes[nodo]['KVA'] = float(datosSingleD['KVA'])+ float(
Graph_T3F_single.nodes[nodo]['KVA'])
aviso = 'Se aumentó la capacidad de un transformador trifásico debido '
aviso += 'a su cercanía con otro transformador en: ('
aviso += str(Graph_T3F_single.nodes[nodo]['X1']) + ', '
aviso += str(Graph_T3F_single.nodes[nodo]['Y1']) + ')\n'
self.mensaje_log_gral += aviso
else:
Graph_T3F_single.add_node(nodo)
Graph_T3F_single.nodes[nodo].update(datosSingleD) # Agrega el trafo al grafo con todos los datos
grafoBTTotal.add_node(nodo)
grafoBTTotal.nodes[nodo].update(datosTotalGraph)
elif fase == '.2.3' or fase == '.1.3' or fase == '.1.2':
datos2F = {"NPHAS": numfase, "MVCODE": MVCode, "LVCODE": LVCode, "TAPS": tap, "INDEXDSS": indexDSS,
'ID': trafo1.id(), "LAYER": layer, "nodo": nodo, 'X1': point[0], 'Y1': point[1],
'PHASE': fase, 'KVA': int(float(trafo1['RATEDKVA'])), 'KVM': trafo1['PRIMVOLT'],
'KVL': trafo1['SECVOLT'], 'CONME': trafo1['PRIMCONN'], 'CONBA': trafo1['SECCONN'],
'KVA_FA': trafo1['KVAPHASEA'], 'KVA_FB': trafo1['KVAPHASEB'], 'KVA_FC': trafo1['KVAPHASEC'],
'LOADCONNS': '.1.2.3', 'LOADCONF': 'delta', 'LOADVOLT': loadvolt, 'LOADVOLTLN': loadvoltLN,
'MV_GROUP': group_mv, 'LV_GROUP': group_lv, "VOLTMTLL": voltoprLL, "VOLTMTLN": voltoprLN,
'MV_MV': mv_mv, "INDEXBUS1": indexBus1,
'INDEX_LV_GROUP': indexLvGroup}
datosTotalGraph = {"NPHAS": numfase, "type": "TRAF", 'LOADVOLT': loadvolt, 'LOADVOLTLN': loadvoltLN, "CONBA": trafo1['SECCONN']}
datosT2F.append(datos2F)
if (nodo in Graph_T2F.nodes()) and (Graph_T2F.nodes[nodo]['PHASE'] == datos2F['PHASE']):
Graph_T2F.nodes[nodo]['KVA'] = float(datos2F['KVA'])+ float(Graph_T2F.nodes[nodo]['KVA'])
aviso = 'Se aumentó la capacidad de un transformador bifásico debido '
aviso += 'a su cercanía con otro transformador en: ('
aviso += str(Graph_T2F.nodes[nodo]['X1']) + ', '
aviso += str(Graph_T2F.nodes[nodo]['Y1'])+ ')\n'
self.mensaje_log_gral += aviso
else:
Graph_T2F.add_node(nodo)
Graph_T2F.nodes[nodo].update(datos2F) # Agrega el trafo al grafo con todos los datos
grafoBTTotal.add_node(nodo)
grafoBTTotal.nodes[nodo].update(datosTotalGraph)
elif fase == '.3' or fase == '.2' or fase == '.1':
datos1F = {'KVA_FA': trafo1['KVAPHASEA'], 'KVA_FB': trafo1['KVAPHASEB'], 'KVA_FC': trafo1['KVAPHASEC'],
"NPHAS": numfase, "MVCODE": MVCode, "LVCODE": LVCode, "TAPS": tap, "INDEXDSS": indexDSS,
'ID': trafo1.id(), "LAYER": layer, "nodo": nodo, 'X1': point[0], 'Y1': point[1],
'PHASE': fase, 'KVA': trafo1['RATEDKVA'], 'CONBA': trafo1['SECCONN'], 'KVM': trafo1['PRIMVOLT'],
'KVL': trafo1['SECVOLT'], 'LOADCONF': 'delta', 'LOADCONNS': '.1.2', 'LOADVOLT': loadvolt,
'LOADVOLTLN': loadvoltLN, 'MV_GROUP': group_mv, 'LV_GROUP': group_lv, "VOLTMTLL": voltoprLL,
"VOLTMTLN": voltoprLN, 'MV_MV': mv_mv, "INDEXBUS1": indexBus1,
'INDEX_LV_GROUP': indexLvGroup}
datosTotalGraph = {"NPHAS": numfase, "type": "TRAF", 'LOADVOLT': loadvolt, 'LOADVOLTLN': loadvoltLN, "CONBA": trafo1['SECCONN']}
datosT1F.append(datos1F)
if (nodo in Graph_T1F.nodes()) and (Graph_T1F.nodes[nodo]['PHASE'] == datos1F['PHASE']):
Graph_T1F.nodes[nodo]['KVA'] = float(datos1F['KVA'])+ float(Graph_T1F.nodes[nodo]['KVA'])
aviso = 'Se aumentó la capacidad de un transformador monofásico debido '
aviso += 'a su cercanía con otro transformador en: ('
aviso += str(Graph_T1F.nodes[nodo]['X1']) + ', '
aviso += str(Graph_T1F.nodes[nodo]['Y1']) + ')\n'
self.mensaje_log_gral += aviso
else:
Graph_T1F.add_node(nodo)
Graph_T1F.nodes[nodo].update(datos1F) # Agrega el trafo al grafo con todos los datos
grafoBTTotal.add_node(nodo)
grafoBTTotal.nodes[nodo].update(datosTotalGraph)
if list_sec_ne:
msg = 'No se encontraron los siguientes códigos '
msg += 'de tensión en el secundario. Su modelo de '
msg += 'transformador no será correcto:\n'
msg += str(set(list_sec_ne))
self.mensaje_log_gral += msg
aviso = QCoreApplication.translate('dialog', msg)
QMessageBox.warning(None, QCoreApplication.translate('dialog', 'Alerta Transformadores'), aviso)
if list_prim_ne:
msg = 'No se encontraron los siguientes códigos '
msg += 'de tensión en el primario. Su modelo de '
msg += 'transformador no será correcto:\n'
msg += str(set(list_prim_ne))
self.mensaje_log_gral += msg
aviso = QCoreApplication.translate('dialog', msg)
QMessageBox.warning(None, QCoreApplication.translate('dialog', 'Alerta Transformadores'), aviso)
return datosT3F_Multi, datosT3F_Single, datosT2F, datosT1F, Graph_T3F_multi, Graph_T3F_single, Graph_T2F, Graph_T1F, grafoBTTotal
except KeyError as e:
cause = e.args[0]
self.print_error()
aviso = 'Favor verifique que la capa de transformadores '
aviso += "tenga el siguiente atributo: "
aviso += cause
QMessageBox.critical(None, "QGIS2OpenDSS Error lectura transformadores", aviso)
return 0, 0, 0, 0, 0, 0, 0, 0, 0
except Exception:
aviso = "Hubo un error en la lectura de transformadores"
aviso += "\nPara más detalles: \n"
aviso += self.print_error()
QMessageBox.critical(None, "QGIS2OpenDSS Error lectura transformadores", aviso)
return 0, 0, 0, 0, 0, 0, 0, 0, 0
def ReaderDataLBT(self, layer, datosLBT, grafoBT, grafoBTTotal, toler, subterranea, indexDSS):
try:
line_id = auxiliary_functions.getAttributeIndex(self, layer, "OBJECTID")
idx_bus1 = auxiliary_functions.getAttributeIndex(self, layer, "bus1")
idx_bus2 = auxiliary_functions.getAttributeIndex(self, layer, "bus2")
idx_length = auxiliary_functions.getAttributeIndex(self, layer, "length")
lineas = layer.getFeatures() # Caracteristicas de la capa
layer.startEditing() # Activa modo edición
for linea in lineas:
geom = linea.geometry()
line = self.MultiStringToMatrix(geom)
if line == 0:
return 0, 0, 0
LineLength = linea.geometry().length()
id_ = linea.id()
layer.changeAttributeValue(id_, idx_length, LineLength)
layer.changeAttributeValue(id_, line_id, id_)
n = len(line) # Cantidad de vértices de la línea
LVCode = linea['NOMVOLT']
nodo1, nodo2 = self.CoordLineProcess(linea, toler)
conns = lineOperations.renameVoltage(linea['NOMVOLT']).get('conns') # phaseCodeOpenDSS
cantFases = lineOperations.renameVoltage(linea['NOMVOLT']).get('cantFases') # 1 or 3 phases
config = lineOperations.renameVoltage(linea['NOMVOLT']).get('config') # wye or delta
try:
group = linea['LV_GROUP']
except KeyError:
group = 'N/A'
if subterranea: # Determina si la línea es aérea o subterránea
air_ugnd = 'ugnd'
datosLinea = {"LVCODE": LVCode, "INDEXDSS": indexDSS, "LAYER": layer, "ID": linea.id(), "nodo1": nodo1,
"nodo2": nodo2, 'NEUMAT': linea['NEUTMAT'], 'NEUSIZ': linea['NEUTSIZ'],
'PHAMAT': linea['PHASEMAT'], 'PHASIZ': linea['PHASESIZ'], 'X1': line[0][0],
'Y1': line[0][1], 'X2': line[n - 1][0], 'Y2': line[n - 1][1], 'SHLEN': LineLength,
'AIR_UGND': air_ugnd, 'NPHAS': cantFases, 'CONNS': conns, 'CONF': config,
'INSUL': linea['INSULMAT'], 'idx_bus1': idx_bus1, 'idx_bus2': idx_bus2,
'GRUPO': group} # , 'VOLTOPRLL':opervoltLL,'VOLTOPRLN':opervoltLN}
datosTotalGraph = {"type": "LBT", 'X1': line[0][0], 'Y1': line[0][1], 'X2': line[n - 1][0],
'Y2': line[n - 1][1]} # ,'VOLTOPRLL':opervoltLL,'VOLTOPRLN':opervoltLN}
else:
air_ugnd = 'air'
datosLinea = {"LVCODE": LVCode, "INDEXDSS": indexDSS, "LAYER": layer, "ID": linea.id(), "nodo1": nodo1,
"nodo2": nodo2, 'NEUMAT': linea['NEUTMAT'], 'NEUSIZ': linea['NEUTSIZ'],
'PHAMAT': linea['PHASEMAT'], 'PHASIZ': linea['PHASESIZ'], 'X1': line[0][0],
'Y1': line[0][1], 'X2': line[n - 1][0], 'Y2': line[n - 1][1], 'SHLEN': LineLength,
'AIR_UGND': air_ugnd, 'NPHAS': cantFases, 'CONNS': conns, 'CONF': config, 'GRUPO': group,
'TIPO': linea['TYPE'], 'SERVICE':linea['SERVICE'], 'idx_bus1': idx_bus1, 'idx_bus2': idx_bus2} # , 'VOLTOPRLL':opervoltLL,'VOLTOPRLN':opervoltLN}
datosTotalGraph = {"type": "LBT", 'X1': line[0][0], 'Y1': line[0][1], 'X2': line[n - 1][0],
'Y2': line[n - 1][1]} # , 'VOLTOPRLL':opervoltLL,'VOLTOPRLN':opervoltLN}
datosLBT.append(datosLinea) ### Código viejo
if grafoBT.get_edge_data(nodo1, nodo2)== None: # se asegura que la línea no existe
grafoBT.add_edge(nodo1, nodo2)
grafoBT[nodo1][nodo2].update(datosLinea) # Agrega la línea al grafo con todos los datos
grafoBTTotal.add_edge(nodo1, nodo2)
grafoBTTotal[nodo1][nodo2].update(datosTotalGraph) # Agrega la línea al grafo con todos los datos
else: # Si la línea existe es porque están en paralelo
newLength = float(datosLinea["SHLEN"])/ 2
datosLinea["SHLEN"] = newLength
paralelNode = "Paralel" + str(nodo1)
datosLinea["nodo2"] = paralelNode
grafoBT.add_edge(nodo1, paralelNode)
grafoBT[nodo1][paralelNode].update(datosLinea) # Agrega la línea al grafo con todos los datos
grafoBTTotal.add_edge(nodo1, paralelNode)
grafoBTTotal[nodo1][paralelNode].update(datosTotalGraph) # Agrega la línea al grafo con todos los datos
datosLinea["nodo2"] = nodo2
datosLinea["nodo1"] = paralelNode
grafoBT.add_edge(paralelNode, nodo2)
grafoBT[paralelNode][nodo2].update(datosLinea) # Agrega la línea al grafo con todos los datos
grafoBTTotal.add_edge(paralelNode, nodo2)
grafoBTTotal[paralelNode][nodo2].update(datosTotalGraph) # Agrega la línea al grafo con todos los datos
return datosLBT, grafoBT, grafoBTTotal
except KeyError as e:
cause = e.args[0]
self.print_error()
aviso = "Favor verifique que las capas de líneas de BT tengan el atributo "
aviso += cause
QMessageBox.critical(None, "QGIS2OpenDSS Error lectura líneas BT", aviso)
return 0, 0, 0
except Exception:
aviso = "Hubo un error en la lectura de líneas de BT"
aviso += "\nPara más detalles: \n"
aviso += self.print_error()
title = "QGIS2OpenDSS Error lectura líneas BT"
QMessageBox.critical(None, title, aviso)
return 0, 0, 0
finally:
layer.commitChanges()
def ReaderDataAcom(self, layer, datosACO, grafoACO, grafoBTTotal, toler, indexDSS, grafoBT):
try:
line_id = auxiliary_functions.getAttributeIndex(self, layer, "OBJECTID")
idx_bus1 = auxiliary_functions.getAttributeIndex(self, layer, "bus1")
idx_bus2 = auxiliary_functions.getAttributeIndex(self, layer, "bus2")
idx_length = auxiliary_functions.getAttributeIndex(self, layer, "length")
lineasACO = layer.getFeatures() # Recibe las caracteristicas de la capa de acometidas.
layer.startEditing() # Activa modo edición
for lineaACO in lineasACO:
#line = lineaACO.geometry().asPolyline() # Lee la geometria de la linea
geom = lineaACO.geometry()
line = self.MultiStringToMatrix(geom)
if line == 0:
return 0, 0, 0
LineLength = lineaACO.geometry().length()
n = len(line) # Cantidad de vértices de la línea
nodo1, nodo2 = self.CoordLineProcess(lineaACO, toler)
id_ = lineaACO.id()
layer.changeAttributeValue(id_, idx_length, LineLength)
layer.changeAttributeValue(id_, line_id, id_)
LVCode = lineaACO['NOMVOLT']