Skip to content

flutter-it/command_it

Β 
Β 

Folders and files

NameName
Last commit message
Last commit date

Latest commit

Β 
Β 
Β 
Β 
Β 
Β 
Β 
Β 
Β 
Β 
Β 
Β 
Β 
Β 
Β 
Β 
Β 
Β 
Β 
Β 
Β 
Β 
Β 
Β 
Β 
Β 
Β 
Β 
Β 
Β 
Β 
Β 
Β 
Β 
Β 
Β 
Β 
Β 
Β 
Β 
Β 
Β 
Β 
Β 
Β 
Β 
Β 
Β 
Β 
Β 
Β 

Repository files navigation

command_it logo

Buy Me A Coffee
Sponsor

command_it codecov

πŸ“š Complete documentation available at flutter-it.dev Check out the comprehensive docs with detailed guides, examples, and best practices!


πŸ”„ Migration Notice (v9.0.0)

Important: Version 9.0.0 introduces new, clearer API naming. The old API is deprecated and will be removed in v10.0.0.

Quick Migration: execute() β†’ run() | isExecuting β†’ isRunning | canExecute β†’ canRun

Run dart fix --apply to automatically update most usages.

Complete migration guide β†’


Command pattern for Flutter - wrap functions as observable objects with automatic state management

Commands replace async methods with reactive alternatives. Wrap your functions, get automatic loading states, error handling, and UI integration. No manual state tracking, no try/catch everywhere.

Call them like functions. React to their state. Simple as that.

Part of flutter_it β€” A construction set of independent packages. command_it works standalone or combines with watch_it for reactive UI updates.

Why Commands?

  • 🎯 Declarative β€” Wrap functions, get observable execution state automatically
  • ⚑ Automatic State β€” isRunning, value, errors tracked without manual code
  • πŸ›‘οΈ Smart Error Handling β€” Route errors globally/locally with filters
  • πŸ”’ Built-in Protection β€” Prevents parallel execution automatically
  • πŸŽ›οΈ Restrictions β€” Disable commands conditionally (auth, network, etc.)
  • πŸ§ͺ Testable β€” Easier to test than traditional async methods

Learn more about the benefits β†’

Quick Start

Installation

Add to your pubspec.yaml:

dependencies:
  command_it: ^9.0.2
  listen_it: ^5.3.3  # Required - commands build on ValueListenable

Basic Example

import 'package:command_it/command_it.dart';

// 1. Create a command that wraps your async function
class CounterManager {
  int _counter = 0;

  late final incrementCommand = Command.createAsyncNoParam<String>(
    () async {
      await Future.delayed(Duration(milliseconds: 500));
      _counter++;
      return _counter.toString();
    },
    initialValue: '0',
  );
}

// 2. Use it in your UI - command is a ValueListenable
class CounterWidget extends StatelessWidget {
  final manager = CounterManager();

  @override
  Widget build(BuildContext context) {
    return Column(
      children: [
        // Shows loading indicator automatically while command runs
        ValueListenableBuilder<bool>(
          valueListenable: manager.incrementCommand.isRunning,
          builder: (context, isRunning, _) {
            if (isRunning) return CircularProgressIndicator();

            return ValueListenableBuilder<String>(
              valueListenable: manager.incrementCommand,
              builder: (context, value, _) => Text('Count: $value'),
            );
          },
        ),
        ElevatedButton(
          onPressed: manager.incrementCommand.run,
          child: Text('Increment'),
        ),
      ],
    );
  }
}

That's it! The command automatically:

  • Prevents parallel execution
  • Tracks isRunning state
  • Publishes results
  • Handles errors

Full tutorial

Using CommandBuilder

Simplify your UI code with the built-in builder widget:

CommandBuilder<void, String>(
  command: manager.incrementCommand,
  whileRunning: (context, _, __) => CircularProgressIndicator(),
  onData: (context, value, _) => Text('Count: $value'),
  onError: (context, error, _, __) => Text('Error: $error'),
)

Key Features

Command Types

Create commands for any function signature:

Command Properties

Observe different aspects of execution:

  • value β€” Last successful result
  • isRunning β€” Async execution state
  • isRunningSync β€” Synchronous version for restrictions
  • canRun β€” Combined restriction and running state
  • errors β€” Stream of errors
  • results β€” CommandResult with all data at once

Error Handling

Declarative error routing with filters:

Advanced Features

Piping Commands

Chain commands together with the pipeToCommand() extension. When the source completes successfully, it automatically triggers the target command:

// Trigger refresh after save completes
saveCommand.pipeToCommand(refreshCommand);

// Transform result before passing to target
userIdCommand.pipeToCommand(fetchUserCommand, transform: (id) => UserRequest(id));

// Pipe from any ValueListenable - track execution state changes
longRunningCommand.isRunning.pipeToCommand(spinnerStateCommand);

The pipeToCommand() extension works on any ValueListenable, including commands, isRunning, results, or plain ValueNotifier. Returns a ListenableSubscription for manual cancellation if needed.

⚠️ Warning: Circular pipes (Aβ†’Bβ†’A) cause infinite loops. Ensure your pipe graph is acyclic.

Ecosystem Integration

Built on listen_it β€” Commands are ValueListenable objects, so they work with all listen_it operators (map, debounce, where, etc.).

// Register with get_it
di.registerLazySingleton(() => TodoManager());

// Use commands in your managers
class TodoManager {
  final loadTodosCommand = Command.createAsyncNoParam<List<Todo>>(
    () => api.fetchTodos(),
    [],
  );

  // Debounce search with listen_it operators
  final searchCommand = Command.createSync<String, String>((s) => s, '');

  TodoManager() {
    searchCommand.debounce(Duration(milliseconds: 500)).listen((term, _) {
      loadTodosCommand.run();
    });
  }
}

Want more? Combine with other flutter_it packages:

  • listen_it β€” Required dependency. ValueListenable operators and reactive collections.

  • Optional: watch_it β€” State management. Watch commands reactively without builders: watchValue((m) => m.loadCommand).

  • Optional: get_it β€” Service locator for dependency injection. Access managers with commands from anywhere: di<TodoManager>().

πŸ’‘ flutter_it is a construction set β€” command_it works standalone. Add watch_it and get_it when you need reactive UI and dependency injection.

Explore the ecosystem β†’

Learn More

πŸ“– Documentation

πŸ’¬ Community & Support

Contributing

Contributions are welcome! Please read the contributing guidelines before submitting PRs.

License

MIT License - see LICENSE file for details.


Part of the flutter_it ecosystem β€” Build reactive Flutter apps the easy way. No codegen, no boilerplate, just code.

About

rebranded fork of flutter_command, future development will happen here

Resources

License

Stars

Watchers

Forks

Packages

No packages published

Languages

  • Dart 80.2%
  • C++ 9.9%
  • CMake 7.9%
  • Swift 0.8%
  • C 0.6%
  • HTML 0.5%
  • Other 0.1%