-
Notifications
You must be signed in to change notification settings - Fork 32
/
Copy pathcore.lua
1075 lines (926 loc) · 36.8 KB
/
core.lua
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
-- Ignore some luacheck warnings about global vars, just use a ton of them in WoW Lua
-- luacheck: no global
-- luacheck: no self
local _, Simulationcraft = ...
Simulationcraft = LibStub("AceAddon-3.0"):NewAddon(Simulationcraft, "Simulationcraft", "AceConsole-3.0", "AceEvent-3.0")
LibRealmInfo = LibStub("LibRealmInfo")
-- Set up DataBroker for minimap button
SimcLDB = LibStub("LibDataBroker-1.1"):NewDataObject("SimulationCraft", {
type = "data source",
text = "SimulationCraft",
label = "SimulationCraft",
icon = "Interface\\AddOns\\SimulationCraft\\logo",
OnClick = function()
if SimcFrame and SimcFrame:IsShown() then
SimcFrame:Hide()
else
Simulationcraft:PrintSimcProfile(false, false, false)
end
end,
OnTooltipShow = function(tt)
tt:AddLine("SimulationCraft")
tt:AddLine(" ")
tt:AddLine("Click to show SimC input")
tt:AddLine("To toggle minimap button, type '/simc minimap'")
end
})
LibDBIcon = LibStub("LibDBIcon-1.0")
local SimcFrame = nil
local OFFSET_ITEM_ID = 1
local OFFSET_ENCHANT_ID = 2
local OFFSET_GEM_ID_1 = 3
-- local OFFSET_GEM_ID_2 = 4
-- local OFFSET_GEM_ID_3 = 5
local OFFSET_GEM_ID_4 = 6
local OFFSET_GEM_BASE = OFFSET_GEM_ID_1
local OFFSET_SUFFIX_ID = 7
-- local OFFSET_FLAGS = 11
-- local OFFSET_CONTEXT = 12
local OFFSET_BONUS_ID = 13
local OFFSET_GEM_BONUS_FROM_MODS = 2
local ITEM_MOD_TYPE_DROP_LEVEL = 9
-- 28 shows frequently but is currently unknown
local ITEM_MOD_TYPE_CRAFT_STATS_1 = 29
local ITEM_MOD_TYPE_CRAFT_STATS_2 = 30
local SUPPORTED_LOADOUT_SERIALIZATION_VERSION = 2
local WeeklyRewards = _G.C_WeeklyRewards
-- New talents for Dragonflight
local ClassTalents = _G.C_ClassTalents
local Traits = _G.C_Traits
-- GetAddOnMetadata was global until 10.1. It's now in C_AddOns. This line will use C_AddOns if available and work in either WoW build
local GetAddOnMetadata = C_AddOns and C_AddOns.GetAddOnMetadata or GetAddOnMetadata
-- Some global item functions have been moved into C_Item in 11.0
local GetDetailedItemLevelInfo = C_Item and C_Item.GetDetailedItemLevelInfo or GetDetailedItemLevelInfo
local GetItemInfoInstant = C_Item and C_Item.GetItemInfoInstant or GetItemInfoInstant
local GetItemCount = C_Item and C_Item.GetItemCount or GetItemCount
-- Talent string export
local bitWidthHeaderVersion = 8
local bitWidthSpecID = 16
local bitWidthRanksPurchased = 6
-- load stuff from extras.lua
-- local upgradeTable = Simulationcraft.upgradeTable
local slotNames = Simulationcraft.slotNames
local simcSlotNames = Simulationcraft.simcSlotNames
local specNames = Simulationcraft.SpecNames
local profNames = Simulationcraft.ProfNames
local regionString = Simulationcraft.RegionString
local zandalariLoaBuffs = Simulationcraft.zandalariLoaBuffs
-- Most of the guts of this addon were based on a variety of other ones, including
-- Statslog, AskMrRobot, and BonusScanner. And a bunch of hacking around with AceGUI.
-- Many thanks to the authors of those addons, and to reia for fixing my awful amateur
-- coding mistakes regarding objects and namespaces.
function Simulationcraft:OnInitialize()
-- init databroker
self.db = LibStub("AceDB-3.0"):New("SimulationCraftDB", {
profile = {
minimap = {
hide = false,
},
frame = {
point = "CENTER",
relativeFrame = nil,
relativePoint = "CENTER",
ofsx = 0,
ofsy = 0,
width = 750,
height = 400,
},
},
});
LibDBIcon:Register("SimulationCraft", SimcLDB, self.db.profile.minimap)
Simulationcraft:UpdateMinimapButton()
Simulationcraft:RegisterChatCommand('simc', 'HandleChatCommand')
AddonCompartmentFrame:RegisterAddon({
text = "SimulationCraft",
icon = "Interface\\AddOns\\SimulationCraft\\logo",
notCheckable = true,
func = function()
Simulationcraft:PrintSimcProfile(false, false, false)
end,
})
end
function Simulationcraft:OnEnable()
end
function Simulationcraft:OnDisable()
end
function Simulationcraft:UpdateMinimapButton()
if (self.db.profile.minimap.hide) then
LibDBIcon:Hide("SimulationCraft")
else
LibDBIcon:Show("SimulationCraft")
end
end
local function getLinks(input)
local separatedLinks = {}
for link in input:gmatch("|c.-|h|r") do
separatedLinks[#separatedLinks + 1] = link
end
return separatedLinks
end
function Simulationcraft:HandleChatCommand(input)
local args = {strsplit(' ', input)}
local debugOutput = false
local noBags = false
local showMerchant = false
local links = getLinks(input)
for _, arg in ipairs(args) do
if arg == 'debug' then
debugOutput = true
elseif arg == 'nobag' or arg == 'nobags' or arg == 'nb' then
noBags = true
elseif arg == 'merchant' then
showMerchant = true
elseif arg == 'minimap' then
self.db.profile.minimap.hide = not self.db.profile.minimap.hide
DEFAULT_CHAT_FRAME:AddMessage(
"SimulationCraft: Minimap button is now " .. (self.db.profile.minimap.hide and "hidden" or "shown")
)
Simulationcraft:UpdateMinimapButton()
return
end
end
self:PrintSimcProfile(debugOutput, noBags, showMerchant, links)
end
local function GetItemSplit(itemLink)
local itemString = string.match(itemLink, "item:([%-?%d:]+)")
local itemSplit = {}
-- Split data into a table
for _, v in ipairs({strsplit(":", itemString)}) do
if v == "" then
itemSplit[#itemSplit + 1] = 0
else
itemSplit[#itemSplit + 1] = tonumber(v)
end
end
return itemSplit
end
local function GetItemName(itemLink)
local name = string.match(itemLink, '|h%[(.*)%]|')
local removeIcons = gsub(name, '|%a.+|%a', '')
local trimmed = string.match(removeIcons, '^%s*(.*)%s*$')
-- check for empty string or only spaces
if string.match(trimmed, '^%s*$') then
return nil
end
return trimmed
end
-- char size for utf8 strings
local function ChrSize(char)
if not char then
return 0
elseif char > 240 then
return 4
elseif char > 225 then
return 3
elseif char > 192 then
return 2
else
return 1
end
end
-- SimC tokenize function
local function Tokenize(str)
str = str or ""
-- convert to lowercase and remove spaces
str = string.lower(str)
str = string.gsub(str, ' ', '_')
-- keep stuff we want, dumpster everything else
local s = ""
for i=1,str:len() do
local b = str:byte(i)
-- keep digits 0-9
if b >= 48 and b <= 57 then
s = s .. str:sub(i,i)
-- keep lowercase letters
elseif b >= 97 and b <= 122 then
s = s .. str:sub(i,i)
-- keep %, +, ., _
elseif b == 37 or b == 43 or b == 46 or b == 95 then
s = s .. str:sub(i,i)
-- save all multibyte chars
elseif ChrSize(b) > 1 then
local offset = ChrSize(b) - 1
s = s .. str:sub(i, i + offset)
i = i + offset -- luacheck: no unused
end
end
-- strip trailing spaces
if string.sub(s, s:len())=='_' then
s = string.sub(s, 0, s:len()-1)
end
return s
end
-- method to add spaces to UnitRace names for proper tokenization
local function FormatRace(str)
str = str or ""
local matches = {}
for match, _ in string.gmatch(str, '([%u][%l]*)') do
matches[#matches+1] = match
end
return string.join(' ', unpack(matches))
end
-- method for constructing the talent string
local function CreateSimcTalentString()
local talentInfo = {}
local maxTiers = 7
local maxColumns = 3
for tier = 1, maxTiers do
for column = 1, maxColumns do
local _, _, _, selected, _ = GetTalentInfo(tier, column, GetActiveSpecGroup())
if selected then
talentInfo[tier] = column
end
end
end
local str = 'talents='
for i = 1, maxTiers do
if talentInfo[i] then
str = str .. talentInfo[i]
else
str = str .. '0'
end
end
return str
end
-- class_talents= builder for dragonflight
-- Older function, leave around for reference
-- local function GetTalentString(configId)
-- local entryStrings = {}
--
-- local active = false
-- if configId == ClassTalents.GetActiveConfigID() then
-- active = true
-- end
--
-- local configInfo = Traits.GetConfigInfo(configId)
-- for _, treeId in pairs(configInfo.treeIDs) do
-- local nodes = Traits.GetTreeNodes(treeId)
-- for _, nodeId in pairs(nodes) do
-- local node = Traits.GetNodeInfo(configId, nodeId)
-- if node.ranksPurchased > 0 then
-- entryStrings[#entryStrings + 1] = node.activeEntry.entryID .. ":" .. node.activeEntry.rank
-- end
-- end
-- end
--
-- local str = "class_talents=" .. table.concat(entryStrings, '/')
-- if not active then
-- -- comment out the class_talents and then prepend a comment with the loadout name
-- str = '# ' .. str
-- str = '# Saved Loadout: ' .. configInfo.name .. '\n' .. str
-- end
--
-- return str
-- end
-- based on ClassTalentImportExportMixin:WriteLoadoutHeader
local function WriteLoadoutHeader(exportStream, serializationVersion, specID, treeHash)
exportStream:AddValue(bitWidthHeaderVersion, serializationVersion)
exportStream:AddValue(bitWidthSpecID, specID)
for _, hashVal in ipairs(treeHash) do
exportStream:AddValue(8, hashVal)
end
end
-- based on ClassTalentImportExportMixin:GetActiveEntryIndex(treeNode)
local function GetActiveEntryIndex(treeNode)
for i, entryID in ipairs(treeNode.entryIDs) do
if(treeNode.activeEntry and entryID == treeNode.activeEntry.entryID) then
return i;
end
end
return 0;
end
-- based on ClassTalentImportExportMixin:WriteLoadoutContent
local function WriteLoadoutContent(exportStream, configID, treeID)
local treeNodes = C_Traits.GetTreeNodes(treeID)
for _, treeNodeID in ipairs(treeNodes) do
local treeNode = C_Traits.GetNodeInfo(configID, treeNodeID);
local isNodeGranted = treeNode.activeRank - treeNode.ranksPurchased > 0;
local isNodePurchased = treeNode.ranksPurchased > 0;
local isNodeSelected = isNodeGranted or isNodePurchased;
local isPartiallyRanked = treeNode.ranksPurchased ~= treeNode.maxRanks;
local isChoiceNode = treeNode.type == Enum.TraitNodeType.Selection
or treeNode.type == Enum.TraitNodeType.SubTreeSelection;
exportStream:AddValue(1, isNodeSelected and 1 or 0);
if(isNodeSelected) then
exportStream:AddValue(1, isNodePurchased and 1 or 0);
if isNodePurchased then
exportStream:AddValue(1, isPartiallyRanked and 1 or 0);
if(isPartiallyRanked) then
exportStream:AddValue(bitWidthRanksPurchased, treeNode.ranksPurchased);
end
exportStream:AddValue(1, isChoiceNode and 1 or 0);
if(isChoiceNode) then
local entryIndex = GetActiveEntryIndex(treeNode);
if(entryIndex <= 0 or entryIndex > 4) then
local configInfo = Traits.GetConfigInfo(configID)
local errorMsg = "Talent loadout '" .. configInfo.name .. "' is corrupt/incomplete. Find that talent"
.. " loadout in your talents UI and delete or update it. It may be on a different spec."
print(errorMsg);
error(errorMsg);
end
-- store entry index as zero-index
exportStream:AddValue(2, entryIndex - 1);
end
end
end
end
end
-- based on ClassTalentImportExportMixin:GetLoadoutExportString
local function GetExportString(configID)
local active = false
if configID == ClassTalents.GetActiveConfigID() then
active = true
end
local exportStream = ExportUtil.MakeExportDataStream();
local configInfo = Traits.GetConfigInfo(configID);
local currentSpecID = PlayerUtil.GetCurrentSpecID();
local treeID = configInfo.treeIDs[1];
local treeHash = C_Traits.GetTreeHash(treeID);
local serializationVersion = C_Traits.GetLoadoutSerializationVersion();
WriteLoadoutHeader(exportStream, serializationVersion, currentSpecID, treeHash )
WriteLoadoutContent(exportStream, configID, treeID)
local str = "talents=" .. exportStream:GetExportString()
if not active then
-- comment out the talents and then prepend a comment with the loadout name
str = '# ' .. str
-- Make sure any pipe characters get unescaped, otherwise breaks checksums
str = '# Saved Loadout: ' .. configInfo.name:gsub("||", "|") .. '\n' .. str
end
return str
end
-- function that translates between the game's role values and ours
local function TranslateRole(spec_id, str)
local spec_role = Simulationcraft.RoleTable[spec_id]
if spec_role ~= nil then
return spec_role
end
if str == 'TANK' then
return 'tank'
elseif str == 'DAMAGER' then
return 'attack'
elseif str == 'HEALER' then
return 'attack'
else
return ''
end
end
-- =================== Item Information =========================
local function GetItemStringFromItemLink(slotNum, itemLink, debugOutput)
local itemSplit = GetItemSplit(itemLink)
local simcItemOptions = {}
local gems = {}
local gemBonuses = {}
-- Item id
local itemId = itemSplit[OFFSET_ITEM_ID]
simcItemOptions[#simcItemOptions + 1] = ',id=' .. itemId
-- Enchant
if itemSplit[OFFSET_ENCHANT_ID] > 0 then
simcItemOptions[#simcItemOptions + 1] = 'enchant_id=' .. itemSplit[OFFSET_ENCHANT_ID]
end
-- Gems
for gemOffset = OFFSET_GEM_ID_1, OFFSET_GEM_ID_4 do
local gemIndex = (gemOffset - OFFSET_GEM_BASE) + 1
gems[gemIndex] = 0
gemBonuses[gemIndex] = 0
if itemSplit[gemOffset] > 0 then
local gemId = itemSplit[gemOffset]
if gemId > 0 then
gems[gemIndex] = gemId
end
end
end
-- Remove any trailing zeros from the gems array
while #gems > 0 and gems[#gems] == 0 do
table.remove(gems, #gems)
end
if #gems > 0 then
simcItemOptions[#simcItemOptions + 1] = 'gem_id=' .. table.concat(gems, '/')
end
-- New style item suffix, old suffix style not supported
if itemSplit[OFFSET_SUFFIX_ID] ~= 0 then
simcItemOptions[#simcItemOptions + 1] = 'suffix=' .. itemSplit[OFFSET_SUFFIX_ID]
end
local bonuses = {}
for index=1, itemSplit[OFFSET_BONUS_ID] do
bonuses[#bonuses + 1] = itemSplit[OFFSET_BONUS_ID + index]
end
if #bonuses > 0 then
simcItemOptions[#simcItemOptions + 1] = 'bonus_id=' .. table.concat(bonuses, '/')
end
-- Shadowlands looks like it changed the item string
-- There's now a variable list of additional data after bonus IDs, looks like some kind of type/value pairs
local linkOffset = OFFSET_BONUS_ID + #bonuses + 1
local craftedStats = {}
local numPairs = itemSplit[linkOffset]
for index=1, numPairs do
local pairOffset = 1 + linkOffset + (2 * (index - 1))
local pairType = itemSplit[pairOffset]
local pairValue = itemSplit[pairOffset + 1]
if pairType == ITEM_MOD_TYPE_DROP_LEVEL then
simcItemOptions[#simcItemOptions + 1] = 'drop_level=' .. pairValue
elseif pairType == ITEM_MOD_TYPE_CRAFT_STATS_1 or pairType == ITEM_MOD_TYPE_CRAFT_STATS_2 then
craftedStats[#craftedStats + 1] = pairValue
end
end
if #craftedStats > 0 then
simcItemOptions[#simcItemOptions + 1] = 'crafted_stats=' .. table.concat(craftedStats, '/')
end
-- gem bonuses
local gemBonusOffset = linkOffset + (2 * numPairs) + OFFSET_GEM_BONUS_FROM_MODS
local numGemBonuses = itemSplit[gemBonusOffset]
local gemBonuses = {}
for index=1, numGemBonuses do
local offset = gemBonusOffset + index
gemBonuses[index] = itemSplit[offset]
end
if #gemBonuses > 0 then
simcItemOptions[#simcItemOptions + 1] = 'gem_bonus_id=' .. table.concat(gemBonuses, '/')
end
local craftingQuality = C_TradeSkillUI.GetItemCraftedQualityByItemInfo(itemLink);
if craftingQuality then
simcItemOptions[#simcItemOptions + 1] = 'crafting_quality=' .. craftingQuality
end
local itemStr = ''
itemStr = itemStr .. (simcSlotNames[slotNum] or 'unknown') .. "=" .. table.concat(simcItemOptions, ',')
if debugOutput then
itemStr = itemStr .. '\n# ' .. gsub(itemLink, "\124", "\124\124") .. '\n'
end
return itemStr
end
function Simulationcraft:GetItemStrings(debugOutput)
local items = {}
for slotNum=1, #slotNames do
local slotId = GetInventorySlotInfo(slotNames[slotNum])
local itemLink = GetInventoryItemLink('player', slotId)
-- if we don't have an item link, we don't care
if itemLink then
-- In theory, this should always be loaded/cached
local name = GetItemName(itemLink)
-- get correct level for scaling gear
local level, _, _ = GetDetailedItemLevelInfo(itemLink)
local itemComment
if name and level then
itemComment = name .. ' (' .. level .. ')'
end
items[slotNum] = {
string = GetItemStringFromItemLink(slotNum, itemLink, debugOutput),
name = itemComment
}
end
end
return items
end
-- Iterate through all container slots looking for gear that can be equipped.
-- Item name and item level may not be available if other addons are causing lookups to be throttled but
-- item links and IDs should always be available
function Simulationcraft:GetBagItemStrings(debugOutput)
local bagItems = {}
-- https://wowpedia.fandom.com/wiki/BagID
-- Bag indexes are a pain, need to start in the negatives to check everything (like the default bank container)
for bag=BACKPACK_CONTAINER - ITEM_INVENTORY_BANK_BAG_OFFSET, NUM_TOTAL_EQUIPPED_BAG_SLOTS + NUM_BANKBAGSLOTS do
for slot=1, C_Container.GetContainerNumSlots(bag) do
local itemId = C_Container.GetContainerItemID(bag, slot)
-- something is in the bag slot
if itemId then
local _, _, _, itemEquipLoc = GetItemInfoInstant(itemId)
local slotNum = Simulationcraft.invTypeToSlotNum[itemEquipLoc]
-- item can be equipped
if slotNum then
local info = C_Container.GetContainerItemInfo(bag, slot)
local itemLink = C_Container.GetContainerItemLink(bag, slot)
bagItems[#bagItems + 1] = {
string = GetItemStringFromItemLink(slotNum, itemLink, debugOutput),
slotNum = slotNum
}
local itemName = GetItemName(itemLink)
local level, _, _ = GetDetailedItemLevelInfo(itemLink)
if itemName and level then
bagItems[#bagItems].name = itemName .. ' (' .. level .. ')'
end
end
end
end
end
-- order results by paper doll slot, not bag slot
table.sort(bagItems, function (a, b) return a.slotNum < b.slotNum end)
return bagItems
end
-- Scan buffs to determine which loa racial this player has, if any
function Simulationcraft:GetZandalariLoa()
local zandalariLoa = nil
for index = 1, 32 do
local auraData = C_UnitAuras.GetBuffDataByIndex("player", index)
local spellId = auraData.spellId
if spellId == nil then
break
end
if zandalariLoaBuffs[spellId] then
zandalariLoa = zandalariLoaBuffs[spellId]
break
end
end
return zandalariLoa
end
function Simulationcraft:GetSlotHighWatermarks()
if C_ItemUpgrade and C_ItemUpgrade.GetHighWatermarkForSlot then
local slots = {}
-- These are not normal equipment slots, they are Enum.ItemRedundancySlot
for slot = 0, 16 do
local characterHighWatermark, accountHighWatermark = C_ItemUpgrade.GetHighWatermarkForSlot(slot)
if characterHighWatermark or accountHighWatermark then
slots[#slots + 1] = table.concat({ slot, characterHighWatermark, accountHighWatermark }, ':')
end
end
return table.concat(slots, '/')
end
end
function Simulationcraft:GetUpgradeCurrencies()
local upgradeCurrencies = {}
-- Collect actual currencies
for currencyId, currencyName in pairs(Simulationcraft.upgradeCurrencies) do
local currencyInfo = C_CurrencyInfo.GetCurrencyInfo(currencyId)
if currencyInfo and currencyInfo.quantity > 0 then
upgradeCurrencies[#upgradeCurrencies + 1] = table.concat({ "c", currencyId, currencyInfo.quantity }, ':')
end
end
-- Collect items that get used as currencies
for itemId, itemName in pairs(Simulationcraft.upgradeItems) do
local count = GetItemCount(itemId, true, true, true)
if count > 0 then
upgradeCurrencies[#upgradeCurrencies + 1] = table.concat({ "i", itemId, count }, ':')
end
end
return table.concat(upgradeCurrencies, '/')
end
function Simulationcraft:GetItemUpgradeAchievements()
local achieves = {}
for i=1, #Simulationcraft.upgradeAchievements do
local achId = Simulationcraft.upgradeAchievements[i]
_, name, points, complete = GetAchievementInfo(achId)
if complete then
achieves[#achieves + 1] = achId
end
end
return table.concat(achieves, '/')
end
function Simulationcraft:GetMainFrame(text)
-- Frame code largely adapted from https://www.wowinterface.com/forums/showpost.php?p=323901&postcount=2
if not SimcFrame then
-- Main Frame
local frameConfig = self.db.profile.frame
local f = CreateFrame("Frame", "SimcFrame", UIParent, "DialogBoxFrame")
f:ClearAllPoints()
-- load position from local DB
f:SetPoint(
frameConfig.point,
frameConfig.relativeFrame,
frameConfig.relativePoint,
frameConfig.ofsx,
frameConfig.ofsy
)
f:SetSize(frameConfig.width, frameConfig.height)
f:SetBackdrop({
bgFile = "Interface\\DialogFrame\\UI-DialogBox-Background",
edgeFile = "Interface\\PVPFrame\\UI-Character-PVP-Highlight",
edgeSize = 16,
insets = { left = 8, right = 8, top = 8, bottom = 8 },
})
f:SetMovable(true)
f:SetClampedToScreen(true)
f:SetScript("OnMouseDown", function(self, button) -- luacheck: ignore
if button == "LeftButton" then
self:StartMoving()
end
end)
f:SetScript("OnMouseUp", function(self, _) -- luacheck: ignore
self:StopMovingOrSizing()
-- save position between sessions
local point, relativeFrame, relativeTo, ofsx, ofsy = self:GetPoint()
frameConfig.point = point
frameConfig.relativeFrame = relativeFrame
frameConfig.relativePoint = relativeTo
frameConfig.ofsx = ofsx
frameConfig.ofsy = ofsy
end)
-- scroll frame
local sf = CreateFrame("ScrollFrame", "SimcScrollFrame", f, "UIPanelScrollFrameTemplate")
sf:SetPoint("LEFT", 16, 0)
sf:SetPoint("RIGHT", -32, 0)
sf:SetPoint("TOP", 0, -32)
sf:SetPoint("BOTTOM", SimcFrameButton, "TOP", 0, 0)
-- edit box
local eb = CreateFrame("EditBox", "SimcEditBox", SimcScrollFrame)
eb:SetSize(sf:GetSize())
eb:SetMultiLine(true)
eb:SetAutoFocus(true)
eb:SetFontObject("ChatFontNormal")
eb:SetScript("OnEscapePressed", function() f:Hide() end)
sf:SetScrollChild(eb)
-- resizing
f:SetResizable(true)
if f.SetMinResize then
-- older function from shadowlands and before
-- Can remove when Dragonflight is in full swing
f:SetMinResize(150, 100)
else
-- new func for dragonflight
f:SetResizeBounds(150, 100, nil, nil)
end
local rb = CreateFrame("Button", "SimcResizeButton", f)
rb:SetPoint("BOTTOMRIGHT", -6, 7)
rb:SetSize(16, 16)
rb:SetNormalTexture("Interface\\ChatFrame\\UI-ChatIM-SizeGrabber-Up")
rb:SetHighlightTexture("Interface\\ChatFrame\\UI-ChatIM-SizeGrabber-Highlight")
rb:SetPushedTexture("Interface\\ChatFrame\\UI-ChatIM-SizeGrabber-Down")
rb:SetScript("OnMouseDown", function(self, button) -- luacheck: ignore
if button == "LeftButton" then
f:StartSizing("BOTTOMRIGHT")
self:GetHighlightTexture():Hide() -- more noticeable
end
end)
rb:SetScript("OnMouseUp", function(self, _) -- luacheck: ignore
f:StopMovingOrSizing()
self:GetHighlightTexture():Show()
eb:SetWidth(sf:GetWidth())
-- save size between sessions
frameConfig.width = f:GetWidth()
frameConfig.height = f:GetHeight()
end)
SimcFrame = f
end
SimcEditBox:SetText(text)
SimcEditBox:HighlightText()
return SimcFrame
end
-- Adapted from https://github.com/philanc/plc/blob/master/plc/checksum.lua
local function adler32(s)
-- return adler32 checksum (uint32)
-- adler32 is a checksum defined by Mark Adler for zlib
-- (based on the Fletcher checksum used in ITU X.224)
-- implementation based on RFC 1950 (zlib format spec), 1996
local prime = 65521 --largest prime smaller than 2^16
local s1, s2 = 1, 0
-- limit s size to ensure that modulo prime can be done only at end
-- 2^40 is too large for WoW Lua so limit to 2^30
if #s > (bit.lshift(1, 30)) then error("adler32: string too large") end
for i = 1,#s do
local b = string.byte(s, i)
s1 = s1 + b
s2 = s2 + s1
-- no need to test or compute mod prime every turn.
end
s1 = s1 % prime
s2 = s2 % prime
return (bit.lshift(s2, 16)) + s1
end --adler32()
function Simulationcraft:GetSimcProfile(debugOutput, noBags, showMerchant, links)
-- addon metadata
local versionComment = '# SimC Addon ' .. GetAddOnMetadata('Simulationcraft', 'Version')
local wowVersion, wowBuild, _, wowToc = GetBuildInfo()
local wowVersionComment = '# WoW ' .. wowVersion .. '.' .. wowBuild .. ', TOC ' .. wowToc
local simcVersionWarning = '# Requires SimulationCraft 1000-01 or newer'
-- Basic player info
local _, realmName, _, _, _, _, region, _, _, realmLatinName, _ = LibRealmInfo:GetRealmInfoByUnit('player')
local playerName = UnitName('player')
local _, playerClass = UnitClass('player')
local playerLevel = UnitLevel('player')
-- Try Latin name for Russian servers first, then realm name from LibRealmInfo, then Realm Name from the game
-- Latin name for Russian servers as most APIs use the latin name, not the cyrillic name
local playerRealm = realmLatinName or realmName or GetRealmName()
-- Try region from LibRealmInfo first, then use default API
-- Default API can be wrong for region-switching players
local playerRegion = region or GetCurrentRegionName() or regionString[GetCurrentRegion()]
-- Race info
local _, playerRace = UnitRace('player')
-- fix some races to match SimC format
if playerRace == 'Scourge' then --lulz
playerRace = 'Undead'
else
playerRace = FormatRace(playerRace)
end
local isZandalariTroll = false
if Tokenize(playerRace) == 'zandalari_troll' then
isZandalariTroll = true
end
-- Spec info
local role, globalSpecID, playerRole
local specId = GetSpecialization()
if specId then
globalSpecID,_,_,_,_,role = GetSpecializationInfo(specId)
end
local playerSpec = specNames[ globalSpecID ] or 'unknown'
-- Professions
local pid1, pid2 = GetProfessions()
local firstProf, firstProfRank, secondProf, secondProfRank, profOneId, profTwoId
if pid1 then
_,_,firstProfRank,_,_,_,profOneId = GetProfessionInfo(pid1)
end
if pid2 then
_,_,secondProfRank,_,_,_,profTwoId = GetProfessionInfo(pid2)
end
firstProf = profNames[ profOneId ]
secondProf = profNames[ profTwoId ]
local playerProfessions = '' -- luacheck: ignore
if pid1 or pid2 then
playerProfessions = 'professions='
if pid1 then
playerProfessions = playerProfessions..Tokenize(firstProf)..'='..tostring(firstProfRank)..'/'
end
if pid2 then
playerProfessions = playerProfessions..Tokenize(secondProf)..'='..tostring(secondProfRank)
end
else
playerProfessions = ''
end
-- create a header comment with basic player info and a date
local headerComment = (
"# " .. playerName .. ' - ' .. playerSpec
.. ' - ' .. date('%Y-%m-%d %H:%M') .. ' - '
.. playerRegion .. '/' .. playerRealm
)
-- Construct SimC-compatible strings from the basic information
local player = Tokenize(playerClass) .. '="' .. playerName .. '"'
playerLevel = 'level=' .. playerLevel
playerRace = 'race=' .. Tokenize(playerRace)
playerRole = 'role=' .. TranslateRole(globalSpecID, role)
local playerSpecStr = 'spec=' .. Tokenize(playerSpec)
playerRealm = 'server=' .. Tokenize(playerRealm)
playerRegion = 'region=' .. Tokenize(playerRegion)
-- Build the output string for the player (not including gear)
local simcPrintError = nil
local simulationcraftProfile = ''
simulationcraftProfile = simulationcraftProfile .. headerComment .. '\n'
simulationcraftProfile = simulationcraftProfile .. versionComment .. '\n'
simulationcraftProfile = simulationcraftProfile .. wowVersionComment .. '\n'
simulationcraftProfile = simulationcraftProfile .. simcVersionWarning .. '\n'
simulationcraftProfile = simulationcraftProfile .. '\n'
simulationcraftProfile = simulationcraftProfile .. player .. '\n'
simulationcraftProfile = simulationcraftProfile .. playerLevel .. '\n'
simulationcraftProfile = simulationcraftProfile .. playerRace .. '\n'
if isZandalariTroll then
local zandalari_loa = Simulationcraft:GetZandalariLoa()
if zandalari_loa then
simulationcraftProfile = simulationcraftProfile .. "zandalari_loa=" .. zandalari_loa .. '\n'
end
end
simulationcraftProfile = simulationcraftProfile .. playerRegion .. '\n'
simulationcraftProfile = simulationcraftProfile .. playerRealm .. '\n'
simulationcraftProfile = simulationcraftProfile .. playerRole .. '\n'
simulationcraftProfile = simulationcraftProfile .. playerProfessions .. '\n'
simulationcraftProfile = simulationcraftProfile .. playerSpecStr .. '\n'
simulationcraftProfile = simulationcraftProfile .. '\n'
if playerSpec == 'unknown' then -- luacheck: ignore
-- do nothing
-- Player does not have a spec / is in starting player area
elseif ClassTalents then
-- DRAGONFLIGHT
-- new dragonflight talents
if Traits.GetLoadoutSerializationVersion() ~= SUPPORTED_LOADOUT_SERIALIZATION_VERSION then
simcPrintError = 'This version of the SimC addon does not work with this version of WoW.\n'
simcPrintError = simcPrintError .. 'There is a mismatch in the version of talent string exports.\n'
simcPrintError = simcPrintError .. '\n'
if Traits.GetLoadoutSerializationVersion() > SUPPORTED_LOADOUT_SERIALIZATION_VERSION then
simcPrintError = simcPrintError .. 'WoW is using a newer version - you probably need to update your addon.\n'
else
simcPrintError = simcPrintError .. 'WoW is using an older version - you may be running an alpha/beta addon that is not currently ready for retail.\n'
end
simcPrintError = simcPrintError .. '\n'
simcPrintError = simcPrintError .. 'WoW talent string export version = ' .. Traits.GetLoadoutSerializationVersion() .. '\n'
simcPrintError = simcPrintError .. 'Addon talent string export version = ' .. SUPPORTED_LOADOUT_SERIALIZATION_VERSION .. '\n'
end
local currentConfigId = ClassTalents.GetActiveConfigID()
simulationcraftProfile = simulationcraftProfile .. GetExportString(currentConfigId) .. '\n'
simulationcraftProfile = simulationcraftProfile .. '\n'
local specConfigs = ClassTalents.GetConfigIDsBySpecID(globalSpecID)
for _, configId in pairs(specConfigs) do
simulationcraftProfile = simulationcraftProfile .. GetExportString(configId) .. '\n'
end
else
-- old talents
local playerTalents = CreateSimcTalentString()
simulationcraftProfile = simulationcraftProfile .. playerTalents .. '\n'
end
simulationcraftProfile = simulationcraftProfile .. '\n'
-- Method that gets gear information
local items = Simulationcraft:GetItemStrings(debugOutput)
-- output gear
for slotNum=1, #slotNames do
local item = items[slotNum]
if item then
if item.name then
simulationcraftProfile = simulationcraftProfile .. '# ' .. item.name .. '\n'
end
simulationcraftProfile = simulationcraftProfile .. items[slotNum].string .. '\n'
end
end
-- output gear from bags
if noBags == false then
local bagItems = Simulationcraft:GetBagItemStrings(debugOutput)
if #bagItems > 0 then
simulationcraftProfile = simulationcraftProfile .. '\n'
simulationcraftProfile = simulationcraftProfile .. '### Gear from Bags\n'
for i=1, #bagItems do
simulationcraftProfile = simulationcraftProfile .. '#\n'
if bagItems[i].name and bagItems[i].name ~= '' then
simulationcraftProfile = simulationcraftProfile .. '# ' .. bagItems[i].name .. '\n'
end
simulationcraftProfile = simulationcraftProfile .. '# ' .. bagItems[i].string .. '\n'
end
end
end
-- output weekly reward gear
if WeeklyRewards then
if WeeklyRewards:HasAvailableRewards() then
simulationcraftProfile = simulationcraftProfile .. '\n'
simulationcraftProfile = simulationcraftProfile .. '### Weekly Reward Choices\n'
local activities = WeeklyRewards.GetActivities()
for _, activityInfo in ipairs(activities) do
for _, rewardInfo in ipairs(activityInfo.rewards) do
local _, _, _, itemEquipLoc = GetItemInfoInstant(rewardInfo.id)
local itemLink = WeeklyRewards.GetItemHyperlink(rewardInfo.itemDBID)
local itemName = GetItemName(itemLink);
local slotNum = Simulationcraft.invTypeToSlotNum[itemEquipLoc]
if slotNum then
local itemStr = GetItemStringFromItemLink(slotNum, itemLink, debugOutput)
local level, _, _ = GetDetailedItemLevelInfo(itemLink)
simulationcraftProfile = simulationcraftProfile .. '#\n'
if itemName and level then
itemNameComment = itemName .. ' ' .. '(' .. level .. ')'
simulationcraftProfile = simulationcraftProfile .. '# ' .. itemNameComment .. '\n'
end
simulationcraftProfile = simulationcraftProfile .. '# ' .. itemStr .. "\n"
end
end
end
simulationcraftProfile = simulationcraftProfile .. '#\n'
simulationcraftProfile = simulationcraftProfile .. '### End of Weekly Reward Choices\n'
end
end
-- Dump out equippable items from a vendor, this is mostly for debugging / data collection
local numMerchantItems = GetMerchantNumItems()
if showMerchant and numMerchantItems > 0 then
simulationcraftProfile = simulationcraftProfile .. '\n'
simulationcraftProfile = simulationcraftProfile .. '\n### Merchant items\n'
for i=1,numMerchantItems do