GithubHelp home page GithubHelp logo

kauemurakami / minimals_state_manager Goto Github PK

View Code? Open in Web Editor NEW
5.0 2.0 2.0 252 KB

The minimals_state_manager package is a abstraction of the Flutter state management based in InheritedWidget and ValueNotifier.

Home Page: https://pub.dev/packages/minimals_state_manager

License: MIT License

Kotlin 0.21% Swift 1.20% Objective-C 0.07% Dart 98.52%
dart flutter flutter-apps inherited-widget package pubdev state-management valuenotifier open-source

minimals_state_manager's Introduction

Star on GitHub

The minimals_state_manager package is a minimalist implementation of state management for Flutter apps, using only native Flutter packages. The goal is to simplify the process of managing states in your projects by providing an easy-to-use framework that takes full advantage of Flutter's native functionality using only Flutter dependence.

For this, the package uses important packages such as InheritedWidget, ChangeNotifier, ValueNotifier, ValueListenableBuilder to control the lifecycle of the application in its controllers.

With minimals_state_manager, you will have a minimal state management implementation that is easy to understand and that speeds up Flutter application development. However, it is important to point out that this package is intended for study about state management, observables, lifecycle and best practices only and is not recommended for production as it is still in alpha version.

Features

Providers

MinProvider and MinMultiProviderare state management providers that allow you to easily manage and share the state of your Flutter application between different components.
MinProvider is used for single state management, while MinMultiProvider is used for managing multiple states in a single provider.
By using MinProvider and MinMultiProvider,
you can simplify the process of managing state and reduce boilerplate code in your Flutter projects.
Using InheritedWidget to add controllers to the widget tree.
In turn, we abandoned MinController which extended our ChangeNotifier to create, with some changes, our controllers, Now we decided to directly use ChangeNotifier in the creation of controllers, avoiding outsourcing and boilerplate of using Flutter, as it is already available in Flutter, example of the expected Controller:

  class YourController1 extends ChangeNotifier{
    ValueNotifier<int> count = 0.minx;
    //or 
    //final count = 0.minx;

    increment(){
      count.value++;  
      notifyListeners();
    }
    decrement(){
      count.value--;
      notifyListeners();
    }
  }

minx helps you avoid boilerplate when assigning values ​​in ValueNotifier<T>, you can set an initial value ordeclare using the .minx extension to return a value notifier of the same type with the entered value.

  MinProvider(
    controller: YourController(),
    child: YourPage()
  )

Or

  MinMultiProvider(
    controllers: [YourController1(), YourController2()],
    child: YourPage()
  )

Remember, if you want to keep some controller alive and avoid restarting, create an instance of it before passing it, available in our example on the dash route, example:
Create a file in routes > routes/providers.dart to define global controllers:

  final yourController1 = YouController1();
  final yourController2 = YouController2();

And call this in MinProvider or MinMultiProvider example with MinMultiProvider, the same is valid to MinProvider:

  MinMultiProvider(
      controllers: [yourController1, yourController2],
      child: YourPage()
  )

This keeps their state the same throughout the widget tree.

You can retrieve the controllers in the widget tree after they are injected with one of the Providers with:

Widget build(BuildContext context) {
  final controller = MinProvider.use<YourController>(context);
  return Widget
}

Or

...
final controller = MinMultiProvider.use<YourController1>(context)
final controller = MinMultiProvider.use<YourController2>(context)

Observable widget

This widgets is Observable widget $(ValueNotifier<T> listener , (value) => Widget()), this is a generic observable widget that can be used to listen for changes to a value and update notifier the specific user interface.
Value notifier and constructor required function that defines how the UI should be updated based on the current value of the notifier, where our ValueNotifier listener is inserted into the build function to pass its primitive value with each update.
This widget is useful for cases where you want to decouple the UI from the data source, allowing changes in the data to automatically update the UI without having to manually manage the state.
It can be used in a variety of scenarios such as form input fields, status indicators or progress bars.

$(controller.count, // our listener provided by widget count is ValueNotifier<int> 
  (count) => Text('Count $count'), // function returns real value as int     
)

This widget use a ValueListenableBuilder widget to exist, if you want to be closer to Flutter's native code, nothing prevents you from using it with your controller's ValueNotifier<T>, example:

 ValueListenableBuilder(valueListenable: controller.count,
  builder: (context, count, child) => Text('Count $count'), 
)

Getting started

$ flutter pub add minimals_state_manager

or add in your dependencies

dependencies:
  minimals_state_manager: <latest>

Usage

This is simple example, for a more complete and complex, see the /example folder.

In your main.dart

Use the MinProvider() widget to provide a Controller for the child widget tree. If you need more than one Controller, you can use MinMultiProvider() to pass a list of controllers.

void main() {
  runApp(
    MaterialApp(
      home: MinProvider(
        controller: MyController(), 
        child: const MyPage(),
      ),
    ),
  );
}

Use MinX<YourController>() widget to retrieve the available controller instance to use its methods and attributes in certain parts of the code.

