1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439 440 441 442 443 444 445 446 447 448 449 450 451 452 453 454 455 456 457 458 459 460 461 462 463 464 465 466 467 468 469 470 471 472 473 474 475 476 477 478 479 480 481 482 483 484 485 486 487 488 489 490 491 492 493 494 495 496 497 498 499 500 501 502 503 504 505 506 507 508 509 510 511 512 513 514 515 516 517 518 519 520 521 522 523 524 525 526 527 528 529 530 531 532 533 534 535 536 537 538 539 540 541 542 543 544 545 546 547 548 549 550 551 552 553 554 555 556 557 558 559 560 561 562 563 564 565 566 567 568 569 570 571 572 573 574 575 576 577 578 579 580 581 582 583 584 585 586 587 588 589 590 591 592 593 594 595 596 597 598 599 600 601 602 603 604 605 606 607 608 609 610 611 612 613 614 615 616 617 618 619 620 621 622 623 624 625 626 627 628 629 630 631 632 633 634 635 636 637 638 639 640 641 642 643 644 645 646 647 648 649 650 651 652 653 654 655 656 657 658 659 660 661 662 663 664 665 666 667 668 669 670 671 672 673 674 675 676 677 678 679 680 681 682 683 684 685 686 687 688 689 690 691 692 693 694 695 696 697 698 699 700 701 702 703 704 705 706 707 708 709 710 711 712 713 714 715 716 717 718 719 720 721 722 723 724 725 726 727 728 729 730 731
//! Command handling through [`Commands`]
//!
//! This module defines the [`Commands`] struct, which contains
//! all of the same facilities that makes Duat's [`commands`]
//! module work.
//!
//! This struct should be used in plugins, since those should not
//! rely on the [duat] crate, only on duat-core. More specifically
//! it is going to be used through the [`Context`] struct, which
//! will in turn be provided by Duat, with a defined [`Ui`].
//!
//! The rules for command creation and execution are the same as
//! the
//!
//! [duat]: https://docs.rs/duat/latest/duat/index.html
//! [`commands`]: https://docs.rs/duat/latest/duat/prelude/commands/index.html
//! [`Context`]: crate::Context
use std::{
collections::HashMap,
fmt::Display,
sync::{Arc, LazyLock},
};
use parking_lot::RwLock;
pub use self::parameters::{split_flags_and_args, Args, Flags};
use crate::{
data::{CurFile, CurWidget, Data, RwData},
text::{text, Text},
ui::{Ui, Window},
widgets::{ActiveWidget, PassiveWidget},
Error,
};
mod parameters;
/// A list of [`Command`]s.
///
/// This list contains all of the [`Command`]s that have been
/// added to Duat, as well as info on the current [`File`],
/// [widget] and all of the [windows].
///
/// [`File`]: crate::file::File
/// [widget]: crate::widgets::ActiveWidget
/// [windows]: crate::ui::Window
pub struct Commands<U>
where
U: Ui,
{
inner: LazyLock<RwData<InnerCommands>>,
windows: LazyLock<RwData<Vec<Window<U>>>>,
current_file: &'static CurFile<U>,
current_widget: &'static CurWidget<U>,
}
impl<U> Commands<U>
where
U: Ui,
{
/// Returns a new instance of [`Commands`].
pub const fn new(
current_file: &'static CurFile<U>,
current_widget: &'static CurWidget<U>,
) -> Self {
Self {
inner: LazyLock::new(|| {
let inner = RwData::new(InnerCommands {
list: Vec::new(),
aliases: HashMap::new(),
});
let alias = {
let inner = inner.clone();
Command::new(["alias"], move |flags, mut args| {
if !flags.is_empty() {
Err(text!(
"An alias cannot take any flags, try moving them after the \
command, like \"alias my-alias my-caller --foo --bar\", instead \
of \"alias --foo --bar my-alias my-caller\""
))
} else {
let alias = args.next()?.to_string();
let args: String = args.collect();
inner.write().try_alias(alias, args).map_err(Error::as_text)
}
})
};
inner.write().try_add(alias).unwrap();
inner
}),
windows: LazyLock::new(|| RwData::new(Vec::new())),
current_file,
current_widget,
}
}
/// Canonical way to quit Duat.
///
/// By calling the quit command, all threads will finish their
/// tasks, and then Duat will execute a program closing
/// function, as defined by the [`Ui`].
pub fn quit(&self) {
self.run("quit").unwrap();
}
/// Switches to the given [`ActiveWidget`].
///
/// The widget will be chosen in the following order:
///
/// 1. The first of said widget pushed to the current [`File`].
/// 2. Other instances of it in the current window.
/// 3. Instances in other windows.
///
/// [`File`]: crate::widgets::File
/// [`Session`]: crate::session::Session
pub fn switch_to<W: ActiveWidget<U>>(&self) -> Result<Option<Text>> {
self.run(format!("switch-to {}", W::name()))
}
/// Switches to/opens a [`File`] with the given name.
///
/// If you wish to specifically switch to files that are already
/// open, use [`Commands::buffer`].
///
/// If there are more arguments, they will be ignored.
///
/// [`File`]: crate::file::File
/// [`Commands::buffer`]: Commands::buffer
pub fn edit(&self, file: impl Display) -> Result<Option<Text>> {
self.run(format!("edit {}", file))
}
/// Switches to a [`File`] with the given name.
///
/// If there is no file open with that name, does nothing. Use
/// [`Commands::edit`] if you wish to open files.
///
/// If there are more arguments, they will be ignored.
///
/// [`File`]: crate::widgets::File
/// [`Commands::edit`]: Commands::edit
pub fn buffer(&self, file: impl Display) -> Result<Option<Text>> {
self.run(format!("buffer {}", file))
}
/// Switches to the next [`File`].
///
/// This function will only look at files that are opened in the
/// current window. If you want to include other windows in the
/// search, use [`Commands::next_global_file`].
///
/// [`File`]: crate::widgets::File
/// [`Commands::next_global_file`]: Commands::next_global_file
pub fn next_file(&self) -> Result<Option<Text>> {
self.run("next-file")
}
/// Switches to the previous [`File`].
///
/// This function will only look at files that are opened in the
/// current window. If you want to include other windows in the
/// search, use [`Commands::prev_global_file`].
///
/// [`File`]: crate::widgets::File
/// [`Commands::prev_global_file`]: Commands::prev_global_file
pub fn prev_file(&self) -> Result<Option<Text>> {
self.run("prev-file")
}
/// Switches to the next [`File`].
///
/// This function will look for files in all windows. If you want
/// to limit the search to just the current window, use
/// [`Commands::next_file`].
///
/// [`File`]: crate::widgets::File
/// [`Commands::next_file`]: Commands::next_file
pub fn next_global_file(&self) -> Result<Option<Text>> {
self.run("next-file --global")
}
/// Switches to the previous [`File`].
///
/// This function will look for files in all windows. If you want
/// to limit the search to just the current window, use
/// [`Commands::prev_file`].
///
/// [`File`]: crate::widgets::File
/// [`Commands::prev_file`]: Commands::prev_file
pub fn prev_global_file(&self) -> Result<Option<Text>> {
self.run("prev-file --global")
}
/// If not in a [`File`], switches to the last active [`File`].
///
/// This is useful if the currently active widget is not a file
/// (e.g. [`CommandLine`], a file tree, etc), and you want to
/// return to the file seamlessly.
///
/// [`File`]: crate::widgets::File
/// [`CommandLine`]: crate::widgets::CommandLine
pub fn return_to_file(&self) -> Result<Option<Text>> {
self.run("return-to-file")
}
/// Tries to alias a `caller` to an existing `command`.
///
/// Returns an [`Err`] if the `caller` is already a caller for
/// another command, or if `command` is not a real caller to an
/// exisiting [`Command`].
pub fn alias(&self, alias: impl ToString, command: impl ToString) -> Result<Option<Text>> {
self.inner.write().try_alias(alias, command)
}
/// Runs a full command, with a caller, [`Flags`], and [`Args`].
///
/// When running the command, the ordering of flags does not
/// matter, as long as they are placed before the arguments to the
/// command.
///
/// # Examples
///
/// ```rust
/// # use duat_core::{
/// # commands::{self, Result},
/// # ui::Ui,
/// # Context,
/// # };
/// # fn test<U: Ui>(context: Context<U>) -> Result<Option<Text>> {
/// context.commands.run("set-prompt new-prompt")
/// # }
/// ```
///
/// In this case we're running a command that will affect the most
/// relevant [`CommandLine`]. See [`Commands::add_for_widget`] for
/// more information.
///
/// [`CommandLine`]: crate::widgets::CommandLine
/// [`Commands::add_for_widget`]: Commands::add_for_widget
pub fn run(&self, call: impl Display) -> Result<Option<Text>> {
let call = call.to_string();
let mut args = call.split_whitespace();
let caller = args.next().ok_or(Error::Empty)?.to_string();
let (command, call) = self.inner.inspect(|inner| {
if let Some(command) = inner.aliases.get(&caller) {
let (command, call) = command;
let mut call = call.clone() + " ";
call.extend(args);
Ok((command.clone(), call))
} else {
let command = inner
.list
.iter()
.find(|cmd| cmd.callers().contains(&caller))
.ok_or(Error::CallerNotFound(caller))?;
Ok((command.clone(), call.clone()))
}
})?;
let (flags, args) = split_flags_and_args(&call);
Ok(command.try_exec(Flags::new(&flags), args).unwrap())
}
/// Adds a command to the global list of commands.
///
/// This command cannot take any arguments beyond the [`Flags`]
/// and [`Args`], so any mutation of state must be done
/// through captured variables, usually in the form of
/// [`RwData`]s.
///
/// # Examples
///
/// ```rust,ignore
/// // Shared state, which will be displayed in a `StatusLine`.
/// let var = RwData::new(35);
///
/// /* inside of a plugin, where a `Context` could be found */
/// context.commands.add(["set-var"], {
/// let var = var.clone();
/// move |_flags, mut args| {
/// let value: usize = args.next_as()?;
/// *var.write() = value;
///
/// Ok(None)
/// }
/// });
/// /* */
///
/// let status_cfg = status!("The value is currently " var);
/// ```
///
/// Since `var` is an [`RwData`], it will be updated
/// automatically in the [`StatusLine`]
///
/// [`StatusLine`]: https://docs.rs/duat/latest/duat/widgets/struct.StatusLine.html
/// [`RoData`]: crate::data::RoData
pub fn add(
&self,
callers: impl IntoIterator<Item = impl ToString>,
f: impl FnMut(Flags, Args) -> CmdResult + 'static,
) -> Result<()> {
let command = Command::new(callers, f);
self.inner.write().try_add(command)
}
/// Adds a command to an object "related" to the current [`File`]
///
/// This object can be one of three things, a [`PassiveWidget`],
/// an [`InputMethod`], or the [`File`] itself. When the
/// command is ran, Duat will look at the currently active
/// file for any instance of an [`RwData<Thing>`] it can find.
/// Those will either be the file itself, or will be added in
/// the [`Session`]'s "file_fn".
///
/// # Examples
///
/// ```rust
/// # use duat_core::{
/// # commands::{self, Result},
/// # file::File,
/// # text::text,
/// # ui::Ui,
/// # Context,
/// # };
/// # fn test<U: Ui>(context: Context<U>) -> Result<Option<Text>> {
/// #[derive(Debug)]
/// enum Mode {
/// Normal,
/// Insert,
/// Prompt,
/// Visual,
/// }
///
/// struct ModalEditor {
/// mode: Mode,
/// }
///
/// impl InputMethod for ModalEditor {
/// /* Implementation details. */
/// # type Widget = File
/// # where
/// # Self: Sized;
/// # fn send_key(
/// # &mut self,
/// # key: crossterm::event::KeyEvent,
/// # widget: &RwData<Self::Widget>,
/// # area: &impl duat_core::ui::Area,
/// # ) where
/// # Self: Sized,
/// # {
/// # todo!()
/// # }
/// }
///
/// context.commands.add_for_current::<ModalEditor>(
/// ["set-mode"],
/// |modal, flags, mut args| {
/// let mode = args.next_else(text!("No mode given"))?;
///
/// match mode {
/// "normal" | "Normal" => modal.mode = Mode::Normal,
/// "insert" | "Insert" => modal.mode = Mode::Insert,
/// "prompt" | "Prompt" => modal.mode = Mode::Prompt,
/// "visual" | "Visual" => modal.mode = Mode::Visual,
/// mode => {
/// return Err(text!(
/// "Mode" [AccentErr] mode []
/// "is not a valid mode"
/// ));
/// }
/// }
///
/// let mode = format!("{:?}", modal.mode);
/// Ok(Some(text!("Mode was set to " [AccentOk] mode [] ".")))
/// }
/// )
/// .unwrap();
/// ```
///
/// [`File`]: crate::widgets::File
/// [`InputMethod`]: crate::input::InputMethod
/// [`Session`]: crate::session::Session
pub fn add_for_current<T: 'static>(
&'static self,
callers: impl IntoIterator<Item = impl ToString>,
mut f: impl FnMut(&mut T, Flags, Args) -> CmdResult + 'static,
) -> Result<()> {
let command = Command::new(callers, move |flags, args| {
let result = self
.current_file
.mutate_related::<T, CmdResult>(|t| f(t, flags, args.clone()));
result
.or_else(|| {
self.current_widget
.mutate_as::<T, CmdResult>(|t| f(t, flags, args.clone()))
})
.transpose()?
.ok_or_else(|| {
text!(
"The current file has no related structs of type {}"
{ std::any::type_name::<T>() }
)
})
});
self.inner.write().try_add(command)
}
/// Adds a command that can mutate a widget of the given type,
/// along with its associated [`dyn Area`].
///
/// This command will look for the [`PassiveWidget`] in the
/// following order:
///
/// 1. Any instance that is "related" to the currently active
/// [`File`], that is, any widgets that were added during the
/// [`Session`]'s "`file_fn`".
/// 2. Other widgets in the currently active window, related or
/// not to any given [`File`].
/// 3. Any instance of the [`PassiveWidget`] that is found in
/// other windows, looking first at windows ahead.
///
/// Keep in mind that the search is deterministic, that is, if
/// there are multiple instances of the widget that fit the
/// same category, only one of them will ever be used.
///
/// This search algorithm allows a more versatile configuration of
/// widgets, for example, one may have a [`CommandLine`] per
/// [`File`], or one singular [`CommandLine`] that acts upon
/// all files in the window, and both would respond correctly
/// to the `"set-prompt"` command.
///
/// # Examples
///
/// In this example, we create a simple `Timer` widget, along with
/// some control commands.
///
/// ```rust
/// // Required feature for widgets.
/// #![feature(return_position_impl_trait_in_trait)]
/// # use std::{
/// # sync::{
/// # atomic::{AtomicBool, Ordering},
/// # Arc,
/// # },
/// # time::Instant,
/// # };
/// # use duat_core::{
/// # commands,
/// # palette::{self, Form},
/// # text::{text, Text, AlignCenter},
/// # ui::{Area, PushSpecs, Ui},
/// # widgets::{PassiveWidget, Widget},
/// # };
/// # pub struct Timer {
/// # text: Text,
/// # instant: Instant,
/// # running: Arc<AtomicBool>,
/// # }
/// impl PassiveWidget for Timer {
/// fn build<U: Ui>() -> (Widget<U>, impl Fn() -> bool, PushSpecs) {
/// let timer = Self {
/// text: text!(AlignCenter [Counter] "0ms"),
/// instant: Instant::now(),
/// // No need to use an `RwData`, since
/// // `RwData::has_changed` is never called.
/// running: Arc::new(AtomicBool::new(false)),
/// };
///
/// // The checker should tell the `Timer` to update only
/// // if `running` is `true`.
/// let checker = {
/// // Clone any variables before moving them to
/// // the `checker`.
/// let running = timer.running.clone();
/// move || running.load(Ordering::Relaxed)
/// };
///
/// let specs = PushSpecs::below().with_lenght(1.0);
///
/// (Widget::passive(timer), checker, specs)
/// }
///
/// fn update(&mut self, _area: &impl Area) {
/// if self.running.load(Ordering::Relaxed) {
/// let duration = self.instant.elapsed();
/// let duration = format!("{:.3?}", duration);
/// self.text = text!(
/// AlignCenter [Counter] duration [] "elapsed"
/// );
/// }
/// }
///
///
/// fn text(&self) -> &Text {
/// &self.text
/// }
///
/// // The `once` function of a `PassiveWidget` is only called
/// // when that widget is first created.
/// // It is generally useful to add commands and set forms
/// // in the `palette`.
/// fn once() {
/// // `palette::set_weak_form` will only set that form if
/// // it doesn't already exist.
/// // That means that a user of the widget will be able to
/// // control that form by changing it before or after this
/// // widget is pushed.
/// palette::set_weak_form("Counter", Form::new().green());
///
/// commands::add_for_widget::<Timer>(
/// ["play"],
/// |timer, _area, _flags, _args| {
/// timer.running.store(true, Ordering::Relaxed);
///
/// Ok(None)
/// })
/// .unwrap();
///
/// commands::add_for_widget::<Timer>(
/// ["pause"],
/// |timer, _area, _flags, _args| {
/// timer.running.store(false, Ordering::Relaxed);
///
/// Ok(None)
/// })
/// .unwrap();
///
/// commands::add_for_widget::<Timer>(
/// ["pause"],
/// |timer, _area, _flags, _args| {
/// timer.instant = Instant::now();
///
/// Ok(None)
/// })
/// .unwrap();
/// }
/// }
/// ```
///
/// [`dyn Area`]: crate::ui::Area
/// [`File`]: crate::widgets::File
/// [`Session`]: crate::session::Session
/// [`CommandLine`]: crate::widgets::CommandLine
pub fn add_for_widget<W: PassiveWidget<U>>(
&'static self,
callers: impl IntoIterator<Item = impl ToString>,
mut f: impl FnMut(&mut W, &U::Area, Flags, Args) -> CmdResult + 'static,
) -> Result<()> {
let windows = self.windows.clone();
let command = Command::new(callers, move |flags, args| {
self.current_file
.mutate_related_widget::<W, CmdResult>(|widget, area| {
f(widget, area, flags, args.clone())
})
.unwrap_or_else(|| {
let windows = windows.read();
if windows.is_empty() {
return Err(text!(
"Widget command executed before the " [AccentErr] "Ui" []
" was initiated, try executing after " [AccentErr] "OnUiStart" []
));
}
self.current_widget.mutate_data(|widget, _, _| {
let widget = widget.clone().to_passive();
if let Some((w, a)) = get_from_name(&windows, W::name(), &widget) {
w.mutate_as::<W, CmdResult>(|w| f(w, a, flags, args))
.unwrap()
} else {
let name = W::name();
Err(text!("No widget of type " [AccentErr] name [] " found"))
}
})
})
});
self.inner.write().try_add(command)
}
/// Adds a [`WidgetGetter`] to [`self`].
pub(crate) fn add_windows(&self, windows: Vec<Window<U>>) {
*self.windows.write() = windows
}
pub(crate) fn get_windows(&self) -> RwData<Vec<Window<U>>> {
self.windows.clone()
}
}
/// The standard error that should be returned when [`run`]ning
/// commands.
///
/// This error _must_ include an error message in case of failure. It
/// may also include a success message, but that is not required.
pub type CmdResult = std::result::Result<Option<Text>, Text>;
/// A function that can be called by name.
#[derive(Clone)]
struct Command {
f: RwData<dyn FnMut(Flags, Args) -> CmdResult>,
callers: Arc<[String]>,
}
impl Command {
/// Returns a new instance of [`Command`].
fn new<F>(callers: impl IntoIterator<Item = impl ToString>, f: F) -> Self
where
F: FnMut(Flags, Args) -> CmdResult + 'static,
{
let callers: Arc<[String]> = callers
.into_iter()
.map(|caller| caller.to_string())
.collect();
if let Some(caller) = callers
.iter()
.find(|caller| caller.split_whitespace().count() != 1)
{
panic!("Command caller \"{caller}\" contains more than one word.");
}
Self {
f: RwData::new_unsized::<F>(Arc::new(RwLock::new(f))),
callers,
}
}
/// Executes the inner function if the `caller` matches any of
/// the callers in [`self`].
fn try_exec(&self, flags: Flags, args: Args<'_>) -> Result<Option<Text>> {
(self.f.write())(flags, args).map_err(Error::CommandFailed)
}
/// The list of callers that will trigger this command.
fn callers(&self) -> &[String] {
&self.callers
}
}
unsafe impl Send for Command {}
unsafe impl Sync for Command {}
struct InnerCommands {
list: Vec<Command>,
aliases: HashMap<String, (Command, String)>,
}
impl InnerCommands {
/// Tries to add the given [`Command`] to the list.
fn try_add(&mut self, command: Command) -> Result<()> {
let mut new_callers = command.callers().iter();
let commands = self.list.iter();
for caller in commands.flat_map(|cmd| cmd.callers().iter()) {
if new_callers.any(|new_caller| new_caller == caller) {
return Err(Error::CallerAlreadyExists(caller.clone()));
}
}
self.list.push(command);
Ok(())
}
/// Tries to alias a full command (caller, flags, and
/// arguments) to an alias.
fn try_alias(&mut self, alias: impl ToString, call: impl ToString) -> Result<Option<Text>> {
let alias = alias.to_string();
if alias.split_whitespace().count() != 1 {
return Err(Error::AliasNotSingleWord(alias));
}
let call = call.to_string();
let caller = call
.split_whitespace()
.next()
.ok_or(Error::Empty)?
.to_string();
let mut cmds = self.list.iter();
if let Some(command) = cmds.find(|cmd| cmd.callers().contains(&caller)) {
let entry = (command.clone(), call.clone());
match self.aliases.insert(alias.clone(), entry) {
Some((_, prev_call)) => Ok(Some(text!(
"Aliased " [AccentOk] alias []
" from " [AccentOk] prev_call []
" to " [AccentOk] call [] "."
))),
None => Ok(Some(text!(
"Aliased " [AccentOk] alias []
" to " [AccentOk] call [] "."
))),
}
} else {
Err(Error::CallerNotFound(caller))
}
}
}
type Result<T> = crate::Result<T, ()>;
fn get_from_name<'a, U: Ui>(
windows: &'a [Window<U>],
type_name: &'static str,
widget: &impl Data<dyn PassiveWidget<U>>,
) -> Option<(&'a RwData<dyn PassiveWidget<U>>, &'a U::Area)> {
let window = windows
.iter()
.position(|w| w.widgets().any(|(cmp, _)| cmp.ptr_eq(widget)))
.unwrap();
let on_window = windows[window].widgets();
let previous = windows.iter().take(window).flat_map(|w| w.widgets());
let following = windows.iter().skip(window + 1).flat_map(|w| w.widgets());
on_window
.chain(following)
.chain(previous)
.find(|(w, _)| w.type_name() == type_name)
.map(|(w, a)| (w.as_passive(), a))
}