Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

Jinja variant expansion #261

Open
wants to merge 3 commits into
base: main
Choose a base branch
from
Open
Show file tree
Hide file tree
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Jump to
Jump to file
Failed to load files.
Diff view
Diff view
2 changes: 1 addition & 1 deletion boa/core/conda_build_spec.py
Original file line number Diff line number Diff line change
Expand Up @@ -138,7 +138,7 @@ def loosen_spec(self):

def __repr__(self):
self.loosen_spec()
return self.final
return str(self.final)

def eval_pin_subpackage(self, all_outputs):
pkg_name = self.name
Expand Down
34 changes: 32 additions & 2 deletions boa/core/recipe_output.py
Original file line number Diff line number Diff line change
Expand Up @@ -117,6 +117,7 @@ def set_section(sname):
self.parent = parent

for section in ("build", "host", "run", "run_constrained"):
print(self.requirements.get(section))
self.requirements[section] = [
CondaBuildSpec(r) for r in (self.requirements.get(section) or [])
]
Expand Down Expand Up @@ -175,9 +176,18 @@ def variant_keys(self):
"host", []
)

for key in all_keys:
if isinstance(key, CondaBuildSpec) and hasattr(key.raw, "missing_keys"):
all_keys += key.raw.missing_keys

for s in self.sections["build"].get("skip", []):
all_keys += ast_extract_syms(s)

for k in all_keys:
print(type(k))
print(k)
# print(all_keys)

return [str(x) for x in all_keys]

def all_requirements(self):
Expand All @@ -192,6 +202,27 @@ def apply_variant(self, variant, differentiating_keys=()):
copied = copy.deepcopy(self)

copied.variant = variant

# TODO we need to do this recursively to also catch list items
for k in self.sections["build"]:
if hasattr(self.sections["build"][k], "missing_keys"):
print("replacing string in ", self.sections["build"][k])
print("with: ", self.sections["build"][k].render(variant))
copied.sections["build"][k] = copied.sections["build"][k].render(
variant
)

for idx, r in enumerate(self.requirements["build"]):
if hasattr(r.raw, "missing_keys"):
copied.requirements["build"][idx] = CondaBuildSpec(
r.raw.render(variant)
)

for idx, r in enumerate(self.requirements["host"]):
if hasattr(r.raw, "missing_keys"):
print("!!! --- RENDERING --- !!! ", r.raw.render(variant))
copied.requirements["host"][idx] = CondaBuildSpec(r.raw.render(variant))

for idx, r in enumerate(self.requirements["build"]):
vname = r.name.replace("-", "_")
if vname in variant:
Expand Down Expand Up @@ -294,11 +325,10 @@ def specs_to_dict(specs):

def __rich__(self):
table = Table(box=rich.box.MINIMAL_DOUBLE_HEAD)
s = f"Output: {self.name} {self.version} BN: {self.build_number}\n"
s = f"Output: {self.name} {self.version} {self.final_build_id} BN: {self.build_number}\n"
if hasattr(self, "differentiating_variant"):
short_v = " ".join([val for val in self.differentiating_variant])
s += f"Variant: {short_v}\n"
s += "Build:\n"
table.title = s
table.add_column("Dependency")
table.add_column("Version requirement")
Expand Down
107 changes: 83 additions & 24 deletions boa/core/render.py
Original file line number Diff line number Diff line change
@@ -1,5 +1,6 @@
# Copyright (C) 2021, QuantStack
# SPDX-License-Identifier: BSD-3-Clause
import copy

from ruamel.yaml import YAML
import jinja2
Expand All @@ -12,28 +13,82 @@
console = boa_config.console


def render_recursive(dict_or_array, context_dict, jenv):
# check if it's a dict?
if isinstance(dict_or_array, Mapping):
for key, value in dict_or_array.items():
if isinstance(value, str):
tmpl = jenv.from_string(value)
dict_or_array[key] = tmpl.render(context_dict)
elif isinstance(value, Mapping):
render_recursive(dict_or_array[key], context_dict, jenv)
elif isinstance(value, Iterable):
render_recursive(dict_or_array[key], context_dict, jenv)

