-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathterm_proxy.py
216 lines (186 loc) · 7.44 KB
/
term_proxy.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
203
204
205
206
207
208
209
210
211
212
213
214
215
216
#!/usr/bin/env python
desc = (
'''Run a forign terminal program with the ability to automate some interaction
''')
help_patterns = (
'''Patterns files allow some automation based on the output of the forign
program. The first line of the pattern file should specify a seperator for the
subsequent lines, by using it to seperate the words 'pattern', 'action', and
'translation'. Example, using ' ===== ' as the seperator:
pattern ===== action ===== translation
The file follows these headers; the first element on each line should be a
regular expression pattern, followed by an action, followed by a formatting
string. If a line outputted by the forign program matches the pattern, the
action will be applied. The following actions are supported:
respond: the formatted string will be sent to the forign programs stdin
replace: the formatted string will be printed instead of the original line
print: the formatted string will be printed along with the original line
filter: nothing will be printed
function: the function named by the formatted string from the
user_functions file will be called.
The formatting strings will be formatted with numbers in braces replaced by
the group from the expression. Example, using the above seperator:
login: (w+) ===== replace ===== The user {1} has logged in.
Whenever the forign program prints a login message the more verbose version
will be printed to the screen.
'''
)
import argparse
import os
import re
import readline
import signal
import subprocess
import sys
from fcntl import fcntl, F_GETFL, F_SETFL
from select import select
from time import sleep
import user_functions
def set_nonblocking(fileobj):
fd = fileobj.fileno()
flag = fcntl(fd, F_GETFL)
fcntl(fd, F_SETFL, flag | os.O_NONBLOCK)
COMMAND = object()
OUTPUT = object()
class Forign(subprocess.Popen):
def __init__(self, args, include_err):
stderr = subprocess.STDOUT if include_err else None
super(Forign, self).__init__(args, stdin=subprocess.PIPE,
stdout=subprocess.PIPE,
stderr=stderr)
set_nonblocking(self.stdout)
def sendline(self, line):
self.stdin.write(''.join((line, '\n')))
def __iter__(self):
trfds = [sys.stdin, self.stdout]
outbuf = ''
while self.returncode is None:
try:
rfds, _, xfds = select(trfds, [], trfds)
except KeyboardInterrupt:
self.send_signal(signal.SIGINT)
if xfds:
self.poll()
continue # TODO: handle exceptions?
if sys.stdin in rfds:
try:
yield (COMMAND, raw_input())
except EOFError:
self.stdin.flush()
self.stdin.close()
if self.stdout in rfds:
data = self.stdout.read()
outbuf = ''.join((outbuf, data))
lines = outbuf.split('\n')
outbuf = lines[-1]
if len(lines) > 1:
sys.stdout.write('\r')
for line in lines[:-1]:
yield (OUTPUT, line)
sys.stdout.write(outbuf)
sys.stdout.flush()
#readline.redisplay()
if data == '':
self.poll()
RESPOND = object()
REPLACE = object()
FILTER = object()
PRINT = object()
FUNCTION = object()
class Patterns(object):
flpat = re.compile(r'pattern(.+)action\1translation(\s+.*)?')
gprefix = 'tpp'
actions = {
'respond': RESPOND,
'replace': REPLACE,
'filter': FILTER,
'print': PRINT,
'function': FUNCTION,
}
def __init__(self, files):
self.patterns = []
self.codes = []
for pf in files:
with pf:
first = pf.readline()
match = self.flpat.match(first)
if match is None:
pass # TODO: some kind of warning for bad files?
else:
sep = match.group(1)
self.add_patterns(line[:-1].split(sep)
for line in pf if sep in line)
merge = []
for i, pat in enumerate(self.codes):
merge.append("(?P<%s%d>%s)" % (self.gprefix, i, pat))
self.master = re.compile('|'.join(merge))
def add_patterns(self, patterns):
for pat, act, trans in patterns:
try:
cpat = re.compile(pat)
act = self.actions[act]
except re.error, KeyError:
continue # TODO: warn about error?
else:
self.codes.append(pat)
self.patterns.append((cpat, act, trans))
def matches(self, string):
mmatch = self.master.match(string)
if mmatch:
for key in mmatch.groupdict().iterkeys():
if key.startswith(self.gprefix):
index = int(key[len(self.gprefix):])
pat, act, trans = self.patterns[index]
match = pat.match(string)
yield (act, trans.format(*match.groups()))
def proxy(ns):
patterns = Patterns(ns.pattern_files)
forign = Forign(ns.command, ns.include_err)
for event, content in forign:
if event is COMMAND:
forign.sendline(content)
elif event is OUTPUT:
print_ = True
for action, ncont in patterns.matches(content):
if action is RESPOND:
forign.sendline(ncont)
elif action is REPLACE:
print '\r', ncont
print_ = False
elif action is PRINT:
print ncont
elif action is FILTER:
print_ = False
elif action is FUNCTION:
getattr(user_functions, ncont)(content, forign.sendline)
if print_:
print '\r', content
#sys.stdout.write(''.join((ns.prompt, ' ')))
#sys.stdout.flush()
#readline.redisplay()
return 0
def main():
parser = argparse.ArgumentParser(description=desc)
parser.add_argument('-H', '--pattern-file', action='append',
type=argparse.FileType('r'), dest='pattern_files',
default=[],
help='A file specifying regex patterns for'
' call/response functionality')
parser.add_argument('--help-patterns', action='version',
version=help_patterns,
help='Show info on patterns files')
parser.add_argument('-e', '--include-err', action='store_true',
dest='include_err',
help='Also apply pattern actions to stderr output')
parser.add_argument('-l', '--unlined-output', action='store_true',
dest='unlined',
help='Don\'t assume the forign program always outputs'
' full lines all at once')
parser.add_argument('-p', '--prompt', action='store',
dest='prompt', default='=',
help='Change prompt character(s)')
parser.add_argument('-c', nargs=argparse.REMAINDER, dest='command',
help='The command to execute')
proxy(parser.parse_args())
if __name__ == '__main__':
sys.exit(main())