Skip to main content
Version: 2.14 (deprecated)

Tips and debugging


Reminder: ask for help

We would love to help you with your plugin. Please reach out through Slack.

We also appreciate any feedback on the Rules API. If you find certain things confusing or are looking for additional mechanisms, please let us know.

Tip: Use MultiGet for increased concurrency

Every time your rule has await, Python will yield execution to the engine and not resume until the engine returns the result. So, you can improve concurrency by instead bundling multiple Get requests into a single MultiGet, which will allow each request to be resolved through a separate thread.

Okay:

from pants.core.util_rules.determine_source_files import SourceFilesRequest, SourceFiles
from pants.engine.fs import AddPrefix, Digest
from pants.engine.selectors import Get, MultiGet

@rule
async def demo(...) -> Foo:
new_digest = await Get(Digest, AddPrefix(original_digest, "new_prefix"))
source_files = await Get(SourceFiles, SourceFilesRequest(sources_fields))

Better:

from pants.core.util_rules.determine_source_files import SourceFilesRequest, SourceFiles
from pants.engine.fs import AddPrefix, Digest
from pants.engine.selectors import Get, MultiGet

@rule
async def demo(...) -> Foo:
new_digest, source_files = await MultiGet(
Get(Digest, AddPrefix(original_digest, "new_prefix")),
Get(SourceFiles, SourceFilesRequest(sources_fields)),
)

Tip: Add logging

As explained in Logging and dynamic output, you can add logging to any @rule by using Python's logging module like you normally would.

FYI: Caching semantics

There are two layers to Pants caching: in-memory memoization and caching written to disk via the LMDB store.

Pants will write to the LMDB store—usually at ~/.cache/pants/lmdb_store—for any Process execution and when "digesting" files, such as downloading a file or reading from the filesystem. The cache is based on inputs; for example, if the input Process is identical to a previous run, then the cache will use the corresponding cached ProcessResult. Writing to and reading from LMDB store is very fast, and reads are concurrent. The cache will be occasionally garbage collected by Pantsd, and users may also use --no-local-cache or manually delete ~/.cache/pants/lmdb_store.

Pants will also memoize in-memory the evaluation of all @rules. This means that once a rule runs, if the inputs are identical to a prior run, the cache will be used instead of re-evaluating the rule. If the user uses Pantsd (the Pants daemon), this memoization will persist across distinct Pants runs, until the daemon is shut down or restarted. This memoization happens automatically.

Debugging: Look inside the chroot

When Pants runs most processes, it runs in a chroot (temporary directory). Usually, this gets cleaned up after the Process finishes. You can instead pass --keep-sandboxes=always to keep those directories for all processes, or --keep-sandboxes=on_failure to keep those directories for only processes which have failed.

Pants will log the path to the chroot, e.g.:

▶ ./pants --keep-sandboxes=always test src/python/pants/util/strutil_test.py
...
12:29:45.08 [INFO] preserving local process execution dir `"/private/var/folders/sx/pdpbqz4x5cscn9hhfpbsbqvm0000gn/T/process-executionN9Kdk0"` for "Test binary /Users/pantsbuild/.pyenv/shims/python3."
...

Inside the preserved sandbox there will be a __run.sh script which can be used to inspect or re-run the Process precisely as Pants did when creating the sandbox.

Debugging: Visualize the rule graph

You can create a visual representation of the rule graph through the option --engine-visualize-to=$dir_path $goal. This will create the files rule_graph.dot, rule_graph.$goal.dot, and graph.000.dot, which are .dot files. rule_graph.$goal.dot contains only the rules used during your run, rule_graph.dot contains all rules, and graph.000.dot contains the actual runtime results of all rules (it can be quite large!).

To open up the .dot file, you can install the graphviz program, then run dot -Tpdf -O $destination. We recommend opening up the PDF in Google Chrome or OSX Preview, which do a good job of zooming in large PDF files.

Debugging rule graph issues

Rule graph issues can be particularly hard to figure out - the error messages are noisy and do not make clear how to fix the issue. We plan to improve this.

We encourage you to reach out in #plugins on Slack for help.

Often the best way to debug a rule graph issue is to isolate where the problem comes from by commenting out code until the graph compiles. The rule graph is formed solely by looking at the types in the signature of your @rule and in any Get statements - none of the rest of your rules matter. To check if the rule graph can be built, simply run ./pants --version.

We recommend starting by determining which backend—or combination of backends—is causing issues. You can run the below script to find this. Once you find the smallest offending combination, focus on fixing that first by removing all irrelevant backends from backend_packages in pants.toml—this reduces the surface area of where issues can come from. (You may need to use the option --no-verify-config so that Pants doesn't complain about unrecognized options.)

find_bad_backend_combos.py
#!/usr/bin/env python3

import itertools
import logging
import subprocess

BACKENDS = {
# Replace this with the backend_packages from your pants.toml.
#
# Warning: it's easy to get a combinatorial explosion if you
# use lots of backends. In that case, try using a subset of your
# backends and see if you can still get a rule graph failure.
"pants.backend.python",
"pants.backend.shell",
}


def backends_load(backends) -> bool:
logging.info(f"Testing {backends}")
result = subprocess.run(
["./pants", f"--backend-packages={repr(list(backends))}", "--version"],
stdout=subprocess.DEVNULL,
stderr=subprocess.DEVNULL,
)
loads = result.returncode == 0
if not loads:
logging.error(f"Failed! {backends}")
return result.returncode == 0


def main() -> None:
all_combos = itertools.chain.from_iterable(
itertools.combinations(BACKENDS, r=r) for r in range(1, len(BACKENDS) + 1)
)
bad_combos = {repr(combo) for combo in all_combos if not backends_load(combo)}
print("----\nBad combos:\n" + "\n".join(bad_combos))


if __name__ == "__main__":
logging.basicConfig(level=logging.INFO, format="%(levelname)s: %(message)s")
main()

Once you've identified the smallest combination of backends that fail and you have updated pants.toml, you can try isolating which rules are problematic by commenting out Gets and the parameters to @rules.

Some common sources of rule graph failures:

  • Dependent rules are not registered.
    • This is especially common when you only have one backend activated entirely. We recommend trying to get each backend to be valid regardless of what other backends are activated. Use the above script to see if this is happening.
    • To fix this, see which types you're using in your @rule signatures and Gets. If they come from another backend, activate their rules. For example, if you use await Get(Pex, PexRequest), you should activate pants.backend.python.util_rules.pex.rules() in your register.py.
  • Not "newtyping".
    • It's possible and sometimes desirable to use types already defined in your plugin or core Pants. For example, you might want to define a new rule that goes from MyCustomClass -> Process. However, sometimes this makes the rule graph more complicated than it needs to be.
    • It's often helpful to create a result and request type for each of your @rules, e.g. MyPlugin and MyPluginRequest.
    • See Valid types for more.