在Flutter中使用流/接收器

时间:2018-06-22 20:34:23

标签: dart flutter

我试图通过使用Dart API中的Streams而不使用scoped_modelrxdart来替换 def forward(self, h): h_trunc = h[:, :-1].contiguous().view(-1, self.n_embd) lm_logits = self.decoder(h_trunc) softmax_out = F.softmax(lm_logits, dim=1) #~~~~~comment~~~~~~~ Input torch.Size([2, 512, 768]) After truncation torch.Size([1022, 768]) After lm_logits torch.Size([1022, 40993]) After softmax torch.Size([1022, 40993]) 颤抖的应用程序代码。

因此,我读了this并看了this,但无法为我使用,我的代码是:

increment

StreamProvider.dart

import 'package:flutter/widgets.dart'; import 'businessLogic.dart'; import 'dart:async'; class Something { final _additionalContrllerr = StreamController<int>(); Sink<int> get addition => _additionalContrllerr.sink; Stream<int> get itemCount => _additionalContrllerr.stream; } class StreemProvider extends InheritedWidget { final Something myBloc; // Business Logic Component StreemProvider({ Key key, @required this.myBloc, Widget child, }) : super(key: key, child: child); @override bool updateShouldNotify(InheritedWidget oldWidget) => true; static Something of(BuildContext context) => (context.inheritFromWidgetOfExactType(StreemProvider) as StreemProvider) .myBloc; }

main.dart

3 个答案:

答案 0 :(得分:3)

不知道对rx_dart的限制,但是我只能尝试由您使用它来回答。大声笑

您的集团没有定义在您的输入流中听什么,这就是我可以使其工作的方式

counter_bloc.dart

import 'package:rxdart/rxdart.dart';
import 'dart:async';

class CounterBloc {
  int _count = 0;

  ReplaySubject<int> _increment = ReplaySubject<int>();
  Sink<int> get increment => _increment;

  BehaviorSubject<int> _countStream = BehaviorSubject<int>(seedValue: 0);
  Stream<int> get count => _countStream.stream;

  CounterBloc() {
    _increment.listen((increment) {
      _count += increment;
      _countStream.add(_count);
    });
  }
}

在构造函数中,为该流设置listen方法。对于发送的每个增量,它将递增计数器并将当前计数发送到另一个流。

main.dart中,删除了_counter属性,因为该属性现在由BLOC处理。为了显示我使用了流构建器。

还添加了第二个fab,其+2增量用于测试逻辑。

希望这可以帮助您为集团类建模。 :)

良好的集团参考:https://www.youtube.com/watch?v=PLHln7wHgPE

main.dart

import 'counter_bloc.dart';
import 'package:flutter/material.dart';

void main() => runApp(MyApp());

class MyApp extends StatelessWidget {
  @override
  Widget build(BuildContext context) {
    return MaterialApp(
      title: 'Flutter Demo',
      theme: ThemeData(
        primarySwatch: Colors.blue,
      ),
      home: MyHomePage(title: 'Flutter Demo Home Page'),
    );
  }
}

class MyHomePage extends StatefulWidget {
  MyHomePage({Key key, this.title}) : super(key: key);

  final String title;

  @override
  _MyHomePageState createState() => _MyHomePageState();
}

class _MyHomePageState extends State<MyHomePage> {
  CounterBloc bloc = CounterBloc();

  @override
  Widget build(BuildContext context) {
    return Scaffold(
      appBar: AppBar(
        title: Text(widget.title),
      ),
      body: Center(
        child: Column(
          mainAxisAlignment: MainAxisAlignment.center,
          children: <Widget>[
            Text(
              'You have pushed the button this many times:',
            ),
            StreamBuilder<int>(
              stream: bloc.count,
              initialData: 0,
              builder: (BuildContext c, AsyncSnapshot<int> data) {
                return Text(
                  '${data.data}',
                  style: Theme.of(context).textTheme.display1,
                );
              },
            ),
          ],
        ),
      ),
      floatingActionButton: Row(
        mainAxisAlignment: MainAxisAlignment.end,
        children: <Widget>[
          FloatingActionButton(
            onPressed: () {
              bloc.increment.add(2);
            },
            tooltip: 'Increment 2',
            child: Text("+2"),
          ),
          FloatingActionButton(
            onPressed: () {
              bloc.increment.add(1);
            },
            tooltip: 'Increment 1',
            child: Text("+1"),
          ),
        ],
      ), // This trailing comma makes auto-formatting nicer for build methods.
    );
  }
}

