Filter source files for custom rule
I used a bazel macro to run a python test on a subset of source files. Similar to this:
def report(name, srcs):
source_labels = [file for file in srcs if file.startswith("a")]
if len(source_labels) == 0:
return;
source_filenames = ["$(location %s)" % x for x in source_labels]
native.py_test(
name = name + "_report",
srcs = ["report_tool"],
data = source_labels,
main = "report_tool.py",
args = source_filenames,
)
report("foo", ["foo.hpp", "afoo.hpp"])
This worked fine until one of my source files started using a select and now I get the error:
File "/home/david/foo/report.bzl", line 47, in report
[file for file in srcs if file.startswith("a")]
type 'select' is not iterable
I tried to move the code to a bazel rule, but then I get a different error that py_test can not be used in the analysis phase.
bazel
add a comment |
I used a bazel macro to run a python test on a subset of source files. Similar to this:
def report(name, srcs):
source_labels = [file for file in srcs if file.startswith("a")]
if len(source_labels) == 0:
return;
source_filenames = ["$(location %s)" % x for x in source_labels]
native.py_test(
name = name + "_report",
srcs = ["report_tool"],
data = source_labels,
main = "report_tool.py",
args = source_filenames,
)
report("foo", ["foo.hpp", "afoo.hpp"])
This worked fine until one of my source files started using a select and now I get the error:
File "/home/david/foo/report.bzl", line 47, in report
[file for file in srcs if file.startswith("a")]
type 'select' is not iterable
I tried to move the code to a bazel rule, but then I get a different error that py_test can not be used in the analysis phase.
bazel
add a comment |
I used a bazel macro to run a python test on a subset of source files. Similar to this:
def report(name, srcs):
source_labels = [file for file in srcs if file.startswith("a")]
if len(source_labels) == 0:
return;
source_filenames = ["$(location %s)" % x for x in source_labels]
native.py_test(
name = name + "_report",
srcs = ["report_tool"],
data = source_labels,
main = "report_tool.py",
args = source_filenames,
)
report("foo", ["foo.hpp", "afoo.hpp"])
This worked fine until one of my source files started using a select and now I get the error:
File "/home/david/foo/report.bzl", line 47, in report
[file for file in srcs if file.startswith("a")]
type 'select' is not iterable
I tried to move the code to a bazel rule, but then I get a different error that py_test can not be used in the analysis phase.
bazel
I used a bazel macro to run a python test on a subset of source files. Similar to this:
def report(name, srcs):
source_labels = [file for file in srcs if file.startswith("a")]
if len(source_labels) == 0:
return;
source_filenames = ["$(location %s)" % x for x in source_labels]
native.py_test(
name = name + "_report",
srcs = ["report_tool"],
data = source_labels,
main = "report_tool.py",
args = source_filenames,
)
report("foo", ["foo.hpp", "afoo.hpp"])
This worked fine until one of my source files started using a select and now I get the error:
File "/home/david/foo/report.bzl", line 47, in report
[file for file in srcs if file.startswith("a")]
type 'select' is not iterable
I tried to move the code to a bazel rule, but then I get a different error that py_test can not be used in the analysis phase.
bazel
bazel
asked Nov 12 '18 at 20:49
Danvil
12.8k144777
12.8k144777
add a comment |
add a comment |
1 Answer
1
active
oldest
votes
The reason that the select
is causing the error is that macros are evaluated during the loading phase, whereas selects
s are not evaluated until the analysis phase (see Extension Overview).
Similarly, py_test
can't be used in a rule implementation because the rule implementation is evaluated in the analysis phase, whereas the py_test
would need to have been loaded in the loading phase.
One way past this is to create a separate Starlark rule that takes a list of labels and just creates a file with each filename from the label. Then the py_test
takes that file as data and loads the other files from there. Something like this:
def report(name, srcs):
file_locations_label = "_" + name + "_file_locations"
_generate_file_locations(
name = file_locations_label,
labels = srcs
)
native.py_test(
name = name + "_report",
srcs = ["report_tool.py"],
data = srcs + [file_locations_label],
main = "report_tool.py",
args = ["$(location %s)" % file_locations_label]
)
def _generate_file_locations_impl(ctx):
paths =
for l in ctx.attr.labels:
f = l.files.to_list()[0]
if f.basename.startswith("a"):
paths.append(f.short_path)
ctx.actions.write(ctx.outputs.file_paths, "n".join(paths))
return DefaultInfo(runfiles = ctx.runfiles(files = [ctx.outputs.file_paths]))
_generate_file_locations = rule(
implementation = _generate_file_locations_impl,
attrs = "labels": attr.label_list(allow_files = True) ,
outputs = "file_paths": "%name_files" ,
)
This has one disadvantage: Because the py_test
has to depend on all the sources, the py_test
will get rerun even if the only files that have changed are the ignored files. (If this is a significant drawback, then there is at least one way around this, which is to have _generate_file_locations filter the files too, and have the py_test
depend on only _generate_file_locations. This could maybe be accomplished through runfiles symlinks)
Update:
Since the test report tool comes from an external repository and can't be easily modified, here's another approach that might work better. Rather than create a rule that creates a params file (a file containing the paths to process) as above, the Starlark rule can itself be a test rule that uses the report tool as the test executable:
def _report_test_impl(ctx):
filtered_srcs =
for f in ctx.attr.srcs:
f = f.files.to_list()[0]
if f.basename.startswith("a"):
filtered_srcs.append(f)
report_tool = ctx.attr._report_test_tool
ctx.actions.write(
output = ctx.outputs.executable,
content = "report_tool paths".format(
report_tool = report_tool.files_to_run.executable.short_path,
paths = " ".join([f.short_path for f in filtered_srcs]))
)
runfiles = ctx.runfiles(files = filtered_srcs).merge(
report_tool.default_runfiles)
return DefaultInfo(runfiles = runfiles)
report_test = rule(
implementation = _report_test_impl,
attrs =
"srcs": attr.label_list(allow_files = True),
"_report_test_tool": attr.label(default="//:report_test_tool"),
,
test = True,
)
This requires that the test report tool be a py_binary
somewhere so that the test rule above can depend on it:
py_binary(
name = "report_test_tool",
srcs = ["report_tool.py"],
main = "report_tool.py",
)
Thank you for the reply! I tried to make it work with your suggestions, however now my python scripts gets called with the arguments ['foo/_foo_file_locations_files'] instead of a list of filenames..
– Danvil
Nov 13 '18 at 1:05
That file (foo/_foo_file_locations_files) will contain the file paths to use. It's one level of indirection: you're using the intermediate _generate_file_locations rule to evaluate the select. Then that rule puts the file names into a file. Your python script can then read the file to know what other files to read.
– ahumesky
Nov 13 '18 at 2:15
Unfortunately this is not a very clean solution as the Python script comes from an external dependency.. Is there not way to "return" a list of filtered targets in bazel?
– Danvil
Nov 14 '18 at 23:10
There's another approach that might work better for you, I'll update my answer
– ahumesky
Nov 15 '18 at 19:32
Hi, is the updated approach working for you?
– ahumesky
Nov 27 '18 at 21:02
|
show 1 more comment
Your Answer
StackExchange.ifUsing("editor", function ()
StackExchange.using("externalEditor", function ()
StackExchange.using("snippets", function ()
StackExchange.snippets.init();
);
);
, "code-snippets");
StackExchange.ready(function()
var channelOptions =
tags: "".split(" "),
id: "1"
;
initTagRenderer("".split(" "), "".split(" "), channelOptions);
StackExchange.using("externalEditor", function()
// Have to fire editor after snippets, if snippets enabled
if (StackExchange.settings.snippets.snippetsEnabled)
StackExchange.using("snippets", function()
createEditor();
);
else
createEditor();
);
function createEditor()
StackExchange.prepareEditor(
heartbeatType: 'answer',
autoActivateHeartbeat: false,
convertImagesToLinks: true,
noModals: true,
showLowRepImageUploadWarning: true,
reputationToPostImages: 10,
bindNavPrevention: true,
postfix: "",
imageUploader:
brandingHtml: "Powered by u003ca class="icon-imgur-white" href="https://imgur.com/"u003eu003c/au003e",
contentPolicyHtml: "User contributions licensed under u003ca href="https://creativecommons.org/licenses/by-sa/3.0/"u003ecc by-sa 3.0 with attribution requiredu003c/au003e u003ca href="https://stackoverflow.com/legal/content-policy"u003e(content policy)u003c/au003e",
allowUrls: true
,
onDemand: true,
discardSelector: ".discard-answer"
,immediatelyShowMarkdownHelp:true
);
);
Sign up or log in
StackExchange.ready(function ()
StackExchange.helpers.onClickDraftSave('#login-link');
);
Sign up using Google
Sign up using Facebook
Sign up using Email and Password
Post as a guest
Required, but never shown
StackExchange.ready(
function ()
StackExchange.openid.initPostLogin('.new-post-login', 'https%3a%2f%2fstackoverflow.com%2fquestions%2f53269881%2ffilter-source-files-for-custom-rule%23new-answer', 'question_page');
);
Post as a guest
Required, but never shown
1 Answer
1
active
oldest
votes
1 Answer
1
active
oldest
votes
active
oldest
votes
active
oldest
votes
The reason that the select
is causing the error is that macros are evaluated during the loading phase, whereas selects
s are not evaluated until the analysis phase (see Extension Overview).
Similarly, py_test
can't be used in a rule implementation because the rule implementation is evaluated in the analysis phase, whereas the py_test
would need to have been loaded in the loading phase.
One way past this is to create a separate Starlark rule that takes a list of labels and just creates a file with each filename from the label. Then the py_test
takes that file as data and loads the other files from there. Something like this:
def report(name, srcs):
file_locations_label = "_" + name + "_file_locations"
_generate_file_locations(
name = file_locations_label,
labels = srcs
)
native.py_test(
name = name + "_report",
srcs = ["report_tool.py"],
data = srcs + [file_locations_label],
main = "report_tool.py",
args = ["$(location %s)" % file_locations_label]
)
def _generate_file_locations_impl(ctx):
paths =
for l in ctx.attr.labels:
f = l.files.to_list()[0]
if f.basename.startswith("a"):
paths.append(f.short_path)
ctx.actions.write(ctx.outputs.file_paths, "n".join(paths))
return DefaultInfo(runfiles = ctx.runfiles(files = [ctx.outputs.file_paths]))
_generate_file_locations = rule(
implementation = _generate_file_locations_impl,
attrs = "labels": attr.label_list(allow_files = True) ,
outputs = "file_paths": "%name_files" ,
)
This has one disadvantage: Because the py_test
has to depend on all the sources, the py_test
will get rerun even if the only files that have changed are the ignored files. (If this is a significant drawback, then there is at least one way around this, which is to have _generate_file_locations filter the files too, and have the py_test
depend on only _generate_file_locations. This could maybe be accomplished through runfiles symlinks)
Update:
Since the test report tool comes from an external repository and can't be easily modified, here's another approach that might work better. Rather than create a rule that creates a params file (a file containing the paths to process) as above, the Starlark rule can itself be a test rule that uses the report tool as the test executable:
def _report_test_impl(ctx):
filtered_srcs =
for f in ctx.attr.srcs:
f = f.files.to_list()[0]
if f.basename.startswith("a"):
filtered_srcs.append(f)
report_tool = ctx.attr._report_test_tool
ctx.actions.write(
output = ctx.outputs.executable,
content = "report_tool paths".format(
report_tool = report_tool.files_to_run.executable.short_path,
paths = " ".join([f.short_path for f in filtered_srcs]))
)
runfiles = ctx.runfiles(files = filtered_srcs).merge(
report_tool.default_runfiles)
return DefaultInfo(runfiles = runfiles)
report_test = rule(
implementation = _report_test_impl,
attrs =
"srcs": attr.label_list(allow_files = True),
"_report_test_tool": attr.label(default="//:report_test_tool"),
,
test = True,
)
This requires that the test report tool be a py_binary
somewhere so that the test rule above can depend on it:
py_binary(
name = "report_test_tool",
srcs = ["report_tool.py"],
main = "report_tool.py",
)
Thank you for the reply! I tried to make it work with your suggestions, however now my python scripts gets called with the arguments ['foo/_foo_file_locations_files'] instead of a list of filenames..
– Danvil
Nov 13 '18 at 1:05
That file (foo/_foo_file_locations_files) will contain the file paths to use. It's one level of indirection: you're using the intermediate _generate_file_locations rule to evaluate the select. Then that rule puts the file names into a file. Your python script can then read the file to know what other files to read.
– ahumesky
Nov 13 '18 at 2:15
Unfortunately this is not a very clean solution as the Python script comes from an external dependency.. Is there not way to "return" a list of filtered targets in bazel?
– Danvil
Nov 14 '18 at 23:10
There's another approach that might work better for you, I'll update my answer
– ahumesky
Nov 15 '18 at 19:32
Hi, is the updated approach working for you?
– ahumesky
Nov 27 '18 at 21:02
|
show 1 more comment
The reason that the select
is causing the error is that macros are evaluated during the loading phase, whereas selects
s are not evaluated until the analysis phase (see Extension Overview).
Similarly, py_test
can't be used in a rule implementation because the rule implementation is evaluated in the analysis phase, whereas the py_test
would need to have been loaded in the loading phase.
One way past this is to create a separate Starlark rule that takes a list of labels and just creates a file with each filename from the label. Then the py_test
takes that file as data and loads the other files from there. Something like this:
def report(name, srcs):
file_locations_label = "_" + name + "_file_locations"
_generate_file_locations(
name = file_locations_label,
labels = srcs
)
native.py_test(
name = name + "_report",
srcs = ["report_tool.py"],
data = srcs + [file_locations_label],
main = "report_tool.py",
args = ["$(location %s)" % file_locations_label]
)
def _generate_file_locations_impl(ctx):
paths =
for l in ctx.attr.labels:
f = l.files.to_list()[0]
if f.basename.startswith("a"):
paths.append(f.short_path)
ctx.actions.write(ctx.outputs.file_paths, "n".join(paths))
return DefaultInfo(runfiles = ctx.runfiles(files = [ctx.outputs.file_paths]))
_generate_file_locations = rule(
implementation = _generate_file_locations_impl,
attrs = "labels": attr.label_list(allow_files = True) ,
outputs = "file_paths": "%name_files" ,
)
This has one disadvantage: Because the py_test
has to depend on all the sources, the py_test
will get rerun even if the only files that have changed are the ignored files. (If this is a significant drawback, then there is at least one way around this, which is to have _generate_file_locations filter the files too, and have the py_test
depend on only _generate_file_locations. This could maybe be accomplished through runfiles symlinks)
Update:
Since the test report tool comes from an external repository and can't be easily modified, here's another approach that might work better. Rather than create a rule that creates a params file (a file containing the paths to process) as above, the Starlark rule can itself be a test rule that uses the report tool as the test executable:
def _report_test_impl(ctx):
filtered_srcs =
for f in ctx.attr.srcs:
f = f.files.to_list()[0]
if f.basename.startswith("a"):
filtered_srcs.append(f)
report_tool = ctx.attr._report_test_tool
ctx.actions.write(
output = ctx.outputs.executable,
content = "report_tool paths".format(
report_tool = report_tool.files_to_run.executable.short_path,
paths = " ".join([f.short_path for f in filtered_srcs]))
)
runfiles = ctx.runfiles(files = filtered_srcs).merge(
report_tool.default_runfiles)
return DefaultInfo(runfiles = runfiles)
report_test = rule(
implementation = _report_test_impl,
attrs =
"srcs": attr.label_list(allow_files = True),
"_report_test_tool": attr.label(default="//:report_test_tool"),
,
test = True,
)
This requires that the test report tool be a py_binary
somewhere so that the test rule above can depend on it:
py_binary(
name = "report_test_tool",
srcs = ["report_tool.py"],
main = "report_tool.py",
)
Thank you for the reply! I tried to make it work with your suggestions, however now my python scripts gets called with the arguments ['foo/_foo_file_locations_files'] instead of a list of filenames..
– Danvil
Nov 13 '18 at 1:05
That file (foo/_foo_file_locations_files) will contain the file paths to use. It's one level of indirection: you're using the intermediate _generate_file_locations rule to evaluate the select. Then that rule puts the file names into a file. Your python script can then read the file to know what other files to read.
– ahumesky
Nov 13 '18 at 2:15
Unfortunately this is not a very clean solution as the Python script comes from an external dependency.. Is there not way to "return" a list of filtered targets in bazel?
– Danvil
Nov 14 '18 at 23:10
There's another approach that might work better for you, I'll update my answer
– ahumesky
Nov 15 '18 at 19:32
Hi, is the updated approach working for you?
– ahumesky
Nov 27 '18 at 21:02
|
show 1 more comment
The reason that the select
is causing the error is that macros are evaluated during the loading phase, whereas selects
s are not evaluated until the analysis phase (see Extension Overview).
Similarly, py_test
can't be used in a rule implementation because the rule implementation is evaluated in the analysis phase, whereas the py_test
would need to have been loaded in the loading phase.
One way past this is to create a separate Starlark rule that takes a list of labels and just creates a file with each filename from the label. Then the py_test
takes that file as data and loads the other files from there. Something like this:
def report(name, srcs):
file_locations_label = "_" + name + "_file_locations"
_generate_file_locations(
name = file_locations_label,
labels = srcs
)
native.py_test(
name = name + "_report",
srcs = ["report_tool.py"],
data = srcs + [file_locations_label],
main = "report_tool.py",
args = ["$(location %s)" % file_locations_label]
)
def _generate_file_locations_impl(ctx):
paths =
for l in ctx.attr.labels:
f = l.files.to_list()[0]
if f.basename.startswith("a"):
paths.append(f.short_path)
ctx.actions.write(ctx.outputs.file_paths, "n".join(paths))
return DefaultInfo(runfiles = ctx.runfiles(files = [ctx.outputs.file_paths]))
_generate_file_locations = rule(
implementation = _generate_file_locations_impl,
attrs = "labels": attr.label_list(allow_files = True) ,
outputs = "file_paths": "%name_files" ,
)
This has one disadvantage: Because the py_test
has to depend on all the sources, the py_test
will get rerun even if the only files that have changed are the ignored files. (If this is a significant drawback, then there is at least one way around this, which is to have _generate_file_locations filter the files too, and have the py_test
depend on only _generate_file_locations. This could maybe be accomplished through runfiles symlinks)
Update:
Since the test report tool comes from an external repository and can't be easily modified, here's another approach that might work better. Rather than create a rule that creates a params file (a file containing the paths to process) as above, the Starlark rule can itself be a test rule that uses the report tool as the test executable:
def _report_test_impl(ctx):
filtered_srcs =
for f in ctx.attr.srcs:
f = f.files.to_list()[0]
if f.basename.startswith("a"):
filtered_srcs.append(f)
report_tool = ctx.attr._report_test_tool
ctx.actions.write(
output = ctx.outputs.executable,
content = "report_tool paths".format(
report_tool = report_tool.files_to_run.executable.short_path,
paths = " ".join([f.short_path for f in filtered_srcs]))
)
runfiles = ctx.runfiles(files = filtered_srcs).merge(
report_tool.default_runfiles)
return DefaultInfo(runfiles = runfiles)
report_test = rule(
implementation = _report_test_impl,
attrs =
"srcs": attr.label_list(allow_files = True),
"_report_test_tool": attr.label(default="//:report_test_tool"),
,
test = True,
)
This requires that the test report tool be a py_binary
somewhere so that the test rule above can depend on it:
py_binary(
name = "report_test_tool",
srcs = ["report_tool.py"],
main = "report_tool.py",
)
The reason that the select
is causing the error is that macros are evaluated during the loading phase, whereas selects
s are not evaluated until the analysis phase (see Extension Overview).
Similarly, py_test
can't be used in a rule implementation because the rule implementation is evaluated in the analysis phase, whereas the py_test
would need to have been loaded in the loading phase.
One way past this is to create a separate Starlark rule that takes a list of labels and just creates a file with each filename from the label. Then the py_test
takes that file as data and loads the other files from there. Something like this:
def report(name, srcs):
file_locations_label = "_" + name + "_file_locations"
_generate_file_locations(
name = file_locations_label,
labels = srcs
)
native.py_test(
name = name + "_report",
srcs = ["report_tool.py"],
data = srcs + [file_locations_label],
main = "report_tool.py",
args = ["$(location %s)" % file_locations_label]
)
def _generate_file_locations_impl(ctx):
paths =
for l in ctx.attr.labels:
f = l.files.to_list()[0]
if f.basename.startswith("a"):
paths.append(f.short_path)
ctx.actions.write(ctx.outputs.file_paths, "n".join(paths))
return DefaultInfo(runfiles = ctx.runfiles(files = [ctx.outputs.file_paths]))
_generate_file_locations = rule(
implementation = _generate_file_locations_impl,
attrs = "labels": attr.label_list(allow_files = True) ,
outputs = "file_paths": "%name_files" ,
)
This has one disadvantage: Because the py_test
has to depend on all the sources, the py_test
will get rerun even if the only files that have changed are the ignored files. (If this is a significant drawback, then there is at least one way around this, which is to have _generate_file_locations filter the files too, and have the py_test
depend on only _generate_file_locations. This could maybe be accomplished through runfiles symlinks)
Update:
Since the test report tool comes from an external repository and can't be easily modified, here's another approach that might work better. Rather than create a rule that creates a params file (a file containing the paths to process) as above, the Starlark rule can itself be a test rule that uses the report tool as the test executable:
def _report_test_impl(ctx):
filtered_srcs =
for f in ctx.attr.srcs:
f = f.files.to_list()[0]
if f.basename.startswith("a"):
filtered_srcs.append(f)
report_tool = ctx.attr._report_test_tool
ctx.actions.write(
output = ctx.outputs.executable,
content = "report_tool paths".format(
report_tool = report_tool.files_to_run.executable.short_path,
paths = " ".join([f.short_path for f in filtered_srcs]))
)
runfiles = ctx.runfiles(files = filtered_srcs).merge(
report_tool.default_runfiles)
return DefaultInfo(runfiles = runfiles)
report_test = rule(
implementation = _report_test_impl,
attrs =
"srcs": attr.label_list(allow_files = True),
"_report_test_tool": attr.label(default="//:report_test_tool"),
,
test = True,
)
This requires that the test report tool be a py_binary
somewhere so that the test rule above can depend on it:
py_binary(
name = "report_test_tool",
srcs = ["report_tool.py"],
main = "report_tool.py",
)
edited Nov 15 '18 at 20:27
answered Nov 12 '18 at 22:59
ahumesky
96623
96623
Thank you for the reply! I tried to make it work with your suggestions, however now my python scripts gets called with the arguments ['foo/_foo_file_locations_files'] instead of a list of filenames..
– Danvil
Nov 13 '18 at 1:05
That file (foo/_foo_file_locations_files) will contain the file paths to use. It's one level of indirection: you're using the intermediate _generate_file_locations rule to evaluate the select. Then that rule puts the file names into a file. Your python script can then read the file to know what other files to read.
– ahumesky
Nov 13 '18 at 2:15
Unfortunately this is not a very clean solution as the Python script comes from an external dependency.. Is there not way to "return" a list of filtered targets in bazel?
– Danvil
Nov 14 '18 at 23:10
There's another approach that might work better for you, I'll update my answer
– ahumesky
Nov 15 '18 at 19:32
Hi, is the updated approach working for you?
– ahumesky
Nov 27 '18 at 21:02
|
show 1 more comment
Thank you for the reply! I tried to make it work with your suggestions, however now my python scripts gets called with the arguments ['foo/_foo_file_locations_files'] instead of a list of filenames..
– Danvil
Nov 13 '18 at 1:05
That file (foo/_foo_file_locations_files) will contain the file paths to use. It's one level of indirection: you're using the intermediate _generate_file_locations rule to evaluate the select. Then that rule puts the file names into a file. Your python script can then read the file to know what other files to read.
– ahumesky
Nov 13 '18 at 2:15
Unfortunately this is not a very clean solution as the Python script comes from an external dependency.. Is there not way to "return" a list of filtered targets in bazel?
– Danvil
Nov 14 '18 at 23:10
There's another approach that might work better for you, I'll update my answer
– ahumesky
Nov 15 '18 at 19:32
Hi, is the updated approach working for you?
– ahumesky
Nov 27 '18 at 21:02
Thank you for the reply! I tried to make it work with your suggestions, however now my python scripts gets called with the arguments ['foo/_foo_file_locations_files'] instead of a list of filenames..
– Danvil
Nov 13 '18 at 1:05
Thank you for the reply! I tried to make it work with your suggestions, however now my python scripts gets called with the arguments ['foo/_foo_file_locations_files'] instead of a list of filenames..
– Danvil
Nov 13 '18 at 1:05
That file (foo/_foo_file_locations_files) will contain the file paths to use. It's one level of indirection: you're using the intermediate _generate_file_locations rule to evaluate the select. Then that rule puts the file names into a file. Your python script can then read the file to know what other files to read.
– ahumesky
Nov 13 '18 at 2:15
That file (foo/_foo_file_locations_files) will contain the file paths to use. It's one level of indirection: you're using the intermediate _generate_file_locations rule to evaluate the select. Then that rule puts the file names into a file. Your python script can then read the file to know what other files to read.
– ahumesky
Nov 13 '18 at 2:15
Unfortunately this is not a very clean solution as the Python script comes from an external dependency.. Is there not way to "return" a list of filtered targets in bazel?
– Danvil
Nov 14 '18 at 23:10
Unfortunately this is not a very clean solution as the Python script comes from an external dependency.. Is there not way to "return" a list of filtered targets in bazel?
– Danvil
Nov 14 '18 at 23:10
There's another approach that might work better for you, I'll update my answer
– ahumesky
Nov 15 '18 at 19:32
There's another approach that might work better for you, I'll update my answer
– ahumesky
Nov 15 '18 at 19:32
Hi, is the updated approach working for you?
– ahumesky
Nov 27 '18 at 21:02
Hi, is the updated approach working for you?
– ahumesky
Nov 27 '18 at 21:02
|
show 1 more comment
Thanks for contributing an answer to Stack Overflow!
- Please be sure to answer the question. Provide details and share your research!
But avoid …
- Asking for help, clarification, or responding to other answers.
- Making statements based on opinion; back them up with references or personal experience.
To learn more, see our tips on writing great answers.
Some of your past answers have not been well-received, and you're in danger of being blocked from answering.
Please pay close attention to the following guidance:
- Please be sure to answer the question. Provide details and share your research!
But avoid …
- Asking for help, clarification, or responding to other answers.
- Making statements based on opinion; back them up with references or personal experience.
To learn more, see our tips on writing great answers.
Sign up or log in
StackExchange.ready(function ()
StackExchange.helpers.onClickDraftSave('#login-link');
);
Sign up using Google
Sign up using Facebook
Sign up using Email and Password
Post as a guest
Required, but never shown
StackExchange.ready(
function ()
StackExchange.openid.initPostLogin('.new-post-login', 'https%3a%2f%2fstackoverflow.com%2fquestions%2f53269881%2ffilter-source-files-for-custom-rule%23new-answer', 'question_page');
);
Post as a guest
Required, but never shown
Sign up or log in
StackExchange.ready(function ()
StackExchange.helpers.onClickDraftSave('#login-link');
);
Sign up using Google
Sign up using Facebook
Sign up using Email and Password
Post as a guest
Required, but never shown
Sign up or log in
StackExchange.ready(function ()
StackExchange.helpers.onClickDraftSave('#login-link');
);
Sign up using Google
Sign up using Facebook
Sign up using Email and Password
Post as a guest
Required, but never shown
Sign up or log in
StackExchange.ready(function ()
StackExchange.helpers.onClickDraftSave('#login-link');
);
Sign up using Google
Sign up using Facebook
Sign up using Email and Password
Sign up using Google
Sign up using Facebook
Sign up using Email and Password
Post as a guest
Required, but never shown
Required, but never shown
Required, but never shown
Required, but never shown
Required, but never shown
Required, but never shown
Required, but never shown
Required, but never shown
Required, but never shown