-
Notifications
You must be signed in to change notification settings - Fork 1
/
utils.py
283 lines (250 loc) · 9.98 KB
/
utils.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
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
import os
import json
import random
import json
import os
import numpy as np
from pathlib import Path
from typing import Iterable, Union, Any
from examples import get_examples
def set_seed(seed: int = 42) -> None:
np.random.seed(seed)
random.seed(seed)
os.environ["PYTHONHASHSEED"] = str(seed)
print(f"Random seed set as {seed}")
def load_jsonl(file: Union[str, Path]) -> Iterable[Any]:
with open(file, "r", encoding="utf-8") as f:
for line in f:
try:
yield json.loads(line)
except:
print("Error in loading:", line)
exit()
def save_jsonl(samples, save_path):
# ensure path
folder = os.path.dirname(save_path)
os.makedirs(folder, exist_ok=True)
with open(save_path, "w", encoding="utf-8") as f:
for sample in samples:
f.write(json.dumps(sample, ensure_ascii=False) + "\n")
print("Saved to", save_path)
def lower_keys(example):
new_example = {}
for key, value in example.items():
if key != key.lower():
new_key = key.lower()
new_example[new_key] = value
else:
new_example[key] = value
return new_example
EXAMPLES = get_examples()
def load_prompt(data_name, prompt_type, num_shots):
if not num_shots:
return []
if data_name in ["gsm_hard", "svamp", "tabmwp", "asdiv", "mawps"]:
data_name = "gsm8k"
if data_name in ["math_oai", "hungarian_exam", "math-oai", "aime24", "amc23"]:
data_name = "math"
if data_name in ["sat_math"]:
data_name = "mmlu_stem"
if data_name in [
"gaokao2024_I",
"gaokao2024_II",
"gaokao_math_qa",
"gaokao2024_mix",
"cn_middle_school",
]:
data_name = "gaokao"
if prompt_type in ["tool-integrated"]:
prompt_type = "tora"
return EXAMPLES[data_name][:num_shots]
PROMPT_TEMPLATES = {
"direct": ("Question: {input}\nAnswer: ", "{output}", "\n\n"),
"cot": ("Question: {input}\nAnswer: ", "{output}", "\n\n\n"),
"pal": ("Question: {input}\n\n", "{output}", "\n---\n"),
"tool-integrated": ("Question: {input}\n\nSolution:\n", "{output}", "\n---\n"),
"self-instruct": ("<|user|>\n{input}\n<|assistant|>\n", "{output}", "\n"),
"tora": ("<|user|>\n{input}\n<|assistant|>\n", "{output}", "\n"),
"wizard_zs": (
"### Instruction:\n{input}\n\n### Response: Let's think step by step.",
"{output}",
"\n\n\n",
),
"platypus_fs": (
"### Instruction:\n{input}\n\n### Response:\n",
"{output}",
"\n\n\n",
),
"deepseek-math": (
"User: {input}\nPlease reason step by step, "
"and put your final answer within \\boxed{{}}.\n\nAssistant:",
"{output}",
"\n\n\n",
),
"kpmath": (
"User: Please reason step by step and put your final answer at the end "
'with "The answer is: ".\n\n{input}\n\nAssistant:',
"{output}",
),
"jiuzhang": (
"## Question\n{input}\n\n## Solution\n",
"{output}",
"\n\n\n",
),
"jiuzhang_tora": (
"## Question\n{input}\n\n## Code Solution\n",
"{output}",
"\n\n\n",
),
"jiuzhang_nl": (
"## Question\n{input}\n\n## Natural Language Solution\n",
"{output}",
"\n\n\n",
),
"mmiqc": (
'Please solve the following problem and put your answer at the end with "The answer is: ".\n\n{input}\n\n',
"{output}",
"\n\n\n",
),
"abel": (
"Question:\n{input}\nAnswer:\nLet's think step by step.\n",
"{output}",
"\n\n",
),
"shepherd": ("{input}\n", "{output}", "\n\n\n"),
"qwen-boxed": (
"<|im_start|>system\nYou are a helpful assistant.<|im_end|>\n"
"<|im_start|>user\n{input}\nPlease reason step by step, and put your final answer within \\boxed{{}}.<|im_end|>\n"
"<|im_start|>assistant\n",
"{output}",
"\n\n",
),
"qwen25-math-cot": (
"<|im_start|>system\nPlease reason step by step, and put your final answer within \\boxed{{}}.<|im_end|>\n"
"<|im_start|>user\n{input}<|im_end|>\n"
"<|im_start|>assistant\n",
"{output}",
"\n\n",
),
"mathstral": (
"{input}\nPlease reason step by step, and put your final answer within \\boxed{{}}.",
"{output}",
"\n\n",
),
"internlm-math-fs": ("Question:{input}\nAnswer:", "{output}", "\n"),
"internlm-math-chat": (
"<|im_start|>user\n{input}<|im_end|>\n" "<|im_start|>assistant\n",
"{output}",
"\n\n",
),
"mistral": (
"[INST] {input}[/INST]",
"{output}",
"\n\n",
),
"numina": ("### Problem: {input}\n### Solution:", " {output}", "\n\n"),
"hierarchical": ("Solve the following math problem in a step-by-step XML format, each step should be enclosed within tags like <Step1></Step1>. For each step enclosed within the tags, determine if this step is challenging and tricky, if so, add detailed explanation and analysis enclosed within <Key> </Key> in this step, as helpful annotations to help you thinking and remind yourself how to conduct reasoning correctly. After all the reasoning steps, summarize the common solution and reasoning steps to help you and your classmates who are not good at math generalize to similar problems within <Generalized></Generalized>. Finally present the final answer within <Answer> </Answer>.\n{input}",
"{output}",
"\n\n"
)
}
def construct_prompt(example, data_name, args):
if args.adapt_few_shot and data_name in [
"gaokao2024_I",
"gaokao2024_II",
"gaokao_math_qa",
"gaokao2024_mix",
"cn_middle_school",
]:
demos = load_prompt(data_name, args.prompt_type, 5)
else:
demos = load_prompt(data_name, args.prompt_type, args.num_shots)
prompt_type = args.prompt_type
if prompt_type == "platypus_fs":
prompt_type = "cot"
if prompt_type == "tool-integrated":
prompt_type = "tora"
# if prompt_type == "hierarchical":
# full_prompt = ("Solve the following math problem in a step-by-step XML format, each step should be enclosed within tags like <Step1></Step1>. For each step enclosed within the tags, determine if this step is challenging and tricky, if so, add detailed explanation and analysis enclosed within <Key> </Key> in this step, as helpful annotations to help you thinking and remind yourself how to conduct reasoning correctly. After all the reasoning steps, summarize the common solution and reasoning steps to help you and your classmates who are not good at math generalize to similar problems within <Generalized></Generalized>. Finally present the final answer within <Answer> </Answer>."
# + full_prompt
# )
# return full_prompt.strip(" ")
prompt_temp = PROMPT_TEMPLATES[args.prompt_type]
splitter = prompt_temp[2]
input_template, output_template, splitter = (
prompt_temp[0],
prompt_temp[1],
prompt_temp[2],
)
if args.prompt_type == "qwen25-math-cot":
# Hotfix to support putting all demos into a single turn
demo_prompt = splitter.join([q + "\n" + a for q, a in demos])
else:
demo_prompt = splitter.join(
[
input_template.format(input=q) + output_template.format(output=a)
for q, a in demos
]
)
context = input_template.format(input=example["question"])
if len(demo_prompt) == 0 or (
args.adapt_few_shot and example["gt_ans"] not in ["A", "B", "C", "D", "E"]
):
full_prompt = context
else:
if args.prompt_type == "qwen25-math-cot":
# Hotfix to supportting put all demos into a single turn
full_prompt = demo_prompt + splitter + example["question"]
full_prompt = input_template.format(input=full_prompt)
else:
full_prompt = demo_prompt + splitter + context
if args.prompt_type == "platypus_fs":
full_prompt_temp = (
"Below is an instruction that describes a task. "
"Write a response that appropriately completes the request.\n\n"
"### Instruction:\n{instruction}\n\n### Response:\n"
)
full_prompt = full_prompt_temp.format(instruction=full_prompt)
if prompt_type == "tora":
full_prompt = (
"""Integrate step-by-step reasoning and Python code to solve math problems using the following guidelines:
- Analyze the question and write functions to solve the problem; the function should not take any arguments.
- Present the final result in LaTeX using a `\boxed{}` without any units.
- Utilize the `pi` symbol and `Rational`` from Sympy for $\pi$ and fractions, and simplify all fractions and square roots without converting them to decimal values.
Here are some examples you may refer to:
---
"""
+ full_prompt
)
if prompt_type == "hierarchical":
full_prompt = full_prompt
return full_prompt.strip(" ") # important!
key_map = {
"gt": "Ground Truth",
"pred": "Prediction",
"gt_cot": "Reference CoT",
"score": "Score",
}
def show_sample(sample, print_all_preds=False):
print("==" * 20)
for key in ["idx", "type", "level", "dataset"]:
if key in sample:
# capitalize
print("{}: {}".format(key[0].upper() + key[1:], sample[key]))
print("Question:", repr(sample["question"]))
if "code" in sample:
if print_all_preds:
for code in sample["code"]:
print("-" * 20)
print("code:", code)
print("Execution:", sample["report"])
else:
print("Solution:\n", sample["code"][0])
print("Execution:", sample["report"][0])
if "pred" in sample:
print("Prediction:", repr(sample["pred"][0]))
for key in ["gt", "score", "unit", "gt_cot"]:
if key in sample:
_key = key_map.get(key, key)
print("{}: {}".format(_key, repr(sample[key])))
print()