-
Notifications
You must be signed in to change notification settings - Fork 38
/
cp_dlls.py
executable file
·244 lines (194 loc) · 8.61 KB
/
cp_dlls.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
#!/usr/bin/env python
"""
%s <src_dir> <dest_dir> [dest_dir2, [dest_dir3, ...]] [flags]
Copies the macOS or Linux build artifacts of the firebase-unity-sdk to the
directory of the Firestore Unity testapp.
This script is designed for use during iterative development. The idea is that
you make changes to a source file, rebuild with cmake --build, then use this
script to copy the build artifacts into a Unity project to test them out.
src_dir
The directory into which the build artifacts of firebase-unity-sdk were
written. This is the directory that was specified to cmake as the -B argument.
dest_dir
The directories of the Unity projects into which to copy the build artifacts.
The same "copy" steps will be repeated for each of these directories. Each of
these Unity projects must have imported FirebaseFirestore.unitypackage at
some point in the past, since this script only publishes a minimal subset of
build artifacts and not everything needed for the Firebase Unity SDK.
"""
# NOTE: This script requires Python 3.9 or newer.
from collections.abc import Iterator, Sequence
import abc
import enum
import fnmatch
import pathlib
import re
import shutil
from typing import Optional
from absl import app
from absl import flags
from absl import logging
FLAG_FILTER = flags.DEFINE_string(
name="filter",
default=None,
help="The names of the files to include when copying; only the files whose "
"names match this filter will be copied. The pattern uses Python's "
"fnmatch module, which recognizes *, ?, and [anychar]. One use case would "
"be to specify *dll so that only the .dll files are copied, since copying "
"the .so files can crash the Unity Editor, and is not necessary if only C# "
"files have been modified.",
)
FLAG_DRY_RUN = flags.DEFINE_boolean(
name="dry_run",
default=False,
help="Log what file operations would be performed, without actually "
"performing them.",
)
def main(argv: Sequence[str]) -> None:
if len(argv) < 2:
raise app.UsageError("src_dir must be specified")
elif len(argv) < 3:
raise app.UsageError("at least one dest_dir must be specified")
src_dir = pathlib.Path(argv[1])
dest_dirs = tuple(pathlib.Path(dest_dir_str) for dest_dir_str in argv[2:])
if FLAG_FILTER.value:
copy_pattern = re.compile(fnmatch.translate(FLAG_FILTER.value))
else:
copy_pattern = None
if FLAG_DRY_RUN.value:
fs = NoOpFileSystem()
else:
fs = RealFileSystem()
for dest_dir in dest_dirs:
copier = BuildArtifactCopier(src_dir, dest_dir, fs, copy_pattern)
copier.run()
@enum.unique
class OS(enum.Enum):
MAC = (".bundle")
LINUX = (".so")
def __init__(self, lib_filename_suffix: str) -> None:
self.lib_filename_suffix = lib_filename_suffix
class FileSystem(abc.ABC):
@abc.abstractmethod
def unlink(self, path: pathlib.Path) -> None:
raise NotImplementedError()
@abc.abstractmethod
def copy_file(self, src: pathlib.Path, dest: pathlib.Path) -> None:
raise NotImplementedError()
class RealFileSystem(FileSystem):
def unlink(self, path: pathlib.Path) -> None:
path.unlink()
def copy_file(self, src: pathlib.Path, dest: pathlib.Path) -> None:
shutil.copy2(src, dest)
class NoOpFileSystem(FileSystem):
def unlink(self, path: pathlib.Path) -> None:
pass
def copy_file(self, src: pathlib.Path, dest: pathlib.Path) -> None:
pass
class BuildArtifactCopier:
def __init__(
self,
src_dir: pathlib.Path,
dest_dir: pathlib.Path,
fs: FileSystem,
copy_pattern: Optional[re.Pattern],
) -> None:
self.src_dir = src_dir
self.dest_dir = dest_dir
self.fs = fs
self.copy_pattern = copy_pattern
def run(self) -> None:
logging.info("Copying build artifacts from %s to %s", self.src_dir, self.dest_dir)
(src_cpp_app_library_os, src_cpp_app_library_file) = self.find_src_cpp_app_library()
self.delete_old_cpp_app_library_files(src_cpp_app_library_os, src_cpp_app_library_file.name)
self.copy_files(src_cpp_app_library_os, src_cpp_app_library_file)
def find_src_cpp_app_library(self) -> tuple[OS, pathlib.Path]:
found_artifacts: list[tuple[OS, pathlib.Path]] = []
logging.info("Searching for C++ library build artifact files in directory: %s", self.src_dir)
for candidate_artifact_path in self.src_dir.iterdir():
for candidate_os in OS:
if candidate_artifact_path.name.endswith(candidate_os.lib_filename_suffix):
logging.info("Found C++ library build artifact file: %s", candidate_artifact_path)
found_artifacts.append((candidate_os, candidate_artifact_path))
if len(found_artifacts) == 0:
raise FirebaseCppLibraryBuildArtifactNotFound(
f"No C++ library build artifact files found in {self.src_dir}, but "
f"expected to find exactly one file whose name ends with one of the "
f"following suffixes: " + ", ".join(os.lib_filename_suffix for os in OS)
)
elif len(found_artifacts) > 1:
raise FirebaseCppLibraryBuildArtifactNotFound(
f"Found {len(found_artifacts)} C++ library build artifacts in "
f"{self.src_dir}, but expected to find exactly one: "
+ ", ".join(found_artifact[1].name for found_artifact in found_artifacts)
)
return found_artifacts[0]
def delete_old_cpp_app_library_files(
self,
os: OS,
src_cpp_app_library_file_name: str
) -> None:
expr = re.compile(r"FirebaseCppApp-\d+_\d+_\d+" + re.escape(os.lib_filename_suffix))
if not expr.fullmatch(src_cpp_app_library_file_name):
raise ValueError(f"invalid filename: {src_cpp_app_library_file_name}")
# Do not delete old CPP app library files if we aren't even copying them
# due to the copy_pattern not matching the file name.
if self.copy_pattern is not None \
and not self.copy_pattern.fullmatch(src_cpp_app_library_file_name):
return
# TODO(dconeybe) Update this logic to also support Mac M1, which probably
# uses a different directory than "x86_64".
x86_64_dir = self.dest_dir / "Assets" / "Firebase" / "Plugins" / "x86_64"
for candidate_dll_file in x86_64_dir.iterdir():
if expr.fullmatch(candidate_dll_file.name):
# Don't delete the file that is going to be overwritten anyways; because
# deleting it is unnecessary and adds noise to the log output.
if candidate_dll_file.name == src_cpp_app_library_file_name:
continue
logging.info("Deleting %s", candidate_dll_file)
self.fs.unlink(candidate_dll_file)
candidate_dll_meta_file = candidate_dll_file.parent \
/ (candidate_dll_file.name + ".meta")
if candidate_dll_meta_file.exists():
logging.info("Deleting %s", candidate_dll_meta_file)
self.fs.unlink(candidate_dll_meta_file)
def copy_files(self, os: OS, src_cpp_app_library_file: pathlib.Path) -> None:
files_to_copy = sorted(self.files_to_copy(os, src_cpp_app_library_file))
for (src_file, dest_file) in files_to_copy:
if self.copy_pattern is None or self.copy_pattern.fullmatch(src_file.name):
logging.info("Copying %s to %s", src_file, dest_file)
self.fs.copy_file(src_file, dest_file)
def files_to_copy(
self,
os: OS,
src_cpp_app_library_file: pathlib.Path
) -> Iterator[tuple[pathlib.Path, pathlib.Path]]:
# As a special case, yield the src_cpp_app_library_file.
# Since its name encodes the version number, which changes over time, we
# cannot simply hardcode it like the other files in the dict below.
dest_cpp_app_library_file = self.dest_dir / "Assets" / "Firebase" \
/ "Plugins" / "x86_64" / src_cpp_app_library_file.name
yield (src_cpp_app_library_file, dest_cpp_app_library_file )
src_file_strs_by_dest_dir_str: dict[str, tuple[str, ...]] = {
"Assets/Firebase/Plugins": (
"app/obj/x86/Release/Firebase.App.dll",
"app/platform/obj/x86/Release/Firebase.Platform.dll",
"app/task_extension/obj/x86/Release/Firebase.TaskExtension.dll",
"auth/obj/x86/Release/Firebase.Auth.dll",
"firestore/obj/x86/Release/Firebase.Firestore.dll",
),
"Assets/Firebase/Plugins/x86_64": (
"firestore/FirebaseCppFirestore" + os.lib_filename_suffix,
"auth/FirebaseCppAuth" + os.lib_filename_suffix,
),
}
# Yield (src_file, dest_file) pairs from the dict above.
for (dest_dir_str, src_file_strs) in src_file_strs_by_dest_dir_str.items():
for src_file_str in src_file_strs:
src_file = self.src_dir / src_file_str
dest_file = self.dest_dir / dest_dir_str / src_file.name
yield (src_file, dest_file)
class FirebaseCppLibraryBuildArtifactNotFound(Exception):
pass
if __name__ == "__main__":
app.run(main)