forked from kiwon0319/GFDecompress
-
Notifications
You must be signed in to change notification settings - Fork 3
/
Program.cs
441 lines (398 loc) · 19.1 KB
/
Program.cs
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
using Newtonsoft.Json;
using Newtonsoft.Json.Linq;
using NLog;
using NLog.Config;
using NLog.Layouts;
using NLog.Targets;
using System;
using System.Collections.Generic;
using System.Diagnostics;
using System.IO;
using System.IO.Compression;
using System.Linq;
using System.Reflection;
using System.Text;
namespace GFDecompress
{
class Program
{
private static readonly Logger log = LogManager.GetCurrentClassLogger();
#region .dat 복호화
/// <summary>
/// .dat 복호화
/// </summary>
/// <param name="data">바이트 데이터</param>
/// <param name="key">바이트 키</param>
/// <returns></returns>
public static string DatFileDecompress(byte[] data, byte[] key)
{
byte[] temp = Xor(data, key);
byte[] output;
using (var compressedStream = new MemoryStream(temp))
using (var zipStream = new GZipStream(compressedStream, CompressionMode.Decompress))
using (var resultStream = new MemoryStream())
{
zipStream.CopyTo(resultStream);
output = resultStream.ToArray();
}
return Encoding.UTF8.GetString(output);
}
public static byte[] Xor(byte[] text, byte[] key)
{
byte[] xor = new byte[text.Length];
for (int i = 0; i < text.Length; i++)
{
xor[i] = (byte)(text[i] ^ key[i % key.Length]);
}
return xor;
}
#endregion
#region .stc 파싱
/// <summary>
/// .stc 파싱
/// </summary>
/// <param name="stcFile">stc 파일명</param>
/// <param name="startOffset">시작 오프셋 (강제 설정)</param>
/// <returns></returns>
public static JArray ParseStc(string stcFile, int startOffset = 0)
{
JArray output = new JArray();
// stc 읽기
byte[] stcStream = File.ReadAllBytes("stc\\" + stcFile);
StcBinaryReader reader = new StcBinaryReader(stcStream);
int code = reader.ReadUShort(); // 코드 (예: 5005)
reader.ReadUShort(); // ??
log.Debug("file: {0}, code: {1}", stcFile, code);
int row = reader.ReadUShort();
int col = reader.ReadByte();
log.Debug("row: {0} | col: {1}", row, col);
if (row > 0 && col > 0)
{
// 컬럼별 크기
List<string> colTypes = new List<string>();
for (int i = 0; i < col; i++)
{
int size = reader.ReadByte();
switch (size)
{
case 1:
colTypes.Add("byte");
break;
case 5:
colTypes.Add("int");
break;
case 8:
colTypes.Add("long");
break;
case 9:
colTypes.Add("single");
break;
case 11:
colTypes.Add("string");
break;
default:
colTypes.Add("unknown(" + size + ")");
break;
}
}
log.Debug("column_info >> {0}", string.Join("|", colTypes));
// 실제 정보가 있는 오프셋으로 이동
if (startOffset <= 0)
{
// 오프셋 찾기
reader.ReadInt(); // ??
startOffset = reader.ReadInt(); // 오프셋
log.Debug("start_offset >> {0}", startOffset);
}
reader._offset = startOffset;
// 컬럼명 가져오기
List<string> colNames = null;
if (File.Exists(@"STCFormat\" + Path.GetFileNameWithoutExtension(stcFile) + ".format"))
colNames = File.ReadAllLines(@"STCFormat\" + Path.GetFileNameWithoutExtension(stcFile) + ".format").ToList();
else
log.Warn("Format not exists >> {0}", @"STCFormat\" + Path.GetFileNameWithoutExtension(stcFile) + ".format");
try
{
for (int r = 0; r < row; r++)
{
JObject item = new JObject();
// 컬럼별 데이터 추출
for (int c = 0; c < col; c++)
{
string key = "";
string type = "";
if (colNames != null && c < colNames.Count())
key = colNames[c]; // 컬럼명 설정
if (string.IsNullOrEmpty(key))
key = string.Format("__{0}", c); // 컬럼명 알 수 없음
if (colTypes != null && c < colTypes.Count())
type = colTypes[c];
switch (type)
{
case "byte":
item.Add(key, reader.ReadByte());
break;
case "int":
item.Add(key, reader.ReadInt());
break;
case "long":
item.Add(key, reader.ReadLong());
break;
case "single":
item.Add(key, Math.Round(reader.ReadSingle(), 2)); // 소수점 2자리까지 표시
break;
case "string":
item.Add(key, reader.ReadString());
break;
case "unknown":
default:
// 알 수 없는 타입이 발견될 경우 Hex 구조 확인 후 케이스 추가할 것
log.Warn("unknown type >> {0}", c);
break;
}
}
output.Add(item);
}
}
catch (Exception ex)
{
log.Error(ex);
}
}
return output;
}
#endregion
static void Main(string[] args)
{
Stopwatch swh = new Stopwatch();
swh.Start();
Console.WriteLine("\n====한섭 데이터 다운====");
Downloader kr = new Downloader();
//kr.downloadStc(); //stc는 한섭기준으로 받음, 중섭용으로 받고싶으면 해당 클래스의 메소드를 사용하면 됨
kr.downloadAsset();
Console.WriteLine("\n====글섭 데이터 다운====");
Downloader en = new Downloader("en");
en.downloadAsset();
Console.WriteLine("\n====일섭 데이터 다운====");
Downloader jp = new Downloader("jp");
jp.downloadAsset();
Console.WriteLine("\n====중섭 데이터 다운====");
Downloader ch = new Downloader("ch");
ch.downloadStc();
ch.downloadAsset();
#region NLog Configuration
var config = new LoggingConfiguration();
var logconsole = new ColoredConsoleTarget("logconsole");
logconsole.Layout = new SimpleLayout() { Text = "${message} ${exception:format=tostring}" };
config.AddRule(LogLevel.Debug, LogLevel.Fatal, logconsole);
LogManager.Configuration = config;
#endregion
Console.OutputEncoding = Encoding.UTF8;
// catchdata.dat 복호화
try
{
// 복호화
log.Info(".dat decrypt >> {0}", "catchdata.dat");
byte[] data = File.ReadAllBytes("stc\\catchdata.dat");
byte[] key = Encoding.ASCII.GetBytes("c88d016d261eb80ce4d6e41a510d4048");
string output = DatFileDecompress(data, key);
// 폴더 생성
if (!Directory.Exists("output\\catchdata"))
Directory.CreateDirectory("output\\catchdata");
File.WriteAllText("output\\catchdata\\catchdata.txt", output);
// 정보별 추출
string[] lines = output.Split('\n').Select(p => p.Trim()).ToArray();
foreach (string line in lines)
{
try
{
if (string.IsNullOrEmpty(line))
continue;
JObject json = JObject.Parse(line);
string jKey = json.Properties().Select(p => p.Name).FirstOrDefault();
log.Debug(".dat export >> " + jKey);
File.WriteAllText("output\\catchdata\\" + jKey + ".json", json.ToString());
}
catch (Exception ex)
{
log.Error(ex);
}
}
// 폴더 열기
//Process.Start(Path.GetDirectoryName(Assembly.GetExecutingAssembly().Location) + "\\output_catchdata");
}
catch (Exception ex)
{
log.Error(ex);
}
// *.stc 파싱
try
{
// 폴더 생성
if (!Directory.Exists("output\\stc"))
Directory.CreateDirectory("output\\stc");
// .stc 파일 목록
// [input_file_name, output_file_name]
// ※ 항목 추가 시 STCFormat\\*.format 파일에 컬럼 목록 추가할 것!
Dictionary<string, string> stcFiles = new Dictionary<string, string>()
{
{ "5000.stc", "item" }, // 아이템
{ "5001.stc", "battle_skill_config" }, // 전투 스킬
{ "5002.stc", "spot" }, // 거점
{ "5003.stc", "enemy_in_team" }, // 적 제대 멤버
{ "5004.stc", "gun_in_ally" }, // 아군 제대 멤버
{ "5005.stc", "gun" }, // 인형
{ "5006.stc", "squad" }, // 화력소대
{ "5007.stc", "squad_advanced_bonus" }, // 화력소대 승진
{ "5008.stc", "squad_chip" }, // 화력소대 칩셋
{ "5009.stc", "squad_cpu" }, // 화력소대 회로?
{ "5010.stc", "squad_color" }, // 화력소대 칩셋 색상
{ "5011.stc", "squad_grid" }, // 화력소대 칩셋 모양
{ "5012.stc", "squad_data_daily" }, // 화력소대 정보임무
{ "5013.stc", "squad_exp" }, // 화력소대 경험치
{ "5015.stc", "building" }, // 건물
{ "5016.stc", "mission" }, // 전역
{ "5017.stc", "battle_creation" },
{ "5018.stc", "squad_chip_exp" }, // 화력소대 칩셋 경험치
{ "5019.stc", "squad_cpu_completion" },
{ "5020.stc", "squad_rank" },
{ "5021.stc", "squad_standard_attribution" },
{ "5022.stc", "squad_type" },
{ "5023.stc", "battle_buff" },
{ "5024.stc", "battle_hurt_config" },
{ "5025.stc", "enemy_character_type" },
{ "5026.stc", "enemy_standard_attribute" },
{ "5027.stc", "summoner" },
{ "5028.stc", "battle_trigger" },
{ "5029.stc", "battle_target_select_ai" },
{ "5030.stc", "spot_buff_config" },
{ "5031.stc", "special_spot_config" },
{ "5032.stc", "mission_hurt_config" },
{ "5033.stc", "carnival_task_type" },
{ "5034.stc", "bingo_task_type" },
{ "5035.stc", "enemy_team" },
{ "5036.stc", "" },
{ "5037.stc", "" },
{ "5038.stc", "equip" }, // 장비
{ "5039.stc", "" }, // 자율작전?
{ "5040.stc", "theater" },
{ "5041.stc", "theater_area" },
{ "5042.stc", "theater_construction" },
{ "5043.stc", "theater_event" },
{ "5044.stc", "" },
{ "5045.stc", "" },
{ "5046.stc", "mission_skill_config" },
{ "5047.stc", "" },
{ "5048.stc", "skin" }, // 스킨
{ "5049.stc", "" },
{ "5050.stc", "" },
{ "5051.stc", "explore_affair_client" },
{ "5052.stc", "explore_area" },
{ "5053.stc", "" },
{ "5054.stc", "" },
{ "5055.stc", "" },
{ "5056.stc", "" },
{ "5057.stc", "theater_effect" },
{ "5058.stc", "" },
{ "5059.stc", "theater_selection" },
{ "5060.stc", "explore_affair_server" },
{ "5061.stc", "" },
{ "5062.stc", "theater_incident" },
{ "5063.stc", "" },
{ "5064.stc", "" },
{ "5065.stc", "" },
{ "5066.stc", "" },
{ "5067.stc", "mission_buff_config" },
{ "5068.stc", "recommend_formula" },
{ "5069.stc", "achivement" },
{ "5070.stc", "" },
{ "5071.stc", "" },
{ "5072.stc", "" },
{ "5073.stc", "mission_win_type_config" },
{ "5074.stc", "" },
{ "5075.stc", "" },
{ "5076.stc", "" },
{ "5077.stc", "" },
{ "5078.stc", "guild_level" },
{ "5079.stc", "prize" },
{ "5080.stc", "mall" },
{ "5081.stc", "commander_class" },
{ "5082.stc", "emoji" },
{ "5083.stc", "commander_uniform" },
{ "5084.stc", "function_skill_config" },
{ "5085.stc", "" },
{ "5086.stc", "" },
{ "5087.stc", "gift" },
{ "5088.stc", "" },
{ "5089.stc", "" },
{ "5090.stc", "" },
{ "5092.stc", "enemy_illustration_skill" },
/*
* 혼합세력 능력치/수복 관련자료 링크
* 계산식, 엑셀시트
* https://bbs.nga.cn/read.php?tid=20891117
*/
{ "5093.stc", "sangvis_chip" }, // 혼합세력 칩셋
{ "5094.stc", "sangvis" }, // 혼합세력
{ "5095.stc", "sangvis_advance" }, // 혼합세력 분석(편확)
{ "5096.stc", "sangvis_resolution" }, // 혼합세력 개발(강화)
{ "5097.stc", "sangvis_type" }, // 혼합세력 종류
{ "5098.stc", "" },
{ "5099.stc", "sangvis_gasha" },
{ "5100.stc", "" },
{ "5101.stc", "sangvis_logo" },
{ "5102.stc", "sangvis_char_voice" },
{ "5103.stc", "sangvis_character_type" },
{ "5104.stc", "" },
{ "5105.stc", "" }
};
foreach (KeyValuePair<string, string> stcFile in stcFiles)
{
log.Info(".stc parse >> file: {0} | type: {1}", stcFile.Key, stcFile.Value);
JArray jArr = ParseStc(stcFile.Key);
string outputName = stcFile.Value;
if (string.IsNullOrEmpty(outputName))
outputName = Path.GetFileNameWithoutExtension(stcFile.Key);
File.WriteAllText("output\\stc\\" + outputName + ".json", jArr.ToString());
}
// 변환 작업에 필요한 정보
JArray GunList = JArray.Parse(File.ReadAllText("output\\stc\\gun.json"));
JArray SkinList = JArray.Parse(File.ReadAllText("output\\stc\\skin.json"));
JArray BattleSkillConfigList = JArray.Parse(File.ReadAllText("output\\stc\\battle_skill_config.json"));
JArray MissionSkillConfigList = JArray.Parse(File.ReadAllText("output\\stc\\mission_skill_config.json"));
JArray EquipList = JArray.Parse(File.ReadAllText("output\\stc\\equip.json"));
//폴더생성
if (!Directory.Exists("results"))
Directory.CreateDirectory("results");
//doll.json 생성
JsonUtil.getDollJson(GunList, SkinList, BattleSkillConfigList);
//fairy.json 생성
JsonUtil.getFairyJson(BattleSkillConfigList, MissionSkillConfigList);
//equip.json 생성
JsonUtil.getEquipJson(EquipList);
//textAsset2json
Console.WriteLine("\n==한섭 데이터 변환==");
JsonUtil.getTextAsset("kr");
JsonUtil.getDialogueText("kr");
Console.WriteLine("\n==글섭 데이터 변환==");
JsonUtil.getTextAsset("en");
JsonUtil.getDialogueText("en");
Console.WriteLine("\n==일섭 데이터 변환==");
JsonUtil.getTextAsset("jp");
JsonUtil.getDialogueText("jp");
Console.WriteLine("\n==중섭 데이터 변환==");
JsonUtil.getTextAsset("ch");
JsonUtil.getDialogueText("ch");
// 폴더 열기
//Process.Start(Path.GetDirectoryName(Assembly.GetExecutingAssembly().Location) + "\\output_stc");
}
catch (Exception ex)
{
log.Error(ex);
}
swh.Stop();
Console.WriteLine("소요시간: " + swh.Elapsed.ToString());
//Process.Start(Path.GetDirectoryName(Assembly.GetExecutingAssembly().Location));
}
}
}