16

您好,我正在尝试从其他集团收听集团的状态。我正在使用这个包https://pub.dev/packages/bloc

从我的UserBloc我想听AuthBloc并且当它具有AuthenticationAuthenticated状态时,UserBloc应该触发一个事件。

final UserRepository userRepository;
final authBloc;
StreamSubscription authSub;
UserBloc({ @required this.userRepository, @required this.authBloc}) {
    authSub = authBloc.listen((stateAuth) {

      //here is my problem because stateAuth, even is AuthenticationAuthenticated it return always false.
      if (stateAuth is AuthenticationAuthenticated) {
        this.add(GetUser())  ;
      }
    });
  }

@override
  Future<void> close() async {
    authSub?.cancel();
    super.close();
  }

现在我有这个问题:在调试时我试图打印 stateAuth 它返回:

stateAuth = {AuthenticationAuthenticated} AuthenticationAuthenticated
   props = {_ImmutableList} size = 0

但是stateAuth 是 AuthenticationAuthenticated返回总是假的。

有什么方法可以从其他 Bloc 类中收听 blocState 吗?

4

2 回答 2

16

要回答 Sampir 的问题,是的,您是对的,但有时您可能想以另一种方式来回答。集团是为其他人管理事件的东西。如果您正在使用 ui 事件,您的 bloc 会为您的 ui 管理它们,但如果您还使用其他类型的事件(即位置事件或其他流事件),您可以拥有一个管理您的 ui 事件和另一个 bloc 的 bloc管理其他类型的事件(即蓝牙连接)。所以第一个块必须听第二个(即因为正在等待建立蓝牙连接)。考虑一个使用大量传感器的应用程序,每个传感器都有其数据流,您将拥有一系列必须合作的集团。

您几乎可以在任何地方将侦听器添加到 bloc。使用 StreamSubscription,您可以为每种类型的流添加侦听器,甚至是另一个块中的流。该集团必须有一种方法来公开他的流,这样你就可以听他的了。

一些代码(我使用 flutter_bloc - flutter_bloc 有多个提供者,但这只是示例):

class BlocA extends Bloc<EventA, StateA> {

  final BlocB blocB;
  StreamSubscription subscription;

  BlocA({this.blocB}) {
    if (blocB == null) return;
    subscription = blocB.listen((stateB) {
      //here logic based on different children of StateB
    });
  }

  //...

}

class BlocB extends Bloc<EventB, StateB> {
   //here BlocB logic and activities
}
于 2020-05-11T08:54:26.670 回答
14

实际上,在bloc 库的一个示例中,他们从另一个 Bloc (FilteredTodosBloc) 监听一个 Bloc (TodosBloc)。

class FilteredTodosBloc extends Bloc<FilteredTodosEvent, FilteredTodosState> {
  final TodosBloc todosBloc;
  StreamSubscription todosSubscription;

  FilteredTodosBloc({@required this.todosBloc}) {
    todosSubscription = todosBloc.listen((state) {
      if (state is TodosLoadSuccess) {
        add(TodosUpdated((todosBloc.state as TodosLoadSuccess).todos));
      }
    });
  }
...

您可以在此处查看此示例的说明。

于 2020-07-08T00:56:06.050 回答