PatriotCTF2024 WP

clev1L Lv3

Revioli, Revioli, give me the formeoli

动调直接拿v6

Password Protector

pycdas后直接扔给gpt

解密即可

1
2
3
4
5
6
7
import base64
bitty=list(base64.b64decode("Zfo5ibyl6t7WYtr2voUEZ0nSAJeWMcN3Qe3/+MLXoKL/p59K3jgV"))
enc="".join(map(chr,[ord(i)-1 for i in "Ocmu{9gtufMmQg8G0eCXWi3MY9QfZ0NjCrXhzJEj50fumttU0ymp"]))
enc=list(base64.b64decode(enc))
for i in range(len(enc)):
enc[i]^=bitty[i]
print(bytes(enc))

Puzzle Room

相当于迷宫,把代码改成bfs就行

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
#!/usr/bin/env python
import time
import random

#### Crypto stuff not important
import base64
import hashlib
from Crypto import Random
from Crypto.Cipher import AES


class AESCipher(object):
def __init__(self, key):
self.bs = AES.block_size
self.key = hashlib.sha256(key.encode()).digest()

def encrypt(self, raw):
raw = self._pad(raw)
iv = Random.new().read(AES.block_size)
cipher = AES.new(self.key, AES.MODE_CBC, iv)
return base64.b64encode(iv + cipher.encrypt(raw.encode()))

def decrypt(self, enc):
enc = base64.b64decode(enc)
iv = enc[: AES.block_size]
cipher = AES.new(self.key, AES.MODE_CBC, iv)
return AESCipher._unpad(cipher.decrypt(enc[AES.block_size :])).decode("utf-8")

def _pad(self, s):
return s + (self.bs - len(s) % self.bs) * chr(self.bs - len(s) % self.bs)

@staticmethod
def _unpad(s):
return s[: -ord(s[len(s) - 1 :])]


class bcolors:
HEADER = "\033[95m"
OKBLUE = "\033[94m"
OKCYAN = "\033[96m"
OKGREEN = "\033[92m"
WARNING = "\033[93m"
FAIL = "\033[91m"
ENDC = "\033[0m"
BOLD = "\033[1m"
UNDERLINE = "\033[4m"


def slow_print(msg, delay=0.02):
print(msg)


def how_did_you_succumb_to_a_trap():
slow_print(
bcolors.FAIL + "FWOOOOOOOOOOOOOOOOOOOOOOOOOOOOOOOOOOOOOSH" + bcolors.ENDC,
delay=0.04,
)
ways_to_get_got = [
"Well, you sure found the trap—too bad it found you first.",
"That one step forward just turned you into a well-done adventurer.",
"Turns out not checking for traps does lead to a fiery conclusion.",
"Took one step too many... and now you’re part of the decor.",
"Next time, maybe trust your instincts before you become toast.",
"Maybe next time you’ll sneeze before stepping onto the fire trap.",
"Well, if you were looking for a quick tan, mission accomplished.",
"Looks like you found the fire... with your face.",
"Well, that’s one way to light up the room—too bad it’s you that’s burning.",
"Guess those fire-resistant potions were back in your pack, huh?",
"You just turned 'walking into danger' into 'walking into a bonfire.'",
"At least now we know what happens when you don’t watch your step... you sizzle.",
"You really lit up the room...",
]
slow_print(random.choice(ways_to_get_got))


def how_did_you_avoid_the_fire():
ways_to_avoid = [
"Good thing you sneezed before walking in or you'd be toast!",
"That was close-who knew stopping to tie your boot would keep you safe?",
"You had a bad feeling about this room, and it turns out, you were right!",
"Good thing you hesitated, or else you'd be one roast adventurer",
"You stopped, unsure for just a moment—and that indecision saved your life.",
"That brief moment of doubt was all it took to avoid being incinerated.",
"Lucky that you bent down to adjust your gear—one more step and you'd be fried.",
"That sudden itch you stopped to scratch just saved you from being flame-broiled.",
"Lucky you had to tighten your pack strap—you missed the fire by a heartbeat.",
"Good thing you hesitated—one more step and you'd be barbecue.",
]
slow_print(bcolors.OKGREEN + random.choice(ways_to_avoid) + bcolors.ENDC)


