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

revset: add at_operation(op, expression) #4614

Merged
merged 2 commits into from
Oct 11, 2024
Merged
Show file tree
Hide file tree
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
3 changes: 3 additions & 0 deletions CHANGELOG.md
Original file line number Diff line number Diff line change
Expand Up @@ -24,6 +24,9 @@ to [Semantic Versioning](https://semver.org/spec/v2.0.0.html).

* New command `jj simplify-parents` will remove redundant parent edges.

* New `at_operation(op, expr)` revset can be used in order to query revisions
based on historical state.

### Fixed bugs

* Error on `trunk()` revset resolution is now handled gracefully.
Expand Down
6 changes: 6 additions & 0 deletions docs/revsets.md
Original file line number Diff line number Diff line change
Expand Up @@ -306,6 +306,12 @@ given [string pattern](#string-patterns).

* `working_copies()`: The working copy commits across all the workspaces.

* `at_operation(op, x)`: Evaluates `x` at the specified [operation][]. For
example, `at_operation(@-, visible_heads())` will return all heads which were
visible at the previous operation.

[operation]: glossary.md#operation

??? examples

Given this history:
Expand Down
12 changes: 12 additions & 0 deletions lib/src/repo.rs
Original file line number Diff line number Diff line change
Expand Up @@ -98,6 +98,10 @@ use crate::view::RenameWorkspaceError;
use crate::view::View;

pub trait Repo {
/// Base repository that contains all committed data. Returns `self` if this
/// is a `ReadonlyRepo`,
fn base_repo(&self) -> &ReadonlyRepo;

fn store(&self) -> &Arc<Store>;

fn op_store(&self) -> &Arc<dyn OpStore>;
Expand Down Expand Up @@ -312,6 +316,10 @@ impl ReadonlyRepo {
}

impl Repo for ReadonlyRepo {
fn base_repo(&self) -> &ReadonlyRepo {
self
}

fn store(&self) -> &Arc<Store> {
self.loader.store()
}
Expand Down Expand Up @@ -1821,6 +1829,10 @@ impl MutableRepo {
}

impl Repo for MutableRepo {
fn base_repo(&self) -> &ReadonlyRepo {
&self.base_repo
}

fn store(&self) -> &Arc<Store> {
self.base_repo.store()
}
Expand Down
129 changes: 120 additions & 9 deletions lib/src/revset.rs
Original file line number Diff line number Diff line change
Expand Up @@ -46,7 +46,10 @@ use crate::object_id::HexPrefix;
use crate::object_id::PrefixResolution;
use crate::op_store::RemoteRefState;
use crate::op_store::WorkspaceId;
use crate::op_walk;
use crate::repo::ReadonlyRepo;
use crate::repo::Repo;
use crate::repo::RepoLoaderError;
use crate::repo_path::RepoPathUiConverter;
use crate::revset_parser;
pub use crate::revset_parser::expect_literal;
Expand Down Expand Up @@ -208,6 +211,13 @@ pub enum RevsetExpression {
Filter(RevsetFilterPredicate),
/// Marker for subtree that should be intersected as filter.
AsFilter(Rc<Self>),
/// Resolves symbols and visibility at the specified operation.
AtOperation {
operation: String,
candidates: Rc<Self>,
/// Copy of `repo.view().heads()`, should be set by `resolve_symbols()`.
visible_heads: Option<Vec<CommitId>>,
},
Present(Rc<Self>),
NotIn(Rc<Self>),
Union(Rc<Self>, Rc<Self>),
Expand Down Expand Up @@ -429,13 +439,17 @@ impl RevsetExpression {
Rc::new(Self::Difference(self.clone(), other.clone()))
}

/// Resolve a programmatically created revset expression. In particular, the
/// expression must not contain any symbols (bookmarks, tags, change/commit
/// prefixes). Callers must not include `RevsetExpression::symbol()` in
/// the expression, and should instead resolve symbols to `CommitId`s and
/// pass them into `RevsetExpression::commits()`. Similarly, the expression
/// must not contain any `RevsetExpression::remote_symbol()` or
/// Resolve a programmatically created revset expression.
///
/// In particular, the expression must not contain any symbols (bookmarks,
/// tags, change/commit prefixes). Callers must not include
/// `RevsetExpression::symbol()` in the expression, and should instead
/// resolve symbols to `CommitId`s and pass them into
/// `RevsetExpression::commits()`. Similarly, the expression must not
/// contain any `RevsetExpression::remote_symbol()` or
/// `RevsetExpression::working_copy()`, unless they're known to be valid.
/// The expression must not contain `RevsetExpression::AtOperation` even if
/// it's known to be valid. It can fail at loading operation data.
pub fn resolve_programmatic(self: Rc<Self>, repo: &dyn Repo) -> ResolvedExpression {
let symbol_resolver = FailingSymbolResolver;
resolve_symbols(repo, self, &symbol_resolver)
Expand Down Expand Up @@ -825,6 +839,20 @@ static BUILTIN_FUNCTION_MAP: Lazy<HashMap<&'static str, RevsetFunction>> = Lazy:
let expression = lower_expression(diagnostics, arg, context)?;
Ok(Rc::new(RevsetExpression::Present(expression)))
});
map.insert("at_operation", |diagnostics, function, context| {
let [op_arg, cand_arg] = function.expect_exact_arguments()?;
// TODO: Parse "opset" here if we add proper language support.
let operation =
revset_parser::expect_expression_with(diagnostics, op_arg, |_diagnostics, node| {
Ok(node.span.as_str().to_owned())
})?;
let candidates = lower_expression(diagnostics, cand_arg, context)?;
Ok(Rc::new(RevsetExpression::AtOperation {
operation,
candidates,
visible_heads: None,
}))
});
map
});

Expand Down Expand Up @@ -1132,6 +1160,17 @@ fn try_transform_expression<E>(
RevsetExpression::AsFilter(candidates) => {
transform_rec(candidates, pre, post)?.map(RevsetExpression::AsFilter)
}
RevsetExpression::AtOperation {
operation,
candidates,
visible_heads,
} => transform_rec(candidates, pre, post)?.map(|candidates| {
RevsetExpression::AtOperation {
operation: operation.clone(),
candidates,
visible_heads: visible_heads.clone(),
}
}),
RevsetExpression::Present(candidates) => {
transform_rec(candidates, pre, post)?.map(RevsetExpression::Present)
}
Expand Down Expand Up @@ -1486,6 +1525,24 @@ pub fn walk_revs<'index>(
.evaluate_programmatic(repo)
}

fn reload_repo_at_operation(
repo: &dyn Repo,
op_str: &str,
) -> Result<Arc<ReadonlyRepo>, RevsetResolutionError> {
// TODO: Maybe we should ensure that the resolved operation is an ancestor
// of the current operation. If it weren't, there might be commits unknown
// to the outer repo.
let base_repo = repo.base_repo();
let operation = op_walk::resolve_op_with_repo(base_repo, op_str)
.map_err(|err| RevsetResolutionError::Other(err.into()))?;
base_repo.reload_at(&operation).map_err(|err| match err {
RepoLoaderError::Backend(err) => RevsetResolutionError::StoreError(err),
RepoLoaderError::IndexRead(_)
| RepoLoaderError::OpHeadResolution(_)
| RepoLoaderError::OpStore(_) => RevsetResolutionError::Other(err.into()),
})
}

fn resolve_remote_bookmark(repo: &dyn Repo, name: &str, remote: &str) -> Option<Vec<CommitId>> {
let view = repo.view();
let target = match (name, remote) {
Expand Down Expand Up @@ -1858,6 +1915,22 @@ fn resolve_symbols(
Ok(try_transform_expression(
&expression,
|expression| match expression.as_ref() {
// 'at_operation(op, x)' switches symbol resolution contexts.
RevsetExpression::AtOperation {
operation,
candidates,
visible_heads: _,
} => {
let repo = reload_repo_at_operation(repo, operation)?;
let candidates =
resolve_symbols(repo.as_ref(), candidates.clone(), symbol_resolver)?;
let visible_heads = Some(repo.view().heads().iter().cloned().collect());
Ok(Some(Rc::new(RevsetExpression::AtOperation {
operation: operation.clone(),
candidates,
visible_heads,
})))
}
// 'present(x)' opens new symbol resolution scope to map error to 'none()'.
RevsetExpression::Present(candidates) => {
resolve_symbols(repo, candidates.clone(), symbol_resolver)
Expand Down Expand Up @@ -1898,9 +1971,6 @@ fn resolve_symbols(
/// return type `ResolvedExpression` is stricter than `RevsetExpression`,
/// and isn't designed for such transformation.
fn resolve_visibility(repo: &dyn Repo, expression: &RevsetExpression) -> ResolvedExpression {
// If we add "operation" scope (#1283), visible_heads might be translated to
// `RevsetExpression::WithinOperation(visible_heads, expression)` node to
// evaluate filter predicates and "all()" against that scope.
let context = VisibilityResolutionContext {
visible_heads: &repo.view().heads().iter().cloned().collect_vec(),
};
Expand Down Expand Up @@ -1969,6 +2039,17 @@ impl VisibilityResolutionContext<'_> {
predicate: self.resolve_predicate(expression),
}
}
RevsetExpression::AtOperation {
operation: _,
candidates,
visible_heads,
} => {
let visible_heads = visible_heads
.as_ref()
.expect("visible_heads should have been resolved by caller");
let context = VisibilityResolutionContext { visible_heads };
context.resolve(candidates)
}
RevsetExpression::Present(_) => {
panic!("Expression '{expression:?}' should have been resolved by caller");
}
Expand Down Expand Up @@ -2045,6 +2126,10 @@ impl VisibilityResolutionContext<'_> {
ResolvedPredicateExpression::Filter(predicate.clone())
}
RevsetExpression::AsFilter(candidates) => self.resolve_predicate(candidates),
// Filters should be intersected with all() within the at-op repo.
RevsetExpression::AtOperation { .. } => {
ResolvedPredicateExpression::Set(self.resolve(expression).into())
}
RevsetExpression::Present(_) => {
panic!("Expression '{expression:?}' should have been resolved by caller")
}
Expand Down Expand Up @@ -3010,6 +3095,15 @@ mod tests {
optimize(parse("present(bookmarks() & all())").unwrap()),
@r###"Present(CommitRef(Bookmarks(Substring(""))))"###);

insta::assert_debug_snapshot!(
optimize(parse("at_operation(@-, bookmarks() & all())").unwrap()), @r#"
AtOperation {
operation: "@-",
candidates: CommitRef(Bookmarks(Substring(""))),
visible_heads: None,
}
"#);

insta::assert_debug_snapshot!(
optimize(parse("~bookmarks() & all()").unwrap()),
@r###"NotIn(CommitRef(Bookmarks(Substring(""))))"###);
Expand Down Expand Up @@ -3480,6 +3574,23 @@ mod tests {
Filter(Author(Substring("baz"))),
)
"###);

// Filter node shouldn't move across at_operation() boundary.
insta::assert_debug_snapshot!(
optimize(parse("author(foo) & bar & at_operation(@-, committer(baz))").unwrap()),
@r#"
Intersection(
Intersection(
CommitRef(Symbol("bar")),
AtOperation {
operation: "@-",
candidates: Filter(Committer(Substring("baz"))),
visible_heads: None,
},
),
Filter(Author(Substring("foo"))),
)
"#);
}

#[test]
Expand Down
Loading