forked from johnathan79717/codeforces-parser
-
Notifications
You must be signed in to change notification settings - Fork 0
/
parse.py
executable file
·234 lines (210 loc) · 8.23 KB
/
parse.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
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
#!/usr/bin/env python
# Python 2->3 libraries that were renamed.
try:
from urllib2 import urlopen
except:
from urllib.request import urlopen
try:
from HTMLParser import HTMLParser
except:
from html.parser import HTMLParser
# Other libraries.
from sys import argv
from subprocess import call
from functools import partial, wraps
import re
import os
import shutil
# User modifiable constants:
TEMPLATE='main.cc'
PYTEMPLATE='main.py'
PYTESTER='test.py'
COMPILE_CMD='g++ -g -std=c++0x -Wall $DBG'
SAMPLE_INPUT='input'
SAMPLE_OUTPUT='output'
MY_OUTPUT='my_output'
# Do not modify these!
VERSION='CodeForces Parser v1.5: https://github.com/johnathan79717/codeforces-parser'
RED_F='\033[31m'
GREEN_F='\033[32m'
BOLD='\033[1m'
NORM='\033[0m'
TIME_CMD='`which time` -o time.out -f "(%es)"'
TIME_AP='`cat time.out`'
# Problems parser.
class CodeforcesProblemParser(HTMLParser):
def __init__(self, folder):
HTMLParser.__init__(self)
self.folder = folder
self.num_tests = 0
self.testcase = None
self.start_copy = False
def handle_starttag(self, tag, attrs):
if tag == 'div':
if attrs == [('class', 'input')]:
self.num_tests += 1
self.testcase = open(
'%s/%s%d' % (self.folder, SAMPLE_INPUT, self.num_tests), 'w')
elif attrs == [('class', 'output')]:
self.testcase = open(
'%s/%s%d' % (self.folder, SAMPLE_OUTPUT, self.num_tests), 'w')
elif tag == 'pre':
if self.testcase != None:
self.start_copy = True
def handle_endtag(self, tag):
if tag == 'br':
if self.start_copy:
self.testcase.write('\n')
self.end_line = True
if tag == 'pre':
if self.start_copy:
if not self.end_line:
self.testcase.write('\n')
self.testcase.close()
self.testcase = None
self.start_copy = False
def handle_entityref(self, name):
if self.start_copy:
self.testcase.write(self.unescape(('&%s;' % name)))
def handle_data(self, data):
if self.start_copy:
self.testcase.write(data)
self.end_line = False
# Contest parser.
class CodeforcesContestParser(HTMLParser):
def __init__(self, contest):
HTMLParser.__init__(self)
self.contest = contest
self.start_contest = False
self.start_problem = False
self.name = ''
self.problem_name = ''
self.problems = []
self.problem_names = []
def handle_starttag(self, tag, attrs):
if self.name == '' and attrs == [('style', 'color: black'), ('href', '/contest/%s' % (self.contest))]:
self.start_contest = True
elif tag == 'option':
if len(attrs) == 1:
regexp = re.compile(r"u'[A-Z].*'")
string = str(attrs[0])
search = regexp.search(string)
if search is not None:
self.problems.append(search.group(0).split("'")[-2])
self.start_problem = True
def handle_endtag(self, tag):
if tag == 'a' and self.start_contest:
self.start_contest = False
elif self.start_problem:
self.problem_names.append(self.problem_name)
self.problem_name = ''
self.start_problem = False
def handle_data(self, data):
if self.start_contest:
self.name = data
elif self.start_problem:
self.problem_name += data
# Parses each problem page.
def parse_problem(folder, contest, problem):
url = 'http://codeforces.com/contest/%s/problem/%s' % (contest, problem)
html = urlopen(url).read()
parser = CodeforcesProblemParser(folder)
parser.feed(html.decode('utf-8'))
# .encode('utf-8') Should fix special chars problems?
return parser.num_tests
# Parses the contest page.
def parse_contest(contest):
url = 'http://codeforces.com/contest/%s' % (contest)
html = urlopen(url).read()
parser = CodeforcesContestParser(contest)
parser.feed(html.decode('utf-8'))
return parser
# Generates the test script.
def generate_test_script(folder, num_tests, problem):
with open(folder + 'test.sh', 'w') as test:
test.write(
('#!/bin/bash\n'
'DBG=""\n'
'while getopts ":d" opt; do\n'
' case $opt in\n'
' d)\n'
' echo "-d was selected; compiling in DEBUG mode!" >&2\n'
' DBG="-DDEBUG"\n'
' ;;\n'
' \?)\n'
' echo "Invalid option: -$OPTARG" >&2\n'
' ;;\n'
' esac\n'
'done\n'
'\n'
'if ! '+COMPILE_CMD+' {0}.cc; then\n'
' exit\n'
'fi\n'
'INPUT_NAME='+SAMPLE_INPUT+'\n'
'OUTPUT_NAME='+SAMPLE_OUTPUT+'\n'
'MY_NAME='+MY_OUTPUT+'\n').format(problem))
test.write(
'for test_file in $INPUT_NAME*\n'
'do\n'
' i=$((${{#INPUT_NAME}}))\n'
' test_case=${{test_file:$i}}\n'
' rm -R $MY_NAME*\n'
' if ! {5} ./a.out < $INPUT_NAME$test_case > $MY_NAME$test_case; then\n'
' echo {1}{4}Sample test \#$test_case: Runtime Error{2} {6}\n'
' echo ========================================\n'
' echo Sample Input \#$test_case\n'
' cat $INPUT_NAME$test_case\n'
' else\n'
' if diff --brief $MY_NAME$test_case $OUTPUT_NAME$test_case; then\n'
' echo {1}{3}Sample test \#$test_case: Accepted{2} {6}\n'
' else\n'
' echo {1}{4}Sample test \#$test_case: Wrong Answer{2} {6}\n'
' echo ========================================\n'
' echo Sample Input \#$test_case\n'
' cat $INPUT_NAME$test_case\n'
' echo ========================================\n'
' echo Sample Output \#$test_case\n'
' cat $OUTPUT_NAME$test_case\n'
' echo ========================================\n'
' echo My Output \#$test_case\n'
' cat $MY_NAME$test_case\n'
' echo ========================================\n'
' fi\n'
' fi\n'
'done\n'
.format(num_tests, BOLD, NORM, GREEN_F, RED_F, TIME_CMD, TIME_AP))
if os.name in ['posix']:
call(['chmod', '+x', folder + 'test.sh'])
# Main function.
def main():
print (VERSION)
if(len(argv) < 2):
print('USAGE: ./parse.py 512')
return
contest = argv[1]
# Find contest and problems.
print ('Parsing contest %s, please wait...' % contest)
content = parse_contest(contest)
print (BOLD+GREEN_F+'*** Round name: '+content.name+' ***'+NORM)
print ('Found %d problems!' % (len(content.problems)))
# Find problems and test cases.
for index, problem in enumerate(content.problems):
print ('Downloading Problem %s: %s...' % (problem, content.problem_names[index]))
folder = '%s/%s/' % (contest, problem)
if not os.path.exists(folder):
os.makedirs(folder)
# call(['mkdir', '-p', folder])
# call(['cp', '-n', TEMPLATE, '%s/%s/%s.cc' % (contest, problem, problem)])
shutil.copyfile(TEMPLATE, '%s/%s/main.cc' % (contest, problem))
shutil.copyfile(PYTEMPLATE, '%s/%s/main.py' % (contest, problem))
num_tests = parse_problem(folder, contest, problem)
print('%d sample test(s) found.' % num_tests)
# generate_test_script(folder, num_tests, problem)
shutil.copyfile(PYTESTER, '%s/%s/test.py' % (contest, problem))
if os.name in ['posix']:
call(['chmod', '+x', folder + 'test.py'])
print ('========================================')
# print ('Use ./test.sh to run sample tests in each directory.')
print ('Use python test.py to run sample tests in each directory.')
if __name__ == '__main__':
main()