class PathGroup:
tiles = []
current_cordinates = None
path_history = []

def __repr__(self):
return "[X] {} -- {} \n".format(self.tiles, self.path_history)


grid = [
[
"SPHINX",
"urn",
"vulture",
"arch",
"snake",
"urn",
"bug",
"plant",
"arch",
"staff",
"SPHINX",
],
[
"plant",
"foot",
"bug",
"plant",
"vulture",
"foot",
"staff",
"vulture",
"plant",
"foot",
"bug",
],
[
"arch",
"staff",
"urn",
"Shrine",
"Shrine",
"Shrine",
"plant",
"bug",
"staff",
"urn",
"arch",
],
[
"snake",
"vulture",
"foot",
"Shrine",
"Shrine",
"Shrine",
"urn",
"snake",
"vulture",
"foot",
"vulture",
],
[
"staff",
"urn",
"bug",
"Shrine",
"Shrine",
"Shrine",
"foot",
"staff",
"bug",
"snake",
"staff",
],
[
"snake",
"plant",
"bug",
"urn",
"foot",
"vulture",
"bug",
"urn",
"arch",
"foot",
"urn",
],
[
"SPHINX",
"arch",
"staff",
"plant",
"snake",
"staff",
"bug",
"plant",
"vulture",
"snake",
"SPHINX",
],
]


def print_grid_with_path_group(grid, pg):
for i, x in enumerate(grid):
for j, y in enumerate(x):
if (i, j) in pg.path_history:
if (i, j) == pg.path_history[-1]:
print(
bcolors.FAIL + str("YOU").ljust(8, " ") + bcolors.ENDC, end=""
)
else:
print(str("STEP").ljust(8, " "), end="")
else:
print(str(y).ljust(8, " "), end="")
print()


def try_get_tile(tile_tuple):
try:
return grid[tile_tuple[0]][tile_tuple[1]], (tile_tuple[0], tile_tuple[1])
except Exception as e:
return None


def print_current_map():
for x in grid:
for y in x:
print(str(y).ljust(8, " "), end="")
print()


# This is you at (3,10)!
starting_tile = (3, 10)
starting_path = PathGroup()
starting_path.tiles = ["vulture"]
starting_path.current_cordinates = starting_tile
starting_path.path_history = [starting_tile]


def move(path, tile):
sub_path = PathGroup()
sub_path.tiles.append(tile)
sub_path.current_cordinates = tile
sub_path.path_history = path.path_history.copy()
sub_path.path_history.append(tile)
return sub_path


cur_tile = starting_tile


def menu(path,level):
cur_tile = path.current_cordinates
next_tile = None
# while next_tile == None:
# print(
# bcolors.OKGREEN
# + "\t ------------- The puzzle room layout -------------"
# + bcolors.ENDC
# )
# print_grid_with_path_group(grid, path)
# choice = input("Which direction will you journey next? : ").upper()
for choice in ["N","S","E","W","NE","NW","SE","SW"]:
# Hope you have python 3.10!
match choice:
case "N":
next_tile = (cur_tile[0] -1, cur_tile[1])
case "S":
next_tile = (cur_tile[0] +1, cur_tile[1])
case "E":
next_tile = (cur_tile[0], cur_tile[1] +1)
case "W":
next_tile = (cur_tile[0], cur_tile[1] -1)
case "NE":
next_tile = (cur_tile[0] -1, cur_tile[1] +1)
case "NW":
next_tile = (cur_tile[0] -1, cur_tile[1] -1)
case "SE":
next_tile = (cur_tile[0] +1, cur_tile[1] +1)
case "SW":
next_tile = (cur_tile[0] +1, cur_tile[1] -1)
case _:
print("That doesn't seem to be a valid direction")
over=False
new_path = move(path, next_tile)
for tile in new_path.path_history:
if tile[1] > 10 or tile[1] < 0:
how_did_you_succumb_to_a_trap()
over=True
break
if tile[0] > 6 or tile[0] < 0:
how_did_you_succumb_to_a_trap()
over=True
break
if over:
continue

