-
Notifications
You must be signed in to change notification settings - Fork 1
Expand file tree
/
Copy pathsolver.py
More file actions
176 lines (138 loc) · 6.68 KB
/
solver.py
File metadata and controls
176 lines (138 loc) · 6.68 KB
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
import numpy as np
import pycosat
import subprocess
import tempfile
import argparse
from encoder import create_sudoku_vars, minimal_encoding, extended_encoding, efficient_encoding, to_cnf_string
def get_data(filename, n_sudokus=1000):
quizzes = np.zeros((n_sudokus, 81), np.int32)
solutions = np.zeros((n_sudokus, 81), np.int32)
for i, line in enumerate(open(filename, 'r').read().splitlines()[1:]):
if i >= n_sudokus:
break;
quiz, solution = line.split(",")
for j, q_s in enumerate(zip(quiz, solution)):
q, s = q_s
quizzes[i, j] = q
solutions[i, j] = s
return quizzes.reshape((-1, 9, 9)), solutions.reshape((-1, 9, 9))
def decode_solution(cnf_solution, indices):
"""
Decode a DIMACS solution into a sudoku matrix.
"""
sol_array = np.zeros((9,9), dtype=np.int)
for literal in cnf_solution:
if literal > 0:
(i, j, k) = indices[literal]
sol_array[i-1][j-1] = k
return sol_array
if __name__ == "__main__":
parser = argparse.ArgumentParser("solver")
parser.add_argument("path", type=str)
parser.add_argument("num_sudokus", type=int)
parser.add_argument("variant", help="best, novelty, rnovelty", type=str)
args = parser.parse_args()
quizzes, solutions = get_data(args.path, args.num_sudokus)
print("Shape of quizzes:", quizzes.shape)
print("Shape of solutions:", solutions.shape)
names, indices = create_sudoku_vars(n = 9)
min_encoding = minimal_encoding(names)
eff_encoding = efficient_encoding(names)
ext_encoding = extended_encoding(names)
zchaff_overall_stats = list()
walksat_overall_stats = list()
for idx, quiz in enumerate(quizzes):
encodings = [e.copy() for e in [min_encoding, eff_encoding, ext_encoding]]
for i in range(9):
for j in range(9):
value = quiz[i][j]
if value > 0:
pos_literal = [int(names[i, j, value - 1])]
for e in encodings:
e.append(pos_literal)
min_encod_cnf = to_cnf_string(encodings[0])
eff_encod_cnf = to_cnf_string(encodings[1])
ext_encod_cnf = to_cnf_string(encodings[2])
for i, e in enumerate([min_encod_cnf, eff_encod_cnf, ext_encod_cnf]):
tmp = tempfile.NamedTemporaryFile()
tmp.write(e.encode('utf-8'))
# write zChaff result to temporary file
zchaff_result = subprocess.run(['../zchaff64/zchaff', tmp.name], stdout=subprocess.PIPE)
zchaff_stats = zchaff_result.stdout.decode('utf-8')
# write WalkSAT result to temporary file
walksat_result = subprocess.run(['../Walksat_v51/walksat', "-" + args.variant, tmp.name], stdout=subprocess.PIPE)
walksat_stats = walksat_result.stdout.decode('utf-8')
tmp.close()
#
# Parse results.
#
begin_zchaff_solution = zchaff_stats.find('Instance Satisfiable\n') + len('Instance Satisfiable\n')
end_zchaff_solution = zchaff_stats.find('Random Seed') - 1
try:
zchaff_cnf_solution = list(map(int, zchaff_stats[begin_zchaff_solution: end_zchaff_solution].split(' ')))
except ValueError:
print("Problem with zchaff. Output:\n", zchaff_stats)
if not np.array_equal(decode_solution(zchaff_cnf_solution, indices), solutions[idx]):
print(quizzes[idx])
print('Original solution:')
print(solutions[idx])
print('zChaff solution:')
print(decode_solution(zchaff_cnf_solution, indices))
begin_zchaff_stats = zchaff_stats.find('Max Decision Level')
zchaff_stats_list = zchaff_stats[begin_zchaff_stats:].replace('\t', ' ').replace(' ', ' ').replace('\n', ' ').split(" ")
zchaff_stats_list = [x for x in zchaff_stats_list if x != '']
begin_walksat_stats = walksat_stats.find('total elapsed seconds')
end_walksat_stats = max(walksat_stats.find('ASSIGNMENT FOUND'), walksat_stats.find('final numbad level statistics')) - 1
if end_walksat_stats < 0:
print(walksat_stats)
walksat_stats_list = [x.split("=") for x in walksat_stats[begin_walksat_stats:end_walksat_stats].split("\n")]
# zChaff stats
zchaff_stats_dict = {}
for j in range(0, len(zchaff_stats_list)-1, 2):
if zchaff_stats_list[j] == '( Stack + Vsids + Shrinking Decisions )':
continue
zchaff_stats_dict[zchaff_stats_list[j]] = zchaff_stats_list[j+1]
for stat, value in zchaff_stats_dict.items():
try:
zchaff_overall_stats[i][stat].append(float(value))
except IndexError:
zchaff_overall_stats.append(dict())
zchaff_overall_stats[i][stat] = [float(value)]
except KeyError:
zchaff_overall_stats[i][stat] = [float(value)]
# WalkSAT stats
for key_value in walksat_stats_list:
if len(key_value) != 2:
continue
stat = key_value[0].strip()
value = key_value[1].strip()
try:
walksat_overall_stats[i][stat].append(float(value))
except IndexError:
walksat_overall_stats.append(dict())
walksat_overall_stats[i][stat] = [float(value)]
except KeyError:
walksat_overall_stats[i][stat] = [float(value)]
if idx >= 10 and idx % 10 == 0:
print(idx + 1, "quizzes solved.")
#
# Print statistics to standard output.
#
print('\n\nZchaff with (1) minimal encoding, (2) efficient encoding, (3) extended encoding, (4) optimised encoding \n')
for j, stats in enumerate(zchaff_overall_stats):
print("Encoding ({})".format(j+1))
for key in stats.keys():
values = np.array(stats[key])
print(key)
print(" Mean : {}".format(values.mean()))
print(" Standard deviation: {}".format(values.std(ddof=1)))
print()
print('Walksat with (1) minimal encoding, (2) efficient encoding, (3) extended encoding, (4) optimised encoding \n')
for j, stats in enumerate(walksat_overall_stats):
print("Encoding ({})".format(j+1))
for key in stats.keys():
values = np.array(stats[key])
print(key)
print(" Mean : {}".format(values.mean()))
print(" Standard deviation: {}".format(values.std(ddof=1)))
print()