manifests/hack/generate_legacy_kustomizati...

186 lines
5.9 KiB
Python

"""Generate legacy kustomization YAMLs.
This script generates kustomization YAMLs based on the kustomizations created
by kfctl to be used in unittests.
Prior to the big kustomize v3 refactor (see http://bit.ly/kf_kustomize_v3 and
https://github.com/kubeflow/manifests/issues/774) the kustomization.yaml
files were generated by kfctl as opposed to checked into kubeflow/manifests.
Therefore to generate unittests we wanted to create kustomization.yaml files
that are similar to those generated by kfctl. These kustomization.yaml files
can then be used to generate the golden set of expected output by
running kustomize build.
Here's how this works.
1. The script takes as input to the path to a ${KFAPP}/${KFDEF}.yaml
for which kfctl build was run.
2. The script recourses over all the directories in ${KFAPP}/kustomize
3. For each ${KFAPP}/kustomize/{APP}/kustomization.yaml the script
creates an a corresponding to test in
${GIT_MANIFESTS}/tests/legacy/${APP}/kustomization.yaml
This is primarily intended as onetime script. Once the kustomization.yaml
files are generated and checked in there should be no reason to rerun it.
Related issues:https://github.com/kubeflow/manifests/issues/1014
"""
import fire
import logging
import os
import shutil
import yaml
# Which apps to skip. These are apps which had some edge case that it wasn't
# worth dealing with. It would just make more sense to generate
# the tests manually
#
# mysql and minio don't work because we need to combine the configMapGenerators
# in base and in an overlay to properly define all the parameters.
# We are in the process of getting rid of all the KFDef magic (
# https://github.com/kubeflow/manifests/issues/774) and checking in the
# actual kustomization.yaml files. So fixing it for these two packages didn't
# seem worth it.
APPS_TO_SKIP = ["mysql", "minio"]
def build_configmap_generators(kustomize_dir):
"""Return a dictionary mapping configMapGenerator name to files.
The dictionary will be used to copy over the files to the test directory
and generate an updated configMapGenerator in the kustomization.yaml
Returns:
dict: config map name to list of files used for the configmap generator
"""
kustomize_file = os.path.join(kustomize_dir, "kustomization.yaml")
with open(kustomize_file) as hf:
kustomize = yaml.load(hf)
generators = {}
for g in kustomize.get("configMapGenerator", []):
p_files = g.get("envs", [])
if "env" in g:
p_files.append(g["env"])
generators[g["name"]] = [os.path.join(kustomize_dir, f) for f in p_files]
return generators
class GenerateLegacyTests:
@staticmethod
def generate(kfdef, test_path):
"""Generate the kustomization.yaml files.
Args:
kfdef: Path to the kfdef file.
test_path: The path where the tests should be written.
"""
this_dir = os.path.dirname(__file__)
repo_root = os.path.abspath(os.path.join(this_dir, ".."))
test_path = os.path.abspath(test_path)
# Figure out how many ".." we will need to add to the resource specs
# to get to the root of the repo.
if not test_path.startswith(repo_root):
raise ValueError("Test path {test_path} is not under {repo_root}")
rtest_path = test_path[len(repo_root):]
# Add 1 for the kustomize dir
num_parents = len(rtest_path.split(os.path.sep))
# Open up the kfdef file.
with open(os.path.join(kfdef)) as fh:
kfdef_spec = yaml.load(fh)
# Map each application to its relative path.
apps = {}
for a in kfdef_spec["spec"]["applications"]:
apps[a["name"]] = a["kustomizeConfig"]["repoRef"]["path"]
kfapp_dir = os.path.dirname(kfdef)
kustomize_dir = os.path.join(kfapp_dir, "kustomize")
for d in os.listdir(kustomize_dir):
if d in APPS_TO_SKIP:
logging.info(f"Skipping {d}")
continue
kustomize_file = os.path.join(kustomize_dir, d, "kustomization.yaml")
if not d in apps:
logging.info(f"Skipping {d}; not an application")
if not os.path.exists(kustomize_file):
logging.info(f"Skipping {d}; {kustomize_file} does not exist.")
continue
with open(kustomize_file) as fh:
kustomization = yaml.load(fh)
# Rewrite the paths to resources to source resources from the manifests
# tree
for f in ["bases", "configurations", "resources", "patches",
"patchesStrategicMerge"]:
new = []
for b in kustomization.get(f, []):
pieces = [".."] * num_parents
pieces.append(apps[d])
pieces.append(b)
new.append(os.path.join(*pieces))
kustomization[f] = new
# Build any patches for configmaps
generators = build_configmap_generators(os.path.join(kustomize_dir, d, "base"))
app_test_dir = os.path.join(test_path, d)
if not os.path.exists(app_test_dir):
os.makedirs(app_test_dir)
# write the generators
params_index = 0
kustomization["configMapGenerator"] = []
for name, files in generators.items():
g = {
"name": name,
"envs": [],
"behavior": "merge"
}
for f in files:
pfile = f"params_{params_index}.env"
g["envs"].append(pfile)
shutil.copy2(f, os.path.join(app_test_dir, pfile))
params_index += 1
kustomization["configMapGenerator"].append(g)
new_path = os.path.join(app_test_dir, "kustomization.yaml")
logging.info(f"Writing {new_path}")
# Delete any secret in the kustomization.yaml.
for f in ["secretGenerator"]:
if f in kustomization:
del kustomization[f]
with open(new_path, "w") as fh:
yaml.dump(kustomization, fh)
if __name__ == "__main__":
logging.basicConfig(
level=logging.INFO,
format=('%(levelname)s|%(asctime)s'
'|%(pathname)s|%(lineno)d| %(message)s'),
datefmt='%Y-%m-%dT%H:%M:%S',
)
logging.getLogger().setLevel(logging.INFO)
fire.Fire(GenerateLegacyTests)