if new_path.current_cordinates == (3, 9):
slow_print(
"As you step atop the door that triggered the traps in the first place, you think to yourself: 'Should I really have stepped on a space I knew would trigger a trap?'"
)
how_did_you_succumb_to_a_trap()
continue

if try_get_tile(new_path.current_cordinates)[0] == "SPHINX":
how_did_you_succumb_to_a_trap()
continue

if len(set(new_path.path_history)) != len(new_path.path_history):
how_did_you_succumb_to_a_trap()
continue

for tile in new_path.path_history[:-1]:
if try_get_tile(new_path.current_cordinates)[0] == try_get_tile(tile)[0]:
how_did_you_succumb_to_a_trap()
over = True
break
if over:
continue

if try_get_tile(new_path.current_cordinates)[0] != "Shrine" and len(
set([x[1] for x in new_path.path_history])
) != len([x[1] for x in new_path.path_history]):
how_did_you_succumb_to_a_trap()
continue

if try_get_tile(new_path.current_cordinates)[0] == "Shrine":
try:
key = "".join([try_get_tile(x)[0] for x in new_path.path_history])
enc_flag = b"FFxxg1OK5sykNlpDI+YF2cqF/tDem3LuWEZRR1bKmfVwzHsOkm+0O4wDxaM8MGFxUsiR7QOv/p904UiSBgyVkhD126VNlNqc8zNjSxgoOgs="
obj = AESCipher(key)
dec_flag = obj.decrypt(enc_flag)
if "pctf" in dec_flag:
slow_print(
bcolors.OKBLUE
+ "You've done it! All the traps depress and a rigid 'click' can be heard as the center chest opens! As you push open the top your prize sits inside!"
+ bcolors.ENDC
)
print(bcolors.OKCYAN + dec_flag + bcolors.ENDC)
exit(0)
except:
continue
else:
slow_print(
"You step onto the center area expecting your prize, but a loud whirling sound is heard instead. The floor plates make a large mechanical click sounds and engage the fire trap once again!"
)
how_did_you_succumb_to_a_trap()
continue
menu(new_path,level+1)


slow_print(
"With your hulking strength you break down the door to a room clearly designed to hold riches."
)
slow_print(
"The door FLINGS across the room and lands on (3,9) and a massive ray a fire ignites the room."
)
slow_print(".", 0.3)
slow_print("..", 0.3)
slow_print("...", 0.3)

how_did_you_avoid_the_fire()
slow_print(
"Phew, good thing you weren't in the room yet. Clearly it's booby trapped and you step onto the first tile (3,10)"
)



cur_path = starting_path
# while True:
n_path = menu(cur_path,0)
# cur_path = n_path

Rust Lock

动调发现key

输入和key进行比较,输入key拿到flag

VM-ception: Layers of the Lost Byte

vm,比较处直接拿flag

Full Of Bugs

vmp,esp下断点,一直跟就能跟到oep,动调就能看到flag

GO To Sleep

go逆向,跟代码发现加密逻辑为异或,aesgcm,异或,替换。解密即可

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
from cryptography.fernet import InvalidToken
from cryptography.hazmat.primitives.ciphers.aead import AESGCM
from cryptography.hazmat.primitives import padding
from cryptography.hazmat.primitives import hashes
from cryptography.hazmat.primitives.kdf.pbkdf2 import PBKDF2HMAC
from cryptography.hazmat.primitives.asymmetric import padding as asym_padding
from cryptography.hazmat.primitives import serialization
from cryptography.hazmat.primitives.serialization import load_pem_public_key
import os
import base64


def generate_key(password, salt, iterations=100000):
kdf = PBKDF2HMAC(
algorithm=hashes.SHA256(),
length=32,
salt=salt,
iterations=iterations,
)
key = kdf.derive(password)
return key


