我正在ChatApp上工作,试图保存和上传图像,但我有这样的错误有人知道这是什么原因吗?我得到了这种类型的错误,我找不到任何解决方案。。
import 'dart:io';
//Packages
import 'package:cloud_firestore/cloud_firestore.dart';
import 'package:firebase_storage/firebase_storage.dart';
import 'package:file_picker/file_picker.dart';
const String USER_COLLECTION = "Users";
class CloudStorageService {
final FirebaseStorage _storage = FirebaseStorage.instance;
CloudStorageService();
Future<String?> saveUserImageToStorage(
String _uid, PlatformFile _file) async {
try {
Reference _ref =
_storage.ref().child('images/users/$_uid/profile.${_file.extension}');
UploadTask _task = _ref.putFile(
[enter image description here][1]File(_file.path),
);
return await _task.then(
(_result) => _result.ref.getDownloadURL(),
);
} catch (e) {
print(e);
}
}
Future<String?> saveChatImageToStorage(
String _chatID, String _userID, PlatformFile _file) async {
try {
Reference _ref = _storage.ref().child(
'images/chats/$_chatID/${_userID}_${Timestamp.now().millisecondsSinceEpoch}.${_file.extension}');
UploadTask _task = _ref.putFile(
File(_file.path), ----------------> Here is the error
);
return await _task.then(
(_result) => _result.ref.getDownloadURL(),
);
} catch (e) {
print(e);
}
}
}
使用!运算符将字符串转换为不可为null的类型
File(_file.path!)
Dart编程语言支持空安全。这意味着在Dart中可以为null和不可以为null的类型是完全不同的。例如
bool b; // can be true or false
bool? nb; // can be true, false or null, `?` is explicit declaration, that type is nullable
因此,String?
和String
是完全不同的类型。第一个可以是字符串或null,第二个只能是字符串。你需要在你的情况下检查null。
String?
表示它可能有值,也可能有null
值,但String
表示它有适当的值String类型。您可以将!
添加到数据类型的最后一个,以确保它不是null
。
例如:
String? name = "Jack";
String name2 = name!;