- mongodb - 在 MongoDB mapreduce 中,如何展平值对象?
- javascript - 对象传播与 Object.assign
- html - 输入类型 ="submit"Vs 按钮标签它们可以互换吗?
- sql - 使用 MongoDB 而不是 MS SQL Server 的优缺点
我正在尝试使用 SharedPreferences 中保存的值来初始化我的应用程序中的几个变量。在 Flutter 中,SharedPreferences 是异步的,因此它会导致变量稍后在代码中初始化,这会在我的应用程序中产生问题,因为在调用 build 方法时某些变量为空。
这是我为演示此问题而编写的一个小型测试 Flutter 应用程序:
import 'package:flutter/material.dart';
import 'package:flutter/cupertino.dart';
import 'package:path_provider/path_provider.dart';
import 'dart:io';
import 'dart:convert';
import 'package:shared_preferences/shared_preferences.dart';
class TestingApp extends StatefulWidget {
TestingApp() {}
@override
State<StatefulWidget> createState() {
// TODO: implement createState
return new _CupertinoNavigationState();
}
}
class _CupertinoNavigationState extends State<TestingApp> {
int itemNo;
@override
void initState() {
super.initState();
// SharedPreferences.getInstance().then((sp) {
// sp.setInt("itemNo", 3);
// });
SharedPreferences.getInstance().then((sp) {
print("sp " + sp.getInt("itemNo").toString());
setState(() {
itemNo = sp.getInt("itemNo");
});
});
print("This is the item number " + itemNo.toString());
}
@override
Widget build(BuildContext context) {
// TODO: implement build
print("item number on build " + itemNo.toString());
return new Text("Hello");
}
}
这是控制台中的结果:
Performing full restart...
flutter: This is the item number null
flutter: item number on build null // build method being called and variable is null
Restarted app in 1 993ms.
flutter: sp 3
flutter: item number on build 3
您可以看到,当我尝试在启动时从 SharedPreferences 中获取变量时,由于 SharedPreference 是异步的,因此 itemNo 为空。然后应用运行 build 方法并在 itemNo = null 上运行 build 方法,这会导致应用崩溃。
一旦它从 SharedPreferences 中获取值,我就会调用 setState,然后它会使用正确的值再次调用 build 方法。但是,不应发生使用 itemNo = null 进行构建的初始调用。
我希望 SharedPreferences 有一个同步方法,但它似乎不存在。如何运行应用程序,以便在启动时在 Flutter 中正确初始化变量?
我尝试通过使用同步方法初始化我的变量来解决这个问题,方法是写入 json 文件,然后使用以下简短的 Flutter 测试应用程序读取它 - 对我来说,保存变量以进行初始化似乎有点过头了但我还是试了一下:
import 'package:flutter/material.dart';
import 'package:flutter/cupertino.dart';
import 'package:path_provider/path_provider.dart';
import 'dart:io';
import 'dart:convert';
import 'package:shared_preferences/shared_preferences.dart';
class TestingApp extends StatefulWidget {
TestingApp() {}
@override
State<StatefulWidget> createState() {
// TODO: implement createState
return new _CupertinoNavigationState();
}
}
class _CupertinoNavigationState extends State<TestingApp> {
int itemNo;
File jsonFile;
String fileName = "items.json";
Directory dir;
bool fileExists = false;
void createFile(Map content, Directory dir, String fileName) {
// print("Creating file for category " + dir.path);
File file = new File(dir.path + "/" + fileName);
file.createSync();
fileExists = true;
file.writeAsStringSync(json.encode(content));
}
void writeToFile(int itemNo) {
// print("Writing to category file");
Map itemMap = new Map();
itemMap['item'] = itemNo;
if (fileExists) {
print("category file exists");
Map jsonFileContent = json.decode(jsonFile.readAsStringSync());
jsonFileContent.addAll(itemMap);
jsonFile.writeAsStringSync(json.encode(itemMap));
} else {
print("category File does not exists");
getApplicationDocumentsDirectory().then((Directory directory) {
dir = directory;
createFile(itemMap, dir, fileName);
});
}
}
fetchSavedItemNo() {
//load the currency from the saved json file.
getApplicationDocumentsDirectory().then((Directory directory) {
dir = directory;
jsonFile = new File(dir.path+ "/" + fileName);
fileExists = jsonFile.existsSync();
setState(() {
if (fileExists)
itemNo = json.decode(jsonFile.readAsStringSync())['item'];
print("fetching saved itemNo " +itemNo.toString());
if (itemNo == null) {
itemNo = 0;
}
});
return itemNo;
//else the itemNo will just be 0
});
}
@override
void initState() {
super.initState();
writeToFile(3);
setState(() {
itemNo = fetchSavedItemNo();
});
}
@override
Widget build(BuildContext context) {
// TODO: implement build
print("item number on build " + itemNo.toString());
return new Text("Hello");
}
}
我仍然有在变量完全初始化之前调用构建方法的结果,这导致应用程序崩溃。
Performing full restart...
flutter: category File does not exists
flutter: item number on build null // the build method is called here
Restarted app in 1 894ms.
flutter: fetching saved itemNo 3
flutter: item number on build 3
如何在应用启动时初始化 Flutter 中的变量?
最佳答案
作为 Günter Zöchbacher正确指出,FutureBuilder
是要走的路。在您的情况下,它看起来像这样:
import 'dart:async'; // you will need to add this import in order to use Future's
Future<int> fetchSavedItemNo() async { // you need to return a Future to the FutureBuilder
dir = wait getApplicationDocumentsDirectory();
jsonFile = new File(dir.path+ "/" + fileName);
fileExists = jsonFile.existsSync();
// you should also not set state because the FutureBuilder will take care of that
if (fileExists)
itemNo = json.decode(jsonFile.readAsStringSync())['item'];
itemNo ??= 0; // this is a great null-aware operator, which assigns 0 if itemNo is null
return itemNo;
}
@override
Widget build(BuildContext context) {
return FutureBuilder<int>(
future: fetchSavedItemNo(),
builder: (BuildContext context, AsyncSnapshot<int> snapshot) {
if (snapshot.connectionState == ConnectionState.done) {
print('itemNo in FutureBuilder: ${snapshot.data}';
return Text('Hello');
} else
return Text('Loading...');
},
);
}
我还相应地更改了您的 fetchSavedItemNo
函数以返回 Future
。
更短的写法:
if (itemNo != null)
itemNo = 0;
以下是否使用 null-aware operator :
itemNo ??= 0;
正如您在我的代码中看到的,我用 FutureBuilder
包围了您的 Text
小部件。在 Flutter 中,您可以使用 Widget
解决大多数问题。我还介绍了一个"Loading..." Text
,可以代替"Hello" Text
而 itemNo
仍在加载中。
没有“破解”可以消除加载时间并让您在启动时访问您的 itemNo
。你要么这样做,惯用的方式,要么延迟你的启动时间。
每次加载时都需要使用占位符进行加载,因为它不能立即可用。
顺便说一句,您也可以只删除 "Loading..." Text
并始终返回您的 "Hello " 文本,因为您将 永远不会看到 “正在加载...” Text
,它发生得太快了.
另一种选择是避开 ConnectionState
,如果没有数据则只返回一个 Container
:
FutureBuilder<int>(
future: fetchSavedItemNo,
builder: (BuildContext context, AsyncSnapshot<int> snapshot) => snapshot.hasData
? Text(
'Hello, itemNo: ${snapshot.data}',
)
: Container(),
)
您可以使用我的 fetchSavedItemNo
函数在 initState
中简单地执行您的 API 逻辑,方法是让 initState
像这样异步:
@override
void initState() {
super.initState();
fetchSavedItemNo(); // continue your work in the `fetchSavedItemNo` function
}
关于Flutter:在启动时初始化变量,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/50437687/
这个问题在这里已经有了答案: 关闭 10 年前。 Possible Duplicate: How to nest OR statements in JavaScript? 有没有办法做到这一点:
在 JavaScript 中有没有办法让一个变量总是等于一个变量?喜欢var1 = var2但是当var2更新,也是var1 . 例子 var var1 = document.getElementBy
我正在努力理解这代表什么 var1 = var2 == var3 我的猜测是这等同于: if (var2 == var3): var1 = var2 最佳答案 赋值 var1 = var2
这个问题已经有答案了: What does the PHP error message "Notice: Use of undefined constant" mean? (2 个回答) 已关闭 8
我在临时表中有几条记录,我想从每条记录中获取一个值并将其添加到一个变量中,例如 color | caption -------------------------------- re
如何将字符串转为变量(字符串变量--> $variable)? 或者用逗号分隔的变量列表然后转换为实际变量。 我有 2 个文件: 列名文件 行文件 我需要根据字符串匹配行文件中的整行,并根据列名文件命
我有一个我无法解决的基本 php 问题,我也想了解为什么! $upperValueCB = 10; $passNodeMatrixSource = 'CB'; $topValue= '$uppe
这可能吗? php $variable = $variable1 || $variable2? 如果 $variable1 为空则使用 $variable2 是否存在类似的东西? 最佳答案 PHP 5
在 Perl 5.20 中,for 循环似乎能够修改模块作用域的变量,但不能修改父作用域中的词法变量。 #!/usr/bin/env perl use strict; use warnings; ou
为什么这不起作用: var variable; variable = variable.concat(variable2); $('#lunk').append(variable) 我无法弄清楚这一点
根据我的理解,在32位机器上,指针的sizeof是32位(4字节),而在64位机器上,它是8字节。无论它们指向什么数据类型,它们都有固定的大小。我的计算机在 64 位上运行,但是当我打印包含 * 的大
例如: int a = 10; a += 1.5; 这运行得很完美,但是 a = a+1.5; 此作业表示类型不匹配:无法从 double 转换为 int。所以我的问题是:+= 运算符 和= 运算符
您好,我写了这个 MySQL 存储过程,但我一直收到这个语法错误 #1064 - You have an error in your SQL syntax; check the manual that
我试图在我的场景中显示特定的奖牌,这取决于你的高分是基于关卡的目标。 // Get Medal Colour if levelHighscore goalScore { sc
我必须维护相当古老的 Visual C++ 源代码的大型代码库。我发现代码如下: bIsOk = !!m_ptr->isOpen(some Parameters) bIsOk的数据类型是bool,is
我有一个从 MySQL 数据库中提取的动态产品列表。在 list 上有一个立即联系 按钮,我正在使用一个 jquery Modal 脚本,它会弹出一个表单。 我的问题是尝试将产品信息变量传递给该弹出窗
这个问题在这里已经有了答案: 关闭 10 年前。 Possible Duplicate: What is the difference between (type)value and type(va
jQuery Core Style Guidelines建议两种不同的方法来检查变量是否已定义。 全局变量:typeof variable === "undefined" 局部变量:variable
这个问题已经有答案了: 已关闭11 年前。 Possible Duplicate: “Variable” Variables in Javascript? 我想肯定有一种方法可以在 JavaScrip
在语句中使用多重赋值有什么优点或缺点吗?在简单的例子中 var1 = var2 = true; 赋值是从右到左的(我相信 C# 中的所有赋值都是如此,而且可能是 Java,尽管我没有检查后者)。但是,
我是一名优秀的程序员,十分优秀!