-
Notifications
You must be signed in to change notification settings - Fork 0
/
publish-to-swift
executable file
·167 lines (147 loc) · 4.6 KB
/
publish-to-swift
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
#! /usr/bin/python3
"""Publish a built tarball to Swift for deployment."""
import os
import re
import subprocess
import sys
import tempfile
from argparse import ArgumentParser
def ensure_container_privs(container_name):
"""Ensure that the container exists and is world-readable.
This allows us to give services suitable credentials for getting the
built code from a container.
"""
subprocess.run(["swift", "post", container_name, "--read-acl", ".r:*"])
def get_swift_storage_url():
# This is a bit cumbersome, but probably still easier than bothering
# with swiftclient.
auth = subprocess.run(
["swift", "auth"],
stdout=subprocess.PIPE,
check=True,
text=True,
).stdout.splitlines()
return [
line.split("=", 1)[1]
for line in auth
if line.startswith("export OS_STORAGE_URL=")
][0]
def publish_file_to_swift(
container_name, object_path, local_path, overwrite=True
):
"""Publish a file to a Swift container."""
storage_url = get_swift_storage_url()
already_published = False
# Some swift versions unhelpfully exit 0 regardless of whether the
# object exists.
try:
stats = subprocess.run(
["swift", "stat", container_name, object_path],
stdout=subprocess.PIPE,
stderr=subprocess.DEVNULL,
check=True,
text=True,
).stdout
if re.search(
r"Object: %s$" % re.escape(object_path), stats, flags=re.M
):
already_published = True
except subprocess.CalledProcessError:
pass
if already_published:
print(
"Object {} already published to {}.".format(
object_path, container_name
)
)
if not overwrite:
return
print(
"Publishing {} to {} as {}.".format(
local_path, container_name, object_path
)
)
try:
subprocess.run(
[
"swift",
"upload",
"--object-name",
object_path,
container_name,
local_path,
]
)
except subprocess.CalledProcessError:
sys.exit(
"Failed to upload {} to {} as {}".format(
local_path, container_name, object_path
)
)
print(
"Published file: {}/{}/{}".format(
storage_url, container_name, object_path
)
)
def main():
parser = ArgumentParser()
parser.add_argument("--debug", action="store_true", default=False)
parser.add_argument("container_name")
parser.add_argument("swift_object_path")
parser.add_argument("local_path")
parser.add_argument("build_label")
args = parser.parse_args()
if args.debug:
# Print OpenStack-related environment variables for ease of
# debugging. Only OS_AUTH_TOKEN and OS_PASSWORD currently seem to
# be secret, but for safety we only show unredacted contents of
# variables specifically known to be safe. See "swift --os-help"
# for most of these.
safe_keys = {
"OS_AUTH_URL",
"OS_AUTH_VERSION",
"OS_CACERT",
"OS_CERT",
"OS_ENDPOINT_TYPE",
"OS_IDENTITY_API_VERSION",
"OS_INTERFACE",
"OS_KEY",
"OS_PROJECT_DOMAIN_ID",
"OS_PROJECT_DOMAIN_NAME",
"OS_PROJECT_ID",
"OS_PROJECT_NAME",
"OS_REGION_NAME",
"OS_SERVICE_TYPE",
"OS_STORAGE_URL",
"OS_TENANT_ID",
"OS_TENANT_NAME",
"OS_USERNAME",
"OS_USER_DOMAIN_ID",
"OS_USER_DOMAIN_NAME",
"OS_USER_ID",
}
for key, value in sorted(os.environ.items()):
if key.startswith("OS_"):
if key not in safe_keys:
value = "<redacted>"
print(f"{key}: {value}")
overwrite = "FORCE_REBUILD" in os.environ
ensure_container_privs(args.container_name)
publish_file_to_swift(
args.container_name,
args.swift_object_path,
args.local_path,
overwrite=overwrite,
)
with tempfile.TemporaryDirectory() as tmpdir:
filename = "last-successful-build-label.txt"
with open(os.path.join(tmpdir, filename), "w") as f:
f.write(args.build_label)
publish_file_to_swift(
args.container_name,
filename,
os.path.join(tmpdir, filename),
overwrite=True,
)
if __name__ == "__main__":
main()