-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathStorage.py
2503 lines (1822 loc) · 104 KB
/
Storage.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
# Copyright (c) 2021-2024 Paulo Meira
# Copyright (c) 2021-2024 DSS-Extensions contributors
from __future__ import annotations
from typing import Union, List, AnyStr, Optional, Iterator, TYPE_CHECKING
from typing_extensions import TypedDict, Unpack
from .types import Float64Array, Int32Array
from . import enums
from .DSSObj import IDSSObj, DSSObj
from .Batch import DSSBatch
from .ArrayProxy import BatchFloat64ArrayProxy, BatchInt32ArrayProxy
from .common import LIST_LIKE
from .PCElement import PCElementBatchMixin, ElementHasRegistersMixin, PCElementMixin
from .CircuitElement import CircuitElementBatchMixin, CircuitElementMixin
from .DynamicExp import DynamicExp
from .LoadShape import LoadShape
from .Spectrum import Spectrum as SpectrumObj
from .XYcurve import XYcurve
class Storage(DSSObj, CircuitElementMixin, PCElementMixin, ElementHasRegistersMixin):
__slots__ = DSSObj._extra_slots + CircuitElementMixin._extra_slots + PCElementMixin._extra_slots + ElementHasRegistersMixin._extra_slots
_cls_name = 'Storage'
_cls_idx = 29
_cls_int_idx = {
1,
4,
12,
15,
16,
25,
34,
37,
38,
42,
46,
51,
56,
59,
64,
}
_cls_float_idx = {
3,
5,
6,
7,
8,
9,
10,
13,
14,
17,
18,
19,
20,
21,
22,
23,
24,
26,
27,
28,
29,
30,
32,
33,
35,
36,
43,
44,
45,
52,
53,
54,
55,
60,
61,
63,
}
_cls_prop_idx = {
'phases': 1,
'bus1': 2,
'kv': 3,
'conn': 4,
'kw': 5,
'kvar': 6,
'pf': 7,
'kva': 8,
'pctcutin': 9,
'%cutin': 9,
'pctcutout': 10,
'%cutout': 10,
'effcurve': 11,
'varfollowinverter': 12,
'kvarmax': 13,
'kvarmaxabs': 14,
'wattpriority': 15,
'pfpriority': 16,
'pctpminnovars': 17,
'%pminnovars': 17,
'pctpminkvarmax': 18,
'%pminkvarmax': 18,
'kwrated': 19,
'pctkwrated': 20,
'%kwrated': 20,
'kwhrated': 21,
'kwhstored': 22,
'pctstored': 23,
'%stored': 23,
'pctreserve': 24,
'%reserve': 24,
'state': 25,
'pctdischarge': 26,
'%discharge': 26,
'pctcharge': 27,
'%charge': 27,
'pcteffcharge': 28,
'%effcharge': 28,
'pcteffdischarge': 29,
'%effdischarge': 29,
'pctidlingkw': 30,
'%idlingkw': 30,
'pctidlingkvar': 31,
'%idlingkvar': 31,
'pctr': 32,
'%r': 32,
'pctx': 33,
'%x': 33,
'model': 34,
'vminpu': 35,
'vmaxpu': 36,
'balanced': 37,
'limitcurrent': 38,
'yearly': 39,
'daily': 40,
'duty': 41,
'dispmode': 42,
'dischargetrigger': 43,
'chargetrigger': 44,
'timechargetrig': 45,
'cls': 46,
'class': 46,
'dynadll': 47,
'dynadata': 48,
'usermodel': 49,
'userdata': 50,
'debugtrace': 51,
'kvdc': 52,
'kp': 53,
'pitol': 54,
'safevoltage': 55,
'safemode': 56,
'dynamiceq': 57,
'dynout': 58,
'controlmode': 59,
'amplimit': 60,
'amplimitgain': 61,
'spectrum': 62,
'basefreq': 63,
'enabled': 64,
'like': 65,
}
def __init__(self, api_util, ptr):
DSSObj.__init__(self, api_util, ptr)
CircuitElementMixin.__init__(self)
PCElementMixin.__init__(self)
ElementHasRegistersMixin.__init__(self)
def edit(self, **kwargs: Unpack[StorageProperties]) -> Storage:
"""
Edit this Storage.
This method will try to open a new edit context (if not already open),
edit the properties, and finalize the edit context.
It can be seen as a shortcut to manually setting each property, or a Pythonic
analogous (but extended) to the DSS `Edit` command.
:param **kwargs: Pass keyword arguments equivalent to the DSS properties of the object.
:return: Returns itself to allow call chaining.
"""
self._edit(props=kwargs)
return self
def _get_Phases(self) -> int:
return self._lib.Obj_GetInt32(self._ptr, 1)
def _set_Phases(self, value: int, flags: enums.SetterFlags = 0):
self._lib.Obj_SetInt32(self._ptr, 1, value, flags)
Phases = property(_get_Phases, _set_Phases) # type: int
"""
Number of Phases, this Storage element. Power is evenly divided among phases.
DSS property name: `Phases`, DSS property index: 1.
"""
def _get_Bus1(self) -> str:
return self._get_prop_string(2)
def _set_Bus1(self, value: AnyStr, flags: enums.SetterFlags = 0):
self._set_string_o(2, value, flags)
Bus1 = property(_get_Bus1, _set_Bus1) # type: str
"""
Bus to which the Storage element is connected. May include specific node specification.
DSS property name: `Bus1`, DSS property index: 2.
"""
def _get_kV(self) -> float:
return self._lib.Obj_GetFloat64(self._ptr, 3)
def _set_kV(self, value: float, flags: enums.SetterFlags = 0):
self._lib.Obj_SetFloat64(self._ptr, 3, value, flags)
kV = property(_get_kV, _set_kV) # type: float
"""
Nominal rated (1.0 per unit) voltage, kV, for Storage element. For 2- and 3-phase Storage elements, specify phase-phase kV. Otherwise, specify actual kV across each branch of the Storage element.
If wye (star), specify phase-neutral kV.
If delta or phase-phase connected, specify phase-phase kV.
DSS property name: `kV`, DSS property index: 3.
"""
def _get_Conn(self) -> enums.Connection:
return enums.Connection(self._lib.Obj_GetInt32(self._ptr, 4))
def _set_Conn(self, value: Union[AnyStr, int, enums.Connection], flags: enums.SetterFlags = 0):
if not isinstance(value, int):
self._set_string_o(4, value, flags)
return
self._lib.Obj_SetInt32(self._ptr, 4, value, flags)
Conn = property(_get_Conn, _set_Conn) # type: enums.Connection
"""
={wye|LN|delta|LL}. Default is wye.
DSS property name: `Conn`, DSS property index: 4.
"""
def _get_Conn_str(self) -> str:
return self._get_prop_string(4)
def _set_Conn_str(self, value: AnyStr, flags: enums.SetterFlags = 0):
self._set_Conn(value, flags)
Conn_str = property(_get_Conn_str, _set_Conn_str) # type: str
"""
={wye|LN|delta|LL}. Default is wye.
DSS property name: `Conn`, DSS property index: 4.
"""
def _get_kW(self) -> float:
return self._lib.Obj_GetFloat64(self._ptr, 5)
def _set_kW(self, value: float, flags: enums.SetterFlags = 0):
self._lib.Obj_SetFloat64(self._ptr, 5, value, flags)
kW = property(_get_kW, _set_kW) # type: float
"""
Get/set the requested kW value. Final kW is subjected to the inverter ratings. A positive value denotes power coming OUT of the element, which is the opposite of a Load element. A negative value indicates the Storage element is in Charging state. This value is modified internally depending on the dispatch mode.
DSS property name: `kW`, DSS property index: 5.
"""
def _get_kvar(self) -> float:
return self._lib.Obj_GetFloat64(self._ptr, 6)
def _set_kvar(self, value: float, flags: enums.SetterFlags = 0):
self._lib.Obj_SetFloat64(self._ptr, 6, value, flags)
kvar = property(_get_kvar, _set_kvar) # type: float
"""
Get/set the requested kvar value. Final kvar is subjected to the inverter ratings. Sets inverter to operate in constant kvar mode.
DSS property name: `kvar`, DSS property index: 6.
"""
def _get_PF(self) -> float:
return self._lib.Obj_GetFloat64(self._ptr, 7)
def _set_PF(self, value: float, flags: enums.SetterFlags = 0):
self._lib.Obj_SetFloat64(self._ptr, 7, value, flags)
PF = property(_get_PF, _set_PF) # type: float
"""
Get/set the requested PF value. Final PF is subjected to the inverter ratings. Sets inverter to operate in constant PF mode. Nominally, the power factor for discharging (acting as a generator). Default is 1.0.
Enter negative for leading power factor (when kW and kvar have opposite signs.)
A positive power factor signifies kw and kvar at the same direction.
DSS property name: `PF`, DSS property index: 7.
"""
def _get_kVA(self) -> float:
return self._lib.Obj_GetFloat64(self._ptr, 8)
def _set_kVA(self, value: float, flags: enums.SetterFlags = 0):
self._lib.Obj_SetFloat64(self._ptr, 8, value, flags)
kVA = property(_get_kVA, _set_kVA) # type: float
"""
Indicates the inverter nameplate capability (in kVA). Used as the base for Dynamics mode and Harmonics mode values.
DSS property name: `kVA`, DSS property index: 8.
"""
def _get_pctCutIn(self) -> float:
return self._lib.Obj_GetFloat64(self._ptr, 9)
def _set_pctCutIn(self, value: float, flags: enums.SetterFlags = 0):
self._lib.Obj_SetFloat64(self._ptr, 9, value, flags)
pctCutIn = property(_get_pctCutIn, _set_pctCutIn) # type: float
"""
Cut-in power as a percentage of inverter kVA rating. It is the minimum DC power necessary to turn the inverter ON when it is OFF. Must be greater than or equal to %CutOut. Defaults to 2 for PVSystems and 0 for Storage elements which means that the inverter state will be always ON for this element.
DSS property name: `%CutIn`, DSS property index: 9.
"""
def _get_pctCutOut(self) -> float:
return self._lib.Obj_GetFloat64(self._ptr, 10)
def _set_pctCutOut(self, value: float, flags: enums.SetterFlags = 0):
self._lib.Obj_SetFloat64(self._ptr, 10, value, flags)
pctCutOut = property(_get_pctCutOut, _set_pctCutOut) # type: float
"""
Cut-out power as a percentage of inverter kVA rating. It is the minimum DC power necessary to keep the inverter ON. Must be less than or equal to %CutIn. Defaults to 0, which means that, once ON, the inverter state will be always ON for this element.
DSS property name: `%CutOut`, DSS property index: 10.
"""
def _get_EffCurve_str(self) -> str:
return self._get_prop_string(11)
def _set_EffCurve_str(self, value: AnyStr, flags: enums.SetterFlags = 0):
self._set_string_o(11, value, flags)
EffCurve_str = property(_get_EffCurve_str, _set_EffCurve_str) # type: str
"""
An XYCurve object, previously defined, that describes the PER UNIT efficiency vs PER UNIT of rated kVA for the inverter. Power at the AC side of the inverter is discounted by the multiplier obtained from this curve.
DSS property name: `EffCurve`, DSS property index: 11.
"""
def _get_EffCurve(self) -> XYcurve:
return self._get_obj(11, XYcurve)
def _set_EffCurve(self, value: Union[AnyStr, XYcurve], flags: enums.SetterFlags = 0):
if isinstance(value, DSSObj) or value is None:
self._set_obj(11, value, flags)
return
self._set_string_o(11, value, flags)
EffCurve = property(_get_EffCurve, _set_EffCurve) # type: XYcurve
"""
An XYCurve object, previously defined, that describes the PER UNIT efficiency vs PER UNIT of rated kVA for the inverter. Power at the AC side of the inverter is discounted by the multiplier obtained from this curve.
DSS property name: `EffCurve`, DSS property index: 11.
"""
def _get_VarFollowInverter(self) -> bool:
return self._lib.Obj_GetInt32(self._ptr, 12) != 0
def _set_VarFollowInverter(self, value: bool, flags: enums.SetterFlags = 0):
self._lib.Obj_SetInt32(self._ptr, 12, value, flags)
VarFollowInverter = property(_get_VarFollowInverter, _set_VarFollowInverter) # type: bool
"""
Boolean variable (Yes|No) or (True|False). Defaults to False, which indicates that the reactive power generation/absorption does not respect the inverter status.When set to True, the reactive power generation/absorption will cease when the inverter status is off, due to DC kW dropping below %CutOut. The reactive power generation/absorption will begin again when the DC kW is above %CutIn. When set to False, the Storage will generate/absorb reactive power regardless of the status of the inverter.
DSS property name: `VarFollowInverter`, DSS property index: 12.
"""
def _get_kvarMax(self) -> float:
return self._lib.Obj_GetFloat64(self._ptr, 13)
def _set_kvarMax(self, value: float, flags: enums.SetterFlags = 0):
self._lib.Obj_SetFloat64(self._ptr, 13, value, flags)
kvarMax = property(_get_kvarMax, _set_kvarMax) # type: float
"""
Indicates the maximum reactive power GENERATION (un-signed numerical variable in kvar) for the inverter. Defaults to kVA rating of the inverter.
DSS property name: `kvarMax`, DSS property index: 13.
"""
def _get_kvarMaxAbs(self) -> float:
return self._lib.Obj_GetFloat64(self._ptr, 14)
def _set_kvarMaxAbs(self, value: float, flags: enums.SetterFlags = 0):
self._lib.Obj_SetFloat64(self._ptr, 14, value, flags)
kvarMaxAbs = property(_get_kvarMaxAbs, _set_kvarMaxAbs) # type: float
"""
Indicates the maximum reactive power ABSORPTION (un-signed numerical variable in kvar) for the inverter. Defaults to kvarMax.
DSS property name: `kvarMaxAbs`, DSS property index: 14.
"""
def _get_WattPriority(self) -> bool:
return self._lib.Obj_GetInt32(self._ptr, 15) != 0
def _set_WattPriority(self, value: bool, flags: enums.SetterFlags = 0):
self._lib.Obj_SetInt32(self._ptr, 15, value, flags)
WattPriority = property(_get_WattPriority, _set_WattPriority) # type: bool
"""
{Yes/No*/True/False} Set inverter to watt priority instead of the default var priority.
DSS property name: `WattPriority`, DSS property index: 15.
"""
def _get_PFPriority(self) -> bool:
return self._lib.Obj_GetInt32(self._ptr, 16) != 0
def _set_PFPriority(self, value: bool, flags: enums.SetterFlags = 0):
self._lib.Obj_SetInt32(self._ptr, 16, value, flags)
PFPriority = property(_get_PFPriority, _set_PFPriority) # type: bool
"""
If set to true, priority is given to power factor and WattPriority is neglected. It works only if operating in either constant PF or constant kvar modes. Defaults to False.
DSS property name: `PFPriority`, DSS property index: 16.
"""
def _get_pctPMinNoVars(self) -> float:
return self._lib.Obj_GetFloat64(self._ptr, 17)
def _set_pctPMinNoVars(self, value: float, flags: enums.SetterFlags = 0):
self._lib.Obj_SetFloat64(self._ptr, 17, value, flags)
pctPMinNoVars = property(_get_pctPMinNoVars, _set_pctPMinNoVars) # type: float
"""
Minimum active power as percentage of kWrated under which there is no vars production/absorption. Defaults to 0 (disabled).
DSS property name: `%PMinNoVars`, DSS property index: 17.
"""
def _get_pctPMinkvarMax(self) -> float:
return self._lib.Obj_GetFloat64(self._ptr, 18)
def _set_pctPMinkvarMax(self, value: float, flags: enums.SetterFlags = 0):
self._lib.Obj_SetFloat64(self._ptr, 18, value, flags)
pctPMinkvarMax = property(_get_pctPMinkvarMax, _set_pctPMinkvarMax) # type: float
"""
Minimum active power as percentage of kWrated that allows the inverter to produce/absorb reactive power up to its maximum reactive power, which can be either kvarMax or kvarMaxAbs, depending on the current operation quadrant. Defaults to 0 (disabled).
DSS property name: `%PMinkvarMax`, DSS property index: 18.
"""
def _get_kWRated(self) -> float:
return self._lib.Obj_GetFloat64(self._ptr, 19)
def _set_kWRated(self, value: float, flags: enums.SetterFlags = 0):
self._lib.Obj_SetFloat64(self._ptr, 19, value, flags)
kWRated = property(_get_kWRated, _set_kWRated) # type: float
"""
kW rating of power output. Base for Loadshapes when DispMode=Follow. Sets kVA property if it has not been specified yet. Defaults to 25.
DSS property name: `kWRated`, DSS property index: 19.
"""
def _get_pctkWRated(self) -> float:
return self._lib.Obj_GetFloat64(self._ptr, 20)
def _set_pctkWRated(self, value: float, flags: enums.SetterFlags = 0):
self._lib.Obj_SetFloat64(self._ptr, 20, value, flags)
pctkWRated = property(_get_pctkWRated, _set_pctkWRated) # type: float
"""
Upper limit on active power as a percentage of kWrated. Defaults to 100 (disabled).
DSS property name: `%kWRated`, DSS property index: 20.
"""
def _get_kWhRated(self) -> float:
return self._lib.Obj_GetFloat64(self._ptr, 21)
def _set_kWhRated(self, value: float, flags: enums.SetterFlags = 0):
self._lib.Obj_SetFloat64(self._ptr, 21, value, flags)
kWhRated = property(_get_kWhRated, _set_kWhRated) # type: float
"""
Rated Storage capacity in kWh. Default is 50.
DSS property name: `kWhRated`, DSS property index: 21.
"""
def _get_kWhStored(self) -> float:
return self._lib.Obj_GetFloat64(self._ptr, 22)
def _set_kWhStored(self, value: float, flags: enums.SetterFlags = 0):
self._lib.Obj_SetFloat64(self._ptr, 22, value, flags)
kWhStored = property(_get_kWhStored, _set_kWhStored) # type: float
"""
Present amount of energy stored, kWh. Default is same as kWhrated.
DSS property name: `kWhStored`, DSS property index: 22.
"""
def _get_pctStored(self) -> float:
return self._lib.Obj_GetFloat64(self._ptr, 23)
def _set_pctStored(self, value: float, flags: enums.SetterFlags = 0):
self._lib.Obj_SetFloat64(self._ptr, 23, value, flags)
pctStored = property(_get_pctStored, _set_pctStored) # type: float
"""
Present amount of energy stored, % of rated kWh. Default is 100.
DSS property name: `%Stored`, DSS property index: 23.
"""
def _get_pctReserve(self) -> float:
return self._lib.Obj_GetFloat64(self._ptr, 24)
def _set_pctReserve(self, value: float, flags: enums.SetterFlags = 0):
self._lib.Obj_SetFloat64(self._ptr, 24, value, flags)
pctReserve = property(_get_pctReserve, _set_pctReserve) # type: float
"""
Percentage of rated kWh Storage capacity to be held in reserve for normal operation. Default = 20.
This is treated as the minimum energy discharge level unless there is an emergency. For emergency operation set this property lower. Cannot be less than zero.
DSS property name: `%Reserve`, DSS property index: 24.
"""
def _get_State(self) -> enums.StorageState:
return enums.StorageState(self._lib.Obj_GetInt32(self._ptr, 25))
def _set_State(self, value: Union[AnyStr, int, enums.StorageState], flags: enums.SetterFlags = 0):
if not isinstance(value, int):
self._set_string_o(25, value, flags)
return
self._lib.Obj_SetInt32(self._ptr, 25, value, flags)
State = property(_get_State, _set_State) # type: enums.StorageState
"""
{IDLING | CHARGING | DISCHARGING} Get/Set present operational state. In DISCHARGING mode, the Storage element acts as a generator and the kW property is positive. The element continues discharging at the scheduled output power level until the Storage reaches the reserve value. Then the state reverts to IDLING. In the CHARGING state, the Storage element behaves like a Load and the kW property is negative. The element continues to charge until the max Storage kWh is reached and then switches to IDLING state. In IDLING state, the element draws the idling losses plus the associated inverter losses.
DSS property name: `State`, DSS property index: 25.
"""
def _get_State_str(self) -> str:
return self._get_prop_string(25)
def _set_State_str(self, value: AnyStr, flags: enums.SetterFlags = 0):
self._set_State(value, flags)
State_str = property(_get_State_str, _set_State_str) # type: str
"""
{IDLING | CHARGING | DISCHARGING} Get/Set present operational state. In DISCHARGING mode, the Storage element acts as a generator and the kW property is positive. The element continues discharging at the scheduled output power level until the Storage reaches the reserve value. Then the state reverts to IDLING. In the CHARGING state, the Storage element behaves like a Load and the kW property is negative. The element continues to charge until the max Storage kWh is reached and then switches to IDLING state. In IDLING state, the element draws the idling losses plus the associated inverter losses.
DSS property name: `State`, DSS property index: 25.
"""
def _get_pctDischarge(self) -> float:
return self._lib.Obj_GetFloat64(self._ptr, 26)
def _set_pctDischarge(self, value: float, flags: enums.SetterFlags = 0):
self._lib.Obj_SetFloat64(self._ptr, 26, value, flags)
pctDischarge = property(_get_pctDischarge, _set_pctDischarge) # type: float
"""
Discharge rate (output power) in percentage of rated kW. Default = 100.
DSS property name: `%Discharge`, DSS property index: 26.
"""
def _get_pctCharge(self) -> float:
return self._lib.Obj_GetFloat64(self._ptr, 27)
def _set_pctCharge(self, value: float, flags: enums.SetterFlags = 0):
self._lib.Obj_SetFloat64(self._ptr, 27, value, flags)
pctCharge = property(_get_pctCharge, _set_pctCharge) # type: float
"""
Charging rate (input power) in percentage of rated kW. Default = 100.
DSS property name: `%Charge`, DSS property index: 27.
"""
def _get_pctEffCharge(self) -> float:
return self._lib.Obj_GetFloat64(self._ptr, 28)
def _set_pctEffCharge(self, value: float, flags: enums.SetterFlags = 0):
self._lib.Obj_SetFloat64(self._ptr, 28, value, flags)
pctEffCharge = property(_get_pctEffCharge, _set_pctEffCharge) # type: float
"""
Percentage efficiency for CHARGING the Storage element. Default = 90.
DSS property name: `%EffCharge`, DSS property index: 28.
"""
def _get_pctEffDischarge(self) -> float:
return self._lib.Obj_GetFloat64(self._ptr, 29)
def _set_pctEffDischarge(self, value: float, flags: enums.SetterFlags = 0):
self._lib.Obj_SetFloat64(self._ptr, 29, value, flags)
pctEffDischarge = property(_get_pctEffDischarge, _set_pctEffDischarge) # type: float
"""
Percentage efficiency for DISCHARGING the Storage element. Default = 90.
DSS property name: `%EffDischarge`, DSS property index: 29.
"""
def _get_pctIdlingkW(self) -> float:
return self._lib.Obj_GetFloat64(self._ptr, 30)
def _set_pctIdlingkW(self, value: float, flags: enums.SetterFlags = 0):
self._lib.Obj_SetFloat64(self._ptr, 30, value, flags)
pctIdlingkW = property(_get_pctIdlingkW, _set_pctIdlingkW) # type: float
"""
Percentage of rated kW consumed by idling losses. Default = 1.
DSS property name: `%IdlingkW`, DSS property index: 30.
"""
def _get_pctR(self) -> float:
return self._lib.Obj_GetFloat64(self._ptr, 32)
def _set_pctR(self, value: float, flags: enums.SetterFlags = 0):
self._lib.Obj_SetFloat64(self._ptr, 32, value, flags)
pctR = property(_get_pctR, _set_pctR) # type: float
"""
Equivalent percentage internal resistance, ohms. Default is 0. Placed in series with internal voltage source for harmonics and dynamics modes. Use a combination of %IdlingkW, %EffCharge and %EffDischarge to account for losses in power flow modes.
DSS property name: `%R`, DSS property index: 32.
"""
def _get_pctX(self) -> float:
return self._lib.Obj_GetFloat64(self._ptr, 33)
def _set_pctX(self, value: float, flags: enums.SetterFlags = 0):
self._lib.Obj_SetFloat64(self._ptr, 33, value, flags)
pctX = property(_get_pctX, _set_pctX) # type: float
"""
Equivalent percentage internal reactance, ohms. Default is 50%. Placed in series with internal voltage source for harmonics and dynamics modes. (Limits fault current to 2 pu.
DSS property name: `%X`, DSS property index: 33.
"""
def _get_Model(self) -> int:
return self._lib.Obj_GetInt32(self._ptr, 34)
def _set_Model(self, value: int, flags: enums.SetterFlags = 0):
self._lib.Obj_SetInt32(self._ptr, 34, value, flags)
Model = property(_get_Model, _set_Model) # type: int
"""
Integer code (default=1) for the model to be used for power output variation with voltage. Valid values are:
1:Storage element injects/absorbs a CONSTANT power.
2:Storage element is modeled as a CONSTANT IMPEDANCE.
3:Compute load injection from User-written Model.
DSS property name: `Model`, DSS property index: 34.
"""
def _get_VMinpu(self) -> float:
return self._lib.Obj_GetFloat64(self._ptr, 35)
def _set_VMinpu(self, value: float, flags: enums.SetterFlags = 0):
self._lib.Obj_SetFloat64(self._ptr, 35, value, flags)
VMinpu = property(_get_VMinpu, _set_VMinpu) # type: float
"""
Default = 0.90. Minimum per unit voltage for which the Model is assumed to apply. Below this value, the load model reverts to a constant impedance model.
DSS property name: `VMinpu`, DSS property index: 35.
"""
def _get_VMaxpu(self) -> float:
return self._lib.Obj_GetFloat64(self._ptr, 36)
def _set_VMaxpu(self, value: float, flags: enums.SetterFlags = 0):
self._lib.Obj_SetFloat64(self._ptr, 36, value, flags)
VMaxpu = property(_get_VMaxpu, _set_VMaxpu) # type: float
"""
Default = 1.10. Maximum per unit voltage for which the Model is assumed to apply. Above this value, the load model reverts to a constant impedance model.
DSS property name: `VMaxpu`, DSS property index: 36.
"""
def _get_Balanced(self) -> bool:
return self._lib.Obj_GetInt32(self._ptr, 37) != 0
def _set_Balanced(self, value: bool, flags: enums.SetterFlags = 0):
self._lib.Obj_SetInt32(self._ptr, 37, value, flags)
Balanced = property(_get_Balanced, _set_Balanced) # type: bool
"""
{Yes | No*} Default is No. Force balanced current only for 3-phase Storage. Forces zero- and negative-sequence to zero.
DSS property name: `Balanced`, DSS property index: 37.
"""
def _get_LimitCurrent(self) -> bool:
return self._lib.Obj_GetInt32(self._ptr, 38) != 0
def _set_LimitCurrent(self, value: bool, flags: enums.SetterFlags = 0):
self._lib.Obj_SetInt32(self._ptr, 38, value, flags)
LimitCurrent = property(_get_LimitCurrent, _set_LimitCurrent) # type: bool
"""
Limits current magnitude to Vminpu value for both 1-phase and 3-phase Storage similar to Generator Model 7. For 3-phase, limits the positive-sequence current but not the negative-sequence.
DSS property name: `LimitCurrent`, DSS property index: 38.
"""
def _get_Yearly_str(self) -> str:
return self._get_prop_string(39)
def _set_Yearly_str(self, value: AnyStr, flags: enums.SetterFlags = 0):
self._set_string_o(39, value, flags)
Yearly_str = property(_get_Yearly_str, _set_Yearly_str) # type: str
"""
Dispatch shape to use for yearly simulations. Must be previously defined as a Loadshape object. If this is not specified, the Daily dispatch shape, if any, is repeated during Yearly solution modes. In the default dispatch mode, the Storage element uses this loadshape to trigger State changes.
DSS property name: `Yearly`, DSS property index: 39.
"""
def _get_Yearly(self) -> LoadShape:
return self._get_obj(39, LoadShape)
def _set_Yearly(self, value: Union[AnyStr, LoadShape], flags: enums.SetterFlags = 0):
if isinstance(value, DSSObj) or value is None:
self._set_obj(39, value, flags)
return
self._set_string_o(39, value, flags)
Yearly = property(_get_Yearly, _set_Yearly) # type: LoadShape
"""
Dispatch shape to use for yearly simulations. Must be previously defined as a Loadshape object. If this is not specified, the Daily dispatch shape, if any, is repeated during Yearly solution modes. In the default dispatch mode, the Storage element uses this loadshape to trigger State changes.
DSS property name: `Yearly`, DSS property index: 39.
"""
def _get_Daily_str(self) -> str:
return self._get_prop_string(40)
def _set_Daily_str(self, value: AnyStr, flags: enums.SetterFlags = 0):
self._set_string_o(40, value, flags)
Daily_str = property(_get_Daily_str, _set_Daily_str) # type: str
"""
Dispatch shape to use for daily simulations. Must be previously defined as a Loadshape object of 24 hrs, typically. In the default dispatch mode, the Storage element uses this loadshape to trigger State changes.
DSS property name: `Daily`, DSS property index: 40.
"""
def _get_Daily(self) -> LoadShape:
return self._get_obj(40, LoadShape)
def _set_Daily(self, value: Union[AnyStr, LoadShape], flags: enums.SetterFlags = 0):
if isinstance(value, DSSObj) or value is None:
self._set_obj(40, value, flags)
return
self._set_string_o(40, value, flags)
Daily = property(_get_Daily, _set_Daily) # type: LoadShape
"""
Dispatch shape to use for daily simulations. Must be previously defined as a Loadshape object of 24 hrs, typically. In the default dispatch mode, the Storage element uses this loadshape to trigger State changes.
DSS property name: `Daily`, DSS property index: 40.
"""
def _get_Duty_str(self) -> str:
return self._get_prop_string(41)
def _set_Duty_str(self, value: AnyStr, flags: enums.SetterFlags = 0):
self._set_string_o(41, value, flags)
Duty_str = property(_get_Duty_str, _set_Duty_str) # type: str
"""
Load shape to use for duty cycle dispatch simulations such as for solar ramp rate studies. Must be previously defined as a Loadshape object.
Typically would have time intervals of 1-5 seconds.
Designate the number of points to solve using the Set Number=xxxx command. If there are fewer points in the actual shape, the shape is assumed to repeat.
DSS property name: `Duty`, DSS property index: 41.
"""
def _get_Duty(self) -> LoadShape:
return self._get_obj(41, LoadShape)
def _set_Duty(self, value: Union[AnyStr, LoadShape], flags: enums.SetterFlags = 0):
if isinstance(value, DSSObj) or value is None:
self._set_obj(41, value, flags)
return
self._set_string_o(41, value, flags)
Duty = property(_get_Duty, _set_Duty) # type: LoadShape
"""
Load shape to use for duty cycle dispatch simulations such as for solar ramp rate studies. Must be previously defined as a Loadshape object.
Typically would have time intervals of 1-5 seconds.
Designate the number of points to solve using the Set Number=xxxx command. If there are fewer points in the actual shape, the shape is assumed to repeat.
DSS property name: `Duty`, DSS property index: 41.
"""
def _get_DispMode(self) -> enums.StorageDispatchMode:
return enums.StorageDispatchMode(self._lib.Obj_GetInt32(self._ptr, 42))
def _set_DispMode(self, value: Union[AnyStr, int, enums.StorageDispatchMode], flags: enums.SetterFlags = 0):
if not isinstance(value, int):
self._set_string_o(42, value, flags)
return
self._lib.Obj_SetInt32(self._ptr, 42, value, flags)
DispMode = property(_get_DispMode, _set_DispMode) # type: enums.StorageDispatchMode
"""
{DEFAULT | FOLLOW | EXTERNAL | LOADLEVEL | PRICE } Default = "DEFAULT". Dispatch mode.
In DEFAULT mode, Storage element state is triggered to discharge or charge at the specified rate by the loadshape curve corresponding to the solution mode.
In FOLLOW mode the kW output of the Storage element follows the active loadshape multiplier until Storage is either exhausted or full. The element discharges for positive values and charges for negative values. The loadshape is based on rated kW.
In EXTERNAL mode, Storage element state is controlled by an external Storagecontroller. This mode is automatically set if this Storage element is included in the element list of a StorageController element.
For the other two dispatch modes, the Storage element state is controlled by either the global default Loadlevel value or the price level.
DSS property name: `DispMode`, DSS property index: 42.
"""
def _get_DispMode_str(self) -> str:
return self._get_prop_string(42)
def _set_DispMode_str(self, value: AnyStr, flags: enums.SetterFlags = 0):
self._set_DispMode(value, flags)
DispMode_str = property(_get_DispMode_str, _set_DispMode_str) # type: str
"""
{DEFAULT | FOLLOW | EXTERNAL | LOADLEVEL | PRICE } Default = "DEFAULT". Dispatch mode.
In DEFAULT mode, Storage element state is triggered to discharge or charge at the specified rate by the loadshape curve corresponding to the solution mode.
In FOLLOW mode the kW output of the Storage element follows the active loadshape multiplier until Storage is either exhausted or full. The element discharges for positive values and charges for negative values. The loadshape is based on rated kW.
In EXTERNAL mode, Storage element state is controlled by an external Storagecontroller. This mode is automatically set if this Storage element is included in the element list of a StorageController element.
For the other two dispatch modes, the Storage element state is controlled by either the global default Loadlevel value or the price level.
DSS property name: `DispMode`, DSS property index: 42.
"""
def _get_DischargeTrigger(self) -> float:
return self._lib.Obj_GetFloat64(self._ptr, 43)
def _set_DischargeTrigger(self, value: float, flags: enums.SetterFlags = 0):
self._lib.Obj_SetFloat64(self._ptr, 43, value, flags)
DischargeTrigger = property(_get_DischargeTrigger, _set_DischargeTrigger) # type: float
"""
Dispatch trigger value for discharging the Storage.
If = 0.0 the Storage element state is changed by the State command or by a StorageController object.
If <> 0 the Storage element state is set to DISCHARGING when this trigger level is EXCEEDED by either the specified Loadshape curve value or the price signal or global Loadlevel value, depending on dispatch mode. See State property.
DSS property name: `DischargeTrigger`, DSS property index: 43.
"""
def _get_ChargeTrigger(self) -> float:
return self._lib.Obj_GetFloat64(self._ptr, 44)
def _set_ChargeTrigger(self, value: float, flags: enums.SetterFlags = 0):
self._lib.Obj_SetFloat64(self._ptr, 44, value, flags)
ChargeTrigger = property(_get_ChargeTrigger, _set_ChargeTrigger) # type: float
"""
Dispatch trigger value for charging the Storage.
If = 0.0 the Storage element state is changed by the State command or StorageController object.
If <> 0 the Storage element state is set to CHARGING when this trigger level is GREATER than either the specified Loadshape curve value or the price signal or global Loadlevel value, depending on dispatch mode. See State property.
DSS property name: `ChargeTrigger`, DSS property index: 44.
"""
def _get_TimeChargeTrig(self) -> float:
return self._lib.Obj_GetFloat64(self._ptr, 45)
def _set_TimeChargeTrig(self, value: float, flags: enums.SetterFlags = 0):
self._lib.Obj_SetFloat64(self._ptr, 45, value, flags)
TimeChargeTrig = property(_get_TimeChargeTrig, _set_TimeChargeTrig) # type: float
"""
Time of day in fractional hours (0230 = 2.5) at which Storage element will automatically go into charge state. Default is 2.0. Enter a negative time value to disable this feature.
DSS property name: `TimeChargeTrig`, DSS property index: 45.
"""
def _get_Class(self) -> int:
return self._lib.Obj_GetInt32(self._ptr, 46)
def _set_Class(self, value: int, flags: enums.SetterFlags = 0):
self._lib.Obj_SetInt32(self._ptr, 46, value, flags)
Class = property(_get_Class, _set_Class) # type: int
"""
An arbitrary integer number representing the class of Storage element so that Storage values may be segregated by class.
DSS property name: `Class`, DSS property index: 46.
"""
def _get_DynaDLL(self) -> str:
return self._get_prop_string(47)
def _set_DynaDLL(self, value: AnyStr, flags: enums.SetterFlags = 0):
self._set_string_o(47, value, flags)
DynaDLL = property(_get_DynaDLL, _set_DynaDLL) # type: str
"""
Name of DLL containing user-written dynamics model, which computes the terminal currents for Dynamics-mode simulations, overriding the default model. Set to "none" to negate previous setting. This DLL has a simpler interface than the UserModel DLL and is only used for Dynamics mode.
DSS property name: `DynaDLL`, DSS property index: 47.
"""
def _get_DynaData(self) -> str:
return self._get_prop_string(48)
def _set_DynaData(self, value: AnyStr, flags: enums.SetterFlags = 0):
self._set_string_o(48, value, flags)
DynaData = property(_get_DynaData, _set_DynaData) # type: str
"""
String (in quotes or parentheses if necessary) that gets passed to the user-written dynamics model Edit function for defining the data required for that model.
DSS property name: `DynaData`, DSS property index: 48.
"""
def _get_UserModel(self) -> str:
return self._get_prop_string(49)
def _set_UserModel(self, value: AnyStr, flags: enums.SetterFlags = 0):
self._set_string_o(49, value, flags)
UserModel = property(_get_UserModel, _set_UserModel) # type: str
"""
Name of DLL containing user-written model, which computes the terminal currents for both power flow and dynamics, overriding the default model. Set to "none" to negate previous setting.
DSS property name: `UserModel`, DSS property index: 49.
"""
def _get_UserData(self) -> str:
return self._get_prop_string(50)
def _set_UserData(self, value: AnyStr, flags: enums.SetterFlags = 0):
self._set_string_o(50, value, flags)
UserData = property(_get_UserData, _set_UserData) # type: str
"""
String (in quotes or parentheses) that gets passed to user-written model for defining the data required for that model.
DSS property name: `UserData`, DSS property index: 50.
"""
def _get_DebugTrace(self) -> bool:
return self._lib.Obj_GetInt32(self._ptr, 51) != 0
def _set_DebugTrace(self, value: bool, flags: enums.SetterFlags = 0):
self._lib.Obj_SetInt32(self._ptr, 51, value, flags)
DebugTrace = property(_get_DebugTrace, _set_DebugTrace) # type: bool
"""
{Yes | No } Default is no. Turn this on to capture the progress of the Storage model for each iteration. Creates a separate file for each Storage element named "Storage_name.csv".
DSS property name: `DebugTrace`, DSS property index: 51.
"""
def _get_kVDC(self) -> float:
return self._lib.Obj_GetFloat64(self._ptr, 52)
def _set_kVDC(self, value: float, flags: enums.SetterFlags = 0):
self._lib.Obj_SetFloat64(self._ptr, 52, value, flags)
kVDC = property(_get_kVDC, _set_kVDC) # type: float