答案 1 :(得分:1)

一个简单的实现

import 'dart:async';

import 'package:flutter/material.dart';

void main() => runApp(MyApp());

class MyApp extends StatelessWidget {
  @override
  Widget build(BuildContext context) {
    return MaterialApp(
      title: 'Counter Demo',
      debugShowCheckedModeBanner: false,
      theme: ThemeData(
        primarySwatch: Colors.blue,
      ),
      home: MyHomePage(),
    );
  }
}

class MyHomePage extends StatelessWidget {
  int _counter = 0;

  final StreamController<int> _streamController =
      StreamController<int>.broadcast();

  Stream<int> get _stream => _streamController.stream;

  void increamentCounter() {
    _counter++;
    _streamController.add(_counter);

  }

  @override
  Widget build(BuildContext context) {
    return Scaffold(
      appBar: AppBar(
        title: Text('Flutter demo'),
      ),
      body: Center(
        child: StreamBuilder<int>(
            stream: _stream,
            builder: (ctxt, snapshot) {
              if (snapshot.hasData) {
                return Text(
                    'You have pushed this button ${snapshot.data} times');
              }
              return Text('You have pushed this button ${0} times');
            }),
      ),
      floatingActionButton: FloatingActionButton(
        onPressed: () {
          increamentCounter();
        },
        tooltip: 'Increment',
        child: Icon(Icons.add),
      ),
    );
  }
}

答案 2 :(得分:-1)

非常感谢vbandrade,他的回答帮助我弄清楚了。与我合作的解决方案是:

如果我需要在StreamController业务逻辑组件中收听sink,则需要2 bloc,然后将输出处理并stream到其他元素。

counter_bloc.dart是:

import 'dart:async';

class CounterBloc {
  int _count = 0;

  // The controller to stream the final output to the required StreamBuilder
  final _counter = StreamController.broadcast<int>();
  Stream<int> get counter => _counter.stream;

  // The controller to receive the input form the app elements     
  final _query = StreamController<int>();
  Sink<int> get query => _query.sink;
  Stream<int> get result => _query.stream;

  // The business logic
  CounterBloc() {
    result.listen((increment) {     // Listen for incoming input         
      _count += increment;          // Process the required data
      _counter.add(_count);         // Stream the required output
    });
  }

  void dispose(){
    _query.close();
    _counter.close();
  }
}

main.dart是:

import 'counter_bloc.dart';
import 'package:flutter/material.dart';

void main() => runApp(MyApp());

class MyApp extends StatelessWidget {
  @override
  Widget build(BuildContext context) {
    return MaterialApp(
      title: 'Flutter Demo',
      theme: ThemeData(
        primarySwatch: Colors.blue,
      ),
      home: MyHomePage(title: 'Flutter Demo Home Page'),
    );
  }
}

class MyHomePage extends StatefulWidget {
  MyHomePage({Key key, this.title}) : super(key: key);

  final String title;

  @override
  State<StatefulWidget> createState() {
    return _MyHomePageState();
  }

}

class _MyHomePageState extends State<MyHomePage> {
  var bloc = CounterBloc();

  @override
  Widget build(BuildContext context) {
    return Scaffold(
      appBar: AppBar(
        title: Text(widget.title),
      ),
      body: Center(
        child: Column(
          mainAxisAlignment: MainAxisAlignment.center,
          children: <Widget>[
            Text(
              'You have pushed the button this many times:',
            ),
            StreamBuilder<int>(      // Listen to the final output sent from the Bloc
              stream: bloc.counter,
              initialData: 0,
              builder: (BuildContext c, AsyncSnapshot<int> data) {
                return Text(
                  '${data.data}',
                  style: Theme.of(context).textTheme.display1,
                );
              },
            ),
          ],
        ),
      ),
      floatingActionButton: Row(
        mainAxisAlignment: MainAxisAlignment.end,
        children: <Widget>[
          FloatingActionButton(
            onPressed: () {
              bloc.query.add(2);         // Send input to the Bloc
            },
            tooltip: 'Increment 2',
            child: Text("+2"),
          ),
          FloatingActionButton(
            onPressed: () {
              bloc.query.add(1);        // Send input to the Bloc
            },
            tooltip: 'Increment 1',
            child: Text("+1"),
          ),
        ],
      ), // This trailing comma makes auto-formatting nicer for build methods.
    );
  }
}