forked from wgslsmith/wgslsmith
-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathbuild.py
executable file
·205 lines (152 loc) · 5.97 KB
/
build.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
#!/usr/bin/env python3
import argparse
import os
import shutil
import subprocess
from pathlib import Path
def parse_args():
parser = argparse.ArgumentParser()
parser.add_argument("task", nargs="?", default="wgslsmith")
parser.add_argument("--target")
parser.add_argument("--install-prefix")
parser.add_argument("--no-reducer", action="store_true")
parser.add_argument("--no-harness", action="store_true")
parser.add_argument("--dawn-path", default=f"{os.getcwd()}/external/dawn")
parser.add_argument("--update-depot-tools", action="store_true")
return parser.parse_args()
args = parse_args()
def get_cargo_host_target():
output = subprocess.check_output(["cargo", "-Vv"]).decode()
for line in output.splitlines():
if line.startswith("host:"):
return line.split(":")[1].strip()
root_dir = Path(os.path.realpath(__file__)).parent
host_target = get_cargo_host_target()
build_target = args.target if args.target is not None else host_target
is_cross = args.target is not None and host_target != args.target
dawn_src_dir = Path(args.dawn_path)
dawn_build_dir = Path(f"build/dawn/{build_target}")
def get_commit(git_dir):
output = subprocess.check_output(["git", "--git-dir", git_dir, "rev-parse", "HEAD"])
return output.decode().strip()
def read_gclient_sync_hash():
path = Path("build/dawn/gclient_sync_hash")
if path.exists():
return path.read_text().strip()
def write_gclient_sync_hash(hash):
path = Path("build/dawn/gclient_sync_hash")
path.parent.mkdir(parents=True, exist_ok=True)
path.write_text(hash)
def gen_cmake_build(src_dir: Path, build_dir: Path, args=[], env={}):
build_dir.mkdir(parents=True, exist_ok=True)
cmd = [
"cmake",
"-GNinja",
"-DCMAKE_BUILD_TYPE=Release",
f'-DCMAKE_ARCHIVE_OUTPUT_DIRECTORY={build_dir.absolute().joinpath("lib")}',
"-DTINT_BUILD_HLSL_WRITER=ON",
"-DTINT_BUILD_MSL_WRITER=ON",
"-DTINT_BUILD_SPV_WRITER=ON",
*args,
src_dir.absolute(),
]
cmd_env = os.environ.copy()
cmd_env.update(env)
subprocess.run(cmd, cwd=build_dir, env=cmd_env).check_returncode()
def cmake_build(build_dir: Path, targets=[]):
cmd = ["cmake", "--build", ".", "--target", *targets]
print(f">> {' '.join(cmd)}")
subprocess.run(cmd, cwd=build_dir).check_returncode()
def cargo_build(package, target=None, cwd=None, features=[]):
cmd = ["./cargo", "build", "-p", package, "--release"]
if target:
cmd += ["--target", target]
if len(features) > 0:
cmd += ["--features", ",".join(features)]
cmd += ["--config",f'env.DAWN_SRC_DIR="{dawn_src_dir}"']
print(f">> {' '.join(cmd)}")
subprocess.run(cmd, cwd=cwd).check_returncode()
def bootstrap_gclient_config():
gclient_config = Path(f'{dawn_src_dir}/.gclient')
gclient_config_tmpl = Path(f'{dawn_src_dir}/scripts/standalone.gclient')
if not gclient_config.exists():
shutil.copyfile(gclient_config_tmpl, gclient_config)
def gclient_sync():
dawn_commit = get_commit(f'{dawn_src_dir}/.git')
print(f'dawn commit is: {dawn_commit}')
gclient_sync_hash = read_gclient_sync_hash()
if gclient_sync_hash != dawn_commit:
print("> dawn commit has changed, rerunning gclient sync")
env = os.environ.copy()
if not args.update_depot_tools:
env['DEPOT_TOOLS_UPDATE'] = "0"
subprocess.run(["gclient", "sync"], cwd=dawn_src_dir, env=env).check_returncode()
write_gclient_sync_hash(dawn_commit)
def dawn_gen_cmake():
if is_cross and build_target != "x86_64-pc-windows-msvc":
print(f"cannot build dawn for target '{build_target}' (host={host_target})")
exit(1)
if not dawn_build_dir.exists():
if is_cross and build_target == "x86_64-pc-windows-msvc":
cmake_args = [
f"-DLLVM_NATIVE_TOOLCHAIN={os.environ['LLVM_NATIVE_TOOLCHAIN']}",
f"-DXWIN_CACHE={os.environ['XWIN_CACHE']}",
f"-DCMAKE_TOOLCHAIN_FILE={Path('cmake/WinMsvc.cmake').absolute()}",
]
env = {"CXXFLAGS": "-Wno-float-equal"}
gen_cmake_build(
dawn_src_dir,
dawn_build_dir,
cmake_args,
env,
)
else:
gen_cmake_build(dawn_src_dir, dawn_build_dir)
def build_tint():
print(f"> building tint (target={build_target})")
cmake_build(dawn_build_dir, ["tint"])
def build_wgslsmith():
print(f"> building wgslsmith (target={build_target})")
features = []
if not args.no_reducer:
features.append("reducer")
if not args.no_harness:
features.append("harness")
cargo_build("wgslsmith", target=args.target, features=features)
def build_dawn():
print(f"> building dawn (target={build_target})")
cmake_build(dawn_build_dir, ["dawn_native", "dawn_proc"])
def build_harness():
print(f"> building harness (target={build_target})")
cargo_build("harness", target=args.target)
if args.task not in {"wgslsmith", "harness", "install"}:
print(f"invalid task: {args.task}")
exit(1)
print(f"> task: {args.task}")
if args.task == "install":
prefix = Path(args.install_prefix if args.install_prefix else "/usr/local/bin")
wgslsmith = Path("target/release/wgslsmith").absolute()
link = prefix.joinpath("wgslsmith")
if not wgslsmith.exists():
print(f"'{wgslsmith}' does not exist, make sure to run './build.py wgslsmith'")
elif not link.exists():
print(f"> linking '{link}' to '{wgslsmith}'")
link.symlink_to(wgslsmith)
else:
print(f"'{link}' already exists")
exit(0)
tasks = [
bootstrap_gclient_config,
gclient_sync,
dawn_gen_cmake,
]
if args.task == "wgslsmith":
if not args.no_reducer:
tasks += [build_tint]
if not args.no_harness:
tasks += [build_dawn]
tasks += [build_wgslsmith]
elif args.task == "harness":
tasks += [build_dawn, build_harness]
for task in tasks:
task()