Use the observable widget $(ValueNotifier<T> listener, (T listener) => Widget()) to listen for updates to your controller's observable variable, this widget expects a ValueNotifier type listener, and has a function that returns the real value of the object passed, updating whenever necessary.

class MyPage extends StatelessWidget {
  final GlobalKey<FormState> formKey = GlobalKey<FormState>();
  const MyPage({super.key});

  @override
  Widget build(BuildContext context) {
    final controller = MinProvider.use<MyController>(context);
    return Scaffold(
        floatingActionButtonLocation: FloatingActionButtonLocation.endFloat,
        floatingActionButton:  Column(
            mainAxisAlignment: MainAxisAlignment.end,
            children: [
              FloatingActionButton(
                backgroundColor: Colors.lightGreen,
                onPressed: () => controller.increment(),
                child: const Icon(Icons.add),
              ),
              const SizedBox(
                height: 16.0,
              ),
              FloatingActionButton(
                backgroundColor: Colors.redAccent,
                onPressed: () => controller.decrement(),
                child: const Icon(Icons.remove),
              ),
              const SizedBox(
                height: 16.0,
              ),
              FloatingActionButton(
                onPressed: () => controller.refresh(),
                child: const Icon(Icons.refresh),
              ),
            ],
          ),
        body: SafeArea(
          child: Column(
            mainAxisAlignment: MainAxisAlignment.center,
            children: [
              const Text('check out the full example in the example folder'),
                Container(
                margin: const EdgeInsets.only(
                    left: 32.0, right: 32.0, bottom: 32.0),
                child: Form(
                  key: formKey,
                  child:  Column(
                      children: [
                        $(
                          controller.user,
                          (User user) => Text(user.name),
                          ,
                        ),
                        TextFormField(
                          onChanged: (value) => controller.onChangedName(value),
                          validator: (value) => controller.validateName(value),
                          onSaved: (newValue) =>
                              controller.onSaveName(newValue),
                        ),
                      ],
                    ),
                ),
              ),
              Column(
                mainAxisAlignment: MainAxisAlignment.center,
                children: [
                  Row(
                    mainAxisAlignment: MainAxisAlignment.center,
                    children: [
                       $(
                          controller.count,
                          (count) => Text(
                            'Count $count',
                            style: const TextStyle(
                              fontSize: 24.0,
                              fontWeight: FontWeight.w600,
                            ),
                          ),
                          
                      ),
                    ],
                  ),
                ],
              ),
            ],
          ),
        ),
      );
  } 
}

Extend ChangeNotifier in your controller to get application lifecycles. Add your methods and your observables.

class MyController extends ChangeNotifier {
  MyController(){
    print('init controler')    ;

  }

  final count = 0.minx;
  ValueNotifier<User> user = User().minx;

  increment() {
    count.value++;
    notifyListeners();
  } 
  decrement() {
    count.value--;
    notifyListeners();
  }

  refresh() => count.value = 0;

  onChangedName(str) => user.update((val) => val.name = str);
  onSaveName(str) => user.update((val) => val.name = str);
  validateName(str) => str.length < 2 ? 'insert valid name' : null;
}
class User {
  User({this.name});
  String? name;
}

The update() extension was made to update more complex objects, but nothing stops you from using notifyListeners or complex.notifyListeners()

Additional information

Package is a work of studies about life cycles, dependency injection, objects and observable classes.
Not recommended and not ready for production.

minimals_state_manager's People

Contributors

kauemurakami avatar

Stargazers

 avatar  avatar  avatar  avatar  avatar  avatar

Watchers

 avatar  avatar

Recommend Projects

  • React photo React

    A declarative, efficient, and flexible JavaScript library for building user interfaces.

  • Vue.js photo Vue.js

    πŸ–– Vue.js is a progressive, incrementally-adoptable JavaScript framework for building UI on the web.

  • Typescript photo Typescript

    TypeScript is a superset of JavaScript that compiles to clean JavaScript output.

  • TensorFlow photo TensorFlow

    An Open Source Machine Learning Framework for Everyone

  • Django photo Django

    The Web framework for perfectionists with deadlines.

  • D3 photo D3

    Bring data to life with SVG, Canvas and HTML. πŸ“ŠπŸ“ˆπŸŽ‰

Recommend Topics

  • javascript

    JavaScript (JS) is a lightweight interpreted programming language with first-class functions.

  • web

    Some thing interesting about web. New door for the world.

  • server

    A server is a program made to process requests and deliver data to clients.

  • Machine learning

    Machine learning is a way of modeling and interpreting data that allows a piece of software to respond intelligently.

  • Game

    Some thing interesting about game, make everyone happy.

Recommend Org

  • Facebook photo Facebook

    We are working to build community through open source technology. NB: members must have two-factor auth.

  • Microsoft photo Microsoft

    Open source projects and samples from Microsoft.

  • Google photo Google

    Google ❀️ Open Source for everyone.

  • D3 photo D3

    Data-Driven Documents codes.