elif isinstance(dict_or_array, Iterable):
for i in range(len(dict_or_array)):
value = dict_or_array[i]
if isinstance(value, str):
tmpl = jenv.from_string(value)
dict_or_array[i] = tmpl.render(context_dict)
elif isinstance(value, Mapping):
render_recursive(value, context_dict, jenv)
elif isinstance(value, Iterable):
render_recursive(value, context_dict, jenv)
class TemplateStr:
def __init__(self, template, rendered, missing_keys, context_dict):
self.value = rendered
self.template = template
self.context_dict = context_dict
self.missing_keys = missing_keys

def split(self, sval=None):
if sval:
return self.value.split(sval)
return self.value.split()

def render(self, variant_vars):
# execute render to record missing values!
jenv = jinja2.Environment()
cc = copy.copy(self.context_dict)
cc.update(variant_vars)
tmpl = jenv.from_string(self.template)
rendered = tmpl.render(cc)
return rendered

def __str__(self):
return str(self.value)

def __repr__(self):
return "TS{" + self.value + "} (" + " ".join(self.missing_keys) + ")"

def to_json(self):
return self.template


class ContextDictAccessor(jinja2.runtime.Context):

global_missing = []

def resolve_or_missing(self, key):
val = jinja2.runtime.Context.resolve_or_missing(self, key)
if val is jinja2.utils.missing:
ContextDictAccessor.global_missing.append(key)
return f"JINJA[{key}]"
return val


def render_jinja(value, context_dict, jenv):
if "{{" in value:
print(type(value), value)
tmpl = jenv.from_string(value)
# execute render to record missing values!
rendered = tmpl.render(context_dict)
missing_vals = copy.deepcopy(ContextDictAccessor.global_missing)
if not missing_vals:
return rendered
ContextDictAccessor.global_missing = []
return TemplateStr(value, rendered, missing_vals, context_dict)

return value


def render_recursive(dict_or_array, context_dict, jenv, key=None):
if key is not None:
das = dict_or_array[key]
if isinstance(das, str):
dict_or_array[key] = render_jinja(das, context_dict, jenv)
return
else:
das = dict_or_array

if isinstance(das, Mapping):
for key in das.keys():
render_recursive(das, context_dict, jenv, key=key)
return

if isinstance(das, Iterable):
for i in range(len(das)):
render_recursive(das, context_dict, jenv, key=i)
return


def flatten_selectors(ydoc, namespace):
Expand Down Expand Up @@ -175,7 +230,11 @@ def render(recipe_path, config=None):
# step 2: fill out context dict
context_dict = default_jinja_vars(config)
context_dict.update(ydoc.get("context", {}))

jenv = jinja2.Environment()
# use our special context dict accessor to register when we have missing variables
jenv.context_class = ContextDictAccessor

for key, value in context_dict.items():
if isinstance(value, str):
tmpl = jenv.from_string(value)
Expand All @@ -190,6 +249,6 @@ def render(recipe_path, config=None):

# Normalize the entire recipe
ydoc = normalize_recipe(ydoc)
# console.print("\n[yellow]Normalized recipe[/yellow]\n")
# console.print(ydoc)
console.print("\n[yellow]Normalized recipe[/yellow]\n")
console.print(ydoc)
return ydoc
4 changes: 1 addition & 3 deletions boa/core/solver.py
Original file line number Diff line number Diff line change
Expand Up @@ -220,9 +220,7 @@ def solve(self, specs, pkg_cache_path=None):
pkg_cache_path = pkgs_dirs

package_cache = libmambapy.MultiPackageCache(pkg_cache_path)
return libmambapy.Transaction(
api_solver, package_cache, self.repos + list(self.local_repos.values())
)
return libmambapy.Transaction(api_solver, package_cache)

def solve_for_action(self, specs, prefix):
t = self.solve(specs)
Expand Down