I want to generate a keygen in python with z3. here is the validation function:
def f(a):
a = ord(a)
if a <= 47 or a > 57:
if a <= 64 or a > 98:
exit()
else:
return a - 55
else:
return a - 48
def validate(key):
if len(key) != 16:
return False
for k in key:
if f(k)%2== 0:
return False
return True
I tried to write a solver for this
from z3 import *
solver = Solver()
def f_z3(a):
return If(
Or(a<=47, a>57),
If(
Or(a<=64, a>98),
False, # exit()???
a -55
),
a -48
)
key = IntVector("key", 16)
for k in key:
solver.add(f_z3(k)%2==0)
solver.check()
print(solver.model())
and here is the output
[key__1 = 48,
key__10 = 48,
key__9 = 48,
key__15 = 48,
key__6 = 48,
key__8 = 48,
key__4 = 48,
key__0 = 48,
key__14 = 48,
key__11 = 48,
key__7 = 48,
key__5 = 48,
key__2 = 48,
key__12 = 48,
key__13 = 48,
key__3 = 48]
Which returns the key "0000000000000000", but validate("0000000000000000") return False.
I know that the problem is in the f_z3
function, I don't know how to express the exit()
inside the if, I want something always False. But instead am just returning False.
Any idea how to solve this problem?
For the second point I didn't notice, I was more concentrate in the first one. returning 1 doesn't solve my problem sins I just simplified the real problem with a smaller example. I want a general solution for this pattern.
I found this pattern which is working now
So my first function will be something like
I still search a better approach to solve this kind of pattern, something that tell the If condition to be always False.