- r - 以节省内存的方式增长 data.frame
- ruby-on-rails - ruby/ruby on rails 内存泄漏检测
- android - 无法解析导入android.support.v7.app
- UNIX 域套接字与共享内存(映射文件)
我有下面的工作正常,用于获取当前位置并显示它:
import 'package:flutter/material.dart';
import 'package:location/location.dart';
import 'package:flutter/services.dart';
import 'package:simple_permissions/simple_permissions.dart';
import 'babies.dart';
class LocationState extends State {
String _location_text;
Location _location = new Location();
Map<String, double> _currentLocation;
String error;
@override
void initState() {
super.initState();
setState(() {
_location_text = 'Clik to update location';
});
}
// Platform messages are asynchronous, so we initialize in an async method.
_getLocation() async {
Map<String, double> location;
// Platform messages may fail, so we use a try/catch PlatformException.
try {
await SimplePermissions.requestPermission(Permission.AccessFineLocation);
location = await _location.getLocation();
error = null;
} on PlatformException catch (e) {
if (e.code == 'PERMISSION_DENIED') {
error = 'Permission denied';
} else if (e.code == 'PERMISSION_DENIED_NEVER_ASK') {
error =
'Permission denied - please ask the user to enable it from the app settings';
}
location = null;
}
print("error $error");
setState(() {
_currentLocation = location;
_location_text = ('${_currentLocation["latitude"]}, ${_currentLocation["longitude"]}' ?? 'Grant location Access');
print(_currentLocation);
});
}
@override
Widget build(BuildContext context) {
return Scaffold(
appBar: AppBar(title: Text('Baby Name Votes')),
body: _buildBody(context),
);
}
Widget _buildBody(BuildContext context) {
return
Column(
children: <Widget>[
Padding(
padding: const EdgeInsets.symmetric(horizontal: 16.0, vertical: 8.0),
child: Column(
children: <Widget>[
Container(
decoration: BoxDecoration(
border: Border.all(color: Colors.grey),
borderRadius: BorderRadius.circular(5.0),
),
child: Column(
mainAxisSize: MainAxisSize.min,
children: <Widget>[
ButtonTheme.bar(
child: ButtonBar(
children: <Widget>[
Text.rich(
TextSpan(text: '$_location_text'),
),
FlatButton(
child: const Icon(Icons.my_location),
onPressed: () {
_getLocation();
var alt = _currentLocation["latitude"];
print(
"my $alt at location is: $_currentLocation");
},
)
])
),
]),
),
],
),
),
Expanded(
child: MyCustomListViewWidget(),
),
],
);
}
}
我想将小部件简化为:
Widget _buildBody(BuildContext context) {
return
Column(
children: <Widget>[
MyLocationWidget(),
Expanded(child: MyCustomListViewWidget(),),
],
);
}
所以,我编写了如下所示的 MyLocationWidget
,但是遇到了一个问题,即对于与 state 相关的所有函数/参数,都出现了
像 undefined name
的错误_getLocation()
、$_currentLocation
、$_location_text
:
import 'package:flutter/material.dart';
import 'location.dart';
class MyLocationWidget extends StatelessWidget {
@override
Widget build(BuildContext context) {
// TODO: implement build
return Padding(
padding: const EdgeInsets.symmetric(horizontal: 16.0, vertical: 8.0),
child: Column(
children: <Widget>[
Container(
decoration: BoxDecoration(
border: Border.all(color: Colors.grey),
borderRadius: BorderRadius.circular(5.0),
),
child: Column(
mainAxisSize: MainAxisSize.min,
children: <Widget>[
ButtonTheme.bar(
child: ButtonBar(
children: <Widget>[
Text.rich(
TextSpan(text: '$_location_text'),
),
FlatButton(
child: const Icon(Icons.my_location),
onPressed: () {
_getLocation();
var alt = _currentLocation["latitude"];
print(
"my $alt at location is: $_currentLocation");
},
)
])
),
]),
),
],
),
);
}
}
所以,我的问题是如何在自定义小部件中定义这些变量,以便它们与 state
最佳答案
发送点击回调的解决方案:
class MyLocationWidget extends StatelessWidget {
MyLocationWidget(this.clickCallback);
final VoidCallback clickCallback;
//...
FlatButton(
child: const Icon(Icons.my_location),
onPressed: () {
clickCallback();
},
创建小部件 - MyLocationWidget(_getLocation)
但是对于 _currentLocation
来说会稍微困难一些。对于这种情况,我会使用 Stream
更新
考虑到 VoidCallback
和 TextEditingController
,完整的解决方案是:
小部件
:
import 'package:flutter/material.dart';
class LocationCapture extends StatelessWidget {
LocationCapture(this.clickCallback, this.tc);
final TextEditingController tc;
final VoidCallback clickCallback;
@override
Widget build(BuildContext context) {
return
return Row(
textDirection: TextDirection.rtl, // <= This important
children: <Widget>[
FlatButton(
child: const Icon(Icons.my_location),
onPressed: () => clickCallback(),
),
Expanded(child: TextField(
controller: tc,
enabled: false,
textAlign: TextAlign.center,
decoration: InputDecoration.collapsed(hintText: "")
))
],
);
}
}
状态
:
import 'package:flutter/material.dart';
import 'package:location/location.dart';
import 'package:flutter/services.dart';
import 'package:simple_permissions/simple_permissions.dart';
import 'package:baby_names/Widgets/babies.dart';
import 'package:baby_names/Widgets/location.dart';
class LocationState extends State {
final myController = TextEditingController();
Location _location = new Location();
Map<String, double> _currentLocation;
String error;
_getLocation() async {
Map<String, double> location;
try {
await SimplePermissions.requestPermission(Permission.AccessFineLocation);
location = await _location.getLocation();
error = null;
} on PlatformException catch (e) {
if (e.code == 'PERMISSION_DENIED') {
error = 'Permission denied';
} else if (e.code == 'PERMISSION_DENIED_NEVER_ASK') {
error =
'Permission denied - please ask the user to enable it from the app settings';
}
location = null;
}
print("error $error");
setState(() {
_currentLocation = location;
update_controller(_currentLocation);
print(_currentLocation);
});
}
@override
Widget build(BuildContext context) {
return Scaffold(
appBar: AppBar(title: Text('Baby Name Votes')),
body: _buildBody(context),
);
}
Widget _buildBody(BuildContext context) {
return
Column(
children: <Widget>[
LocationCapture(_getLocation, myController),
Expanded(
child: BabiesVotes(),
),
],
);
}
void update_controller(Map<String, double> currentLocation) {
myController.text = ('${_currentLocation["latitude"]}, ${_currentLocation["longitude"]}' ?? 'Grant location Access');
}
}
关于dart - 将小部件与状态分开,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/53890454/
我像那样遍历数组。 NSArray *array = [[currentRaum raumattribute] allObjects]; NSString *compositeString =
我想找到所有引用这种模式的子字符串:一些字符+一些字符+第一个字符。现在我在 Python 2.7 中有了这个: T = "i was here" m = re.findall(r"([a-z])[a
我想使用与 tidyr 分开将一列字符串(例如 [1, 58, 10] )分成几列。我的问题是有时列较短(永远不会更长)。我在同一个数据框中有很多列有这个问题。 加载包 require(tidyr)
我正在开发一个具有图形用户界面的网络测试工具。我现在面临的问题是,我无法将基础数据与 GUI 类分开。该应用程序由一个 QMainWindow 组成,它随后生成多个其他 QDialogs 并具有一些
我经常听到“策略与机制分离”的口头禅,尤其是在 Unix 哲学的背景下。这是什么意思,有哪些具体的例子?什么时候/为什么是/不是一件好事? 最佳答案 它基本上是将需求或业务功能与技术实现分离。机制是技
我正在使用 writeToFile:atomically: 方法将一些加密数据写入文本文件。问题是,需要保存的文件必须是用户加密的文件,并带有我选择的扩展名。这是我到目前为止所拥有的: [encryp
我有这串 abcdef x y z 或这个 "ab cd ef" x y z 我正试图将其解析为 s1 = "abcdef" arr = ["x","y","z"] 或者 s1 = "ab cd e
这个问题已经有答案了: One big javascript file or multiple smaller files? [duplicate] (7 个回答) 已关闭 6 年前。 我有 4 种类
我有这样的事情 - function DetailCtrl($scope) { $scope.persons = [{ id: 1, name: "Mark"
在操作(复制/移动)包含合并单元格的范围时,我总是收到错误消息“您的粘贴与合并单元格重叠。请取消合并单元格,然后重试”。但是,当尝试使用 Range#breakApart 取消合并范围内的单元格时,我
我有一个包含一些 TextFields 的 TableView。所述 TextFields 的值链接到二维数组(NSMutableArrays 的 NSArray)中的某些位置。 一个初始的干净数组定
我定义了一个标签,其中一半需要在左侧,另一半文本需要在右侧。我怎样才能解决这个问题,让另一半拉对? 我添加了 margin-right 以使文本向右拉,但它与其他 div 不一致。
我正在尝试创建一个正则表达式来将 JavaScript 中的每个单词与 .(点)分开。 function myFunction() { var url = "in.k1.k2.k3.k4.com"
如何使用 CSS 将网站的正文/内容区域与背景分开。为了向您展示我的意思,请看附图。因此,两侧的背景将扩展到拥有超大显示器的人,但内容将始终保持相同大小。 谢谢,阿马尔 http://i.imgur.
有可能用 CSS 将两个背景图像对 Angular 分开吗? 我知道如何只用一张图片制作它,但我不能用两张图片制作它。 这是一个例子: |-------------| | /|
这是一个JSFiddle我创建了展示代码的外观。我将如何给予这些 它们之间是否存在间隙,没有一个元素低于另一个元素? .main-content { width: 50%; float: le
我正在处理具有这样数据的项目(我使用带有 python 的 pandas 框架): days rain 0 1 2 0 3 1 1
我正在尝试编写一个宏来获取信息并将该信息发送到另一个函数,方法是将原始 va_list 拆分为字符串,然后从原始 va_list 生成另一个 va_list。 下面是我的代码。 调用宏 /* Usag
我需要来自 SharedToDomains 和 SharedFromDomains 的键和值数据。我想打印这些值。 var LogResponse = DeserializeFromJson(sLog
我现在正在使用 Alamofire 来发出发布请求。我首先在 ViewController 中构建它并开始工作。但后来我试图通过在另一个 class 中构建它来分离它。我使用 singleton 并且
我是一名优秀的程序员,十分优秀!