-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathnasm_shell.py
202 lines (176 loc) · 6.52 KB
/
nasm_shell.py
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
#!/bin/env python3
'''
Copyright (c) 2020 Justin Fisher (Original author)
Copyright (c) 2020 Javier Vidal Ruano (turned the program into a library)
Permission is hereby granted, free of charge, to any person obtaining a copy
of this software and associated documentation files (the "Software"), to deal
in the Software without restriction, including without limitation the rights
to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
copies of the Software, and to permit persons to whom the Software is
furnished to do so, subject to the following conditions:
The above copyright notice and this permission notice shall be included in all
copies or substantial portions of the Software.
THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE
SOFTWARE.'''
import os
from os import system, name
import sys
import subprocess
import tempfile
import readline
import cmd
class NasmException(Exception):
def __init__(self, retcode, msg):
self.retcode = retcode
self.msg = msg.strip()
Exception.__init__(self, msg.strip())
def parse_nasm_err(errstr):
return errstr.split(' ', 1)[1]
def assemble_to_file(asmfile, binfile):
proc = subprocess.Popen(["nasm", "-fbin", "-o", binfile, asmfile],
stdout=subprocess.PIPE, stderr=subprocess.PIPE)
buf_out, buf_err = proc.communicate()
buf_err = buf_err.decode()
if proc.returncode != 0:
raise NasmException(proc.returncode, parse_nasm_err(buf_err))
def parse_disassembly(disas):
cur_opcodes = ''
cur_disas = ''
s = ''
for line in disas.splitlines():
line = line.strip()
if len(line) > 0:
# break out the elements of the line
elems = line.split(None, 2)
if len(elems) == 3:
# starts a new instruction, append previous and clear our state
if len(cur_opcodes) > 0:
s += "%-24s %s\n" % (cur_opcodes, cur_disas)
cur_opcodes = ''
# offset, opcodes, disas-text
cur_disas = elems[2]
cur_opcodes = elems[1]
elif len(elems) == 1 and elems[0][0] == '-':
# continuation
cur_opcodes += elems[0][1:]
# append last instruction
if len(cur_opcodes) > 0:
s += "%-24s %s" % (cur_opcodes, cur_disas)
return s
def disassemble_file(binfile, bits):
proc = subprocess.Popen(["ndisasm", "-b%u"%(bits), binfile],
stdout=subprocess.PIPE, stderr=subprocess.PIPE)
buf_out, buf_err = proc.communicate()
buf_out = buf_out.decode()
buf_err = buf_err.decode()
if proc.returncode != 0:
raise NasmException(proc.returncode, buf_err)
else:
return parse_disassembly(buf_out)
def disassemble(machine_code, bits):
binfile = None
binfd = None
try:
binfd, binfile = tempfile.mkstemp()
os.write(binfd, machine_code)
os.close(binfd)
print(disassemble_file(binfile, bits))
finally:
if binfile:
os.unlink(binfile)
def assemble(asm, bits):
asmfile = None
asmfd = None
binfile = None
try:
asmfd, asmfile = tempfile.mkstemp()
os.write(asmfd, b"[BITS %u]\n_start:\n"%(bits))
os.write(asmfd, asm.encode())
os.write(asmfd, b"\n")
os.close(asmfd)
binfile = asmfile + ".bin"
assemble_to_file(asmfile, binfile)
print(disassemble_file(binfile, bits))
finally:
if asmfile:
os.unlink(asmfile)
if binfile and os.path.exists(binfile):
os.unlink(binfile)
class NasmShell(cmd.Cmd):
def __init__(self, bits=32):
cmd.Cmd.__init__(self)
self.bits = bits
self.disas_mode = False
self.disas_prompt = "exploithelper ndisasm> "
self.assemble_prompt = "exploithelper nasm> "
self.prompt = self.assemble_prompt
if self.bits not in [32, 64]:
raise NasmException(0, 'must be 32 or 64 bits')
def do_bits(self, bits):
'''bits [32,64].\nUsed to set the architecture.\nWhen run without argument, prints the current architecture.'''
if not bits or len(bits) == 0:
print('%u' % (self.bits))
else:
if bits not in ['32','64']:
print('[-] Error: Nasm_shell: do_bits: must be either 32 or 64')
else:
self.bits = int(bits)
def do_bye(self, line):
"""Exit the program with good manners."""
print('[*] Goodbye.')
sys.exit(0)
def do_disas(self, *args):
'''set disassemble mode. Input following should be hexidecimal characters.'''
self.disas_mode = True
self.prompt = self.disas_prompt
print("disas mode")
def do_assemble(self, *args):
'''set assemble mode. Input following should be instructions.'''
self.disas_mode = False
self.prompt = self.assemble_prompt
print("assemble mode")
def do_as(self, *args):
'''an alias for assemble mode'''
self.do_assemble(self)
def do_clear(self, line):
"""Clear the screen."""
# for windows
if name == 'nt':
_ = system('cls')
# for mac and linux(here, os.name is 'posix')
else:
_ = system('clear')
def do_quit(self, *args):
'''quit the program'''
return True
def do_exit(self, *args):
'''an alias for quit'''
return self.do_quit(self, args)
def default(self, line):
if line == 'EOF':
return True
else:
try:
if self.disas_mode:
disassemble(bytes.fromhex(''.join(line.split())), self.bits)
else:
assemble(line.replace(';','\n'), self.bits)
except NasmException as ne:
print(ne)
except TypeError as te:
print (te)
except ValueError as ve:
print ("An even number of hexidecimal digits must appear in byte/opcode")
#bits = 32
#if len(sys.argv) > 1:
# bits = int(sys.argv[1])
#shell = NasmShell(bits)
#shell.cmdloop()
#
## prompt should go below this...
#print("")