-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathsmartserving
executable file
·187 lines (142 loc) · 5.92 KB
/
smartserving
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
#!/usr/bin/python3
import argparse
from pathlib import Path
from typing import List, Dict
import subprocess
import json
from datetime import datetime
import logging
import os
import shutil
# gloabl config
HYPER_PARAMS_FILENAME_KEY = "hparams_config"
MAIN_MODEL_KEY = "model_main"
DRAFT_MODEL_KEY = "model_draft"
ARTIFACT_CONFIG_FILENAME = "workspace.json"
MODEL_VOCAB_FILENAME = "vocab"
EXECUTABLE_PATH_KEY = "executables"
MODEL_CONFIG_FILENAME = "model.json"
QNN_LIB_DIR_NAME = "qnn_libs"
logging.basicConfig(
filename=f'smartserving_{datetime.today().strftime("%Y_%m_%d")}.log',
level=logging.INFO,
format="[%(asctime)s] - [%(levelname)s] - %(funcName)s - %(message)s",
datefmt="%Y-%m-%d-%H:%M:%S",
)
root_folder = Path(".").absolute()
logging.info(f"current root: {root_folder}")
default_hparams = {
"n_threads": 4,
"batch_size": 1024,
# Default to greedy sampling (top_k = 1) without repeat penalty (penalty_repeat = 1).
"sampler": {
"seed": 0,
"temperature": 1.0,
"top_p": 1.0,
"top_k": 1,
"min_keep": 0,
"penalty_last_n": 64,
"penalty_repeat": 1,
"penalty_freq": 0,
"penalty_present": 0,
"penalize_nl": False,
"ignore_eos": False,
},
}
def execute_command(cmd_args):
cmd = " ".join(map(str, cmd_args))
print(f"> {cmd}")
p = subprocess.Popen(cmd, shell=True, stderr=subprocess.PIPE, encoding="utf-8")
p.wait()
if p.returncode != 0:
error_info = p.stderr.read()
logging.error(error_info)
print(error_info)
assert p.returncode == 0
def read_json(path: Path) -> Dict:
config = {}
with open(path, "r") as fp:
config = json.load(fp)
return config
def write_json(path: Path, config: Dict):
with open(path, "w") as fp:
json.dump(config, fp, indent=4)
def get_directories(path: Path):
if not os.path.exists(path):
print(f"{path} not exist")
return []
items = os.listdir(path)
directories = [item for item in items if os.path.isdir(os.path.join(path, item))]
return directories
def get_files(path: Path):
if not os.path.exists(path):
print(f"{path} not exist")
return []
file_names = os.listdir(path)
files = [file for file in file_names if os.path.isfile(os.path.join(path, file))]
return files
def prepare_qnn_libs(out_path: Path):
qnn_sdk_folder = os.getenv("QNN_SDK_ROOT")
assert qnn_sdk_folder, "QNN_SDK_ROOT is not set"
qnn_sdk_folder = Path(qnn_sdk_folder)
qnn_libs_path = out_path / QNN_LIB_DIR_NAME
if not qnn_libs_path.exists():
qnn_libs_path.mkdir(parents=True, exist_ok=True)
hexagon_versions = [d for d in get_directories(qnn_sdk_folder / "lib") if "hexagon-" in d]
for hexagon_version in hexagon_versions:
qnn_libs_folder = qnn_sdk_folder / "lib" / hexagon_version / "unsigned"
if qnn_libs_folder.exists():
execute_command(["cp", "-r", f"{qnn_libs_folder}/libQnnHtpV*", qnn_libs_path, "| true"])
universal_libs = ["libQnnHtp.so", "libQnnSystem.so"]
android_libs_path = Path(qnn_sdk_folder) / "lib" / "aarch64-android"
for lib in universal_libs:
execute_command(["cp", "-r", f"{android_libs_path}/{lib}", qnn_libs_path])
execute_command(["cp", "-r", f"{android_libs_path}/libQnnHtpV*Stub.so", qnn_libs_path, "| true"])
def smart_create(args):
out_path: Path = args.out_path
main_model_path: Path = args.main_model
draft_model_path: Path = args.draft_model
exe_path: Path = args.exe_path
if not out_path.exists():
out_path.mkdir(parents=True, exist_ok=True)
assert out_path.is_dir(), f"{out_path} is not a directory"
artifact_config = {}
artifact_config[EXECUTABLE_PATH_KEY] = "bin"
bin_path = out_path / artifact_config[EXECUTABLE_PATH_KEY]
if not bin_path.exists():
bin_path.mkdir(parents=True, exist_ok=True)
if exe_path:
execute_command(["cp", "-r", exe_path / "*", bin_path])
artifact_config[HYPER_PARAMS_FILENAME_KEY] = "hparams.json"
write_json(out_path / artifact_config[HYPER_PARAMS_FILENAME_KEY], default_hparams)
artifact_config[MAIN_MODEL_KEY] = str(main_model_path.name)
main_model_abspath = out_path / artifact_config[MAIN_MODEL_KEY]
if not main_model_abspath.exists():
main_model_abspath.mkdir(parents=True, exist_ok=True)
execute_command(["cp", "-r", main_model_path / "*", main_model_abspath])
main_config = read_json(out_path / artifact_config[MAIN_MODEL_KEY] / MODEL_CONFIG_FILENAME)
if draft_model_path:
artifact_config[DRAFT_MODEL_KEY] = str(draft_model_path.name)
draft_model_abspath = out_path / artifact_config[DRAFT_MODEL_KEY]
if not draft_model_abspath.exists():
draft_model_abspath.mkdir(parents=True, exist_ok=True)
execute_command(["cp", "-r", draft_model_path / "*", draft_model_abspath])
draft_config = read_json(out_path / artifact_config[DRAFT_MODEL_KEY] / MODEL_CONFIG_FILENAME)
assert main_config["model_id"] != draft_config["model_id"]
else:
artifact_config[DRAFT_MODEL_KEY] = ""
write_json(out_path / ARTIFACT_CONFIG_FILENAME, artifact_config)
prepare_qnn_libs(out_path)
def command():
parser = argparse.ArgumentParser(prog="SmartServing", description="SmartServing CommandLine Tool")
subparser = parser.add_subparsers()
# ============== Create ==============
create_parser = subparser.add_parser("create")
create_parser.add_argument("-m", "--main-model", type=Path, required=True, help="Main model path")
create_parser.add_argument("-d", "--draft-model", type=Path, help="Draft model path", default=None)
create_parser.add_argument("-o", "--out-path", type=Path, default=Path("./proj/"), help="Output path")
create_parser.add_argument("--exe-path", type=Path, required=True, default=None)
create_parser.set_defaults(func=smart_create)
args = parser.parse_args()
args.func(args)
command()