def encrypt(data, key, nonce):
gcm = AESGCM(key)
encrypted = gcm.encrypt(nonce, data, b'')
return encrypted


def decrypt(encrypted, key, nonce):
gcm = AESGCM(key)
decrypted = gcm.decrypt(nonce, encrypted, b'')
return decrypted
xorkey=[0xd, 0x5e, 0xa1, 0xf9, 0x15, 0x9a, 0xcc]

table="0123456789abcdef"
enc="8a7e7886aac76f550b3e0bbd59c5f0ea46ed30c858a99423372bbccc960fcf7158a23de05c2788617986affa78ae8b608c6b38386c4715b9e49bcb"
idx=[table.index(i) for i in enc]
data=[]
for i in range(0,len(idx),2):
data.append((idx[i]<<4)|idx[i+1])
for i in range(len(data)):
data[i]^=xorkey[i%len(xorkey)]
nonce=bytes(data[:12])
ciphertext=bytes(data[12:])

key = bytes.fromhex("CCD9CBE2ADF42CFC9051FAFD5B897780A1F2A2369D871F057BBB2E49AFDAB258")

decrypted = list(decrypt(ciphertext, key, nonce))
for i in range(len(decrypted)):
decrypted[i]^=xorkey[i%len(xorkey)]
print(bytes(decrypted))

AI? PRNG

直接爆破

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
import subprocess
printable="0123456789abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXYZ_@{}"
enc=bytes.fromhex("a5 39 24 90 a8 a5 88 77 26 e4 3c 14 03 1e ba 3c 7d bb dc d6 aa 90 50 c9 0f aa dd 57 33 e1 a4 c7")
elf_file = "ai_rnd" # 替换为你的 ELF 文件路径
def crack(base,level):
if "}" in base:
print(base)
return
for j in printable:
process = subprocess.Popen([elf_file], stdin=subprocess.PIPE, stdout=subprocess.PIPE)
input_data = base+j
process.stdin.write(input_data.encode())
process.stdin.close()
# 获取输出结果
output = process.stdout.read()
# 打印输出结果
s=output.decode('gbk')
get=list(bytes.fromhex(s))
if get[level]==enc[level]:
crack(base+j,level+1)

crack("",0)

Not another vm reversing problem

Packed Full Of Surprises

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
from Crypto.Cipher import AES

# Klucze i IV muszą być przekształcone z liczb na bajty.
# local_848 = 0xefcdab8967452301
# local_840 = 0xfedcba9876543210
# local_838 = 0x8796a5b4c3d2e1f0
# local_830 = 0xf1e2d3c4b5a6978
# local_858 = 0x706050403020100
# local_850 = 0xf0e0d0c0b0a0908

# Konwersja 64-bitowych liczb na bajty (little-endian)
key = (0xefcdab8967452301).to_bytes(8, byteorder='little') + \
(0xfedcba9876543210).to_bytes(8, byteorder='little') + \
(0x8796a5b4c3d2e1f0).to_bytes(8, byteorder='little') + \
(0x0f1e2d3c4b5a6978).to_bytes(8, byteorder='little')

iv = (0x0706050403020100).to_bytes(8, byteorder='little') + \
(0x0f0e0d0c0b0a0908).to_bytes(8, byteorder='little')

# Otwieranie plików
with open('flag.txt.enc', 'rb') as encrypted_file:
cipher = AES.new(key, AES.MODE_CFB, iv, segment_size=128)

encrypted_data = encrypted_file.read()

decrypted_data = cipher.decrypt(encrypted_data)

print(decrypted_data)
  • Title: PatriotCTF2024 WP
  • Author: clev1L
  • Created at : 2024-09-21 17:09:19
  • Updated at : 2025-02-23 12:29:57
  • Link: https://github.com/clev1l/2024/09/21/PatriotCTF2024-WP/
  • License: This work is licensed under CC BY-NC-SA 4.0.
Comments