Итак, у меня есть Timestamp
в облачном пожарном депо. Я использую облачную функцию для извлечения данных из пожарного магазина, чтобы трепетать Но JSON
форматирует временную метку для сопоставления, из-за которой я не могу использовать ее в качестве временной метки. Как снова преобразовать его в метку времени?
Вот так я поставил временную метку в пожарный.
var reference = Firestore.instance.collection('posts');
reference.add({
'postTitle': this.title,
'timestamp': DateTime.now(),
'likes': {},
'ownerId': userId,
})
Для извлечения данных это код:
factory Post.fromJSON(Map data){
return Post(
timestamp: data['timestamp'],
);
}
List<Post> _generateFeed(List<Map<String, dynamic>> feedData) {
List<Post> listOfPosts = [];
for (var postData in feedData) {
listOfPosts.add(Post.fromJSON(postData));
}
return listOfPosts;
}
но это возвращает ошибку.
I/flutter (17271): The following assertion was thrown building FutureBuilder<DocumentSnapshot>(dirty, state:
I/flutter (17271): _FutureBuilderState<DocumentSnapshot>#1536b):
I/flutter (17271): type '_InternalLinkedHashMap<String, dynamic>' is not a subtype of type 'Timestamp'
Это моя облачная функция.
getFeed.ts
import * as functions from 'firebase-functions';
import * as admin from 'firebase-admin';
export const getFeedModule = function(req, res){
const uid = String(req.query.uid);
async function compileFeedPost(){
const following = await getFollowing(uid, res)as any;
let listOfPosts = await getAllPosts(following, res);
listOfPosts = [].concat.apply([], listOfPosts);
res.send(listOfPosts);
}
compileFeedPost().then().catch();
}
async function getAllPosts(following, res) {
let listOfPosts = [];
for (let user in following){
listOfPosts.push( await getUserPosts(following[user], res));
}
return listOfPosts;
}
function getUserPosts(userId, res){
const posts = admin.firestore().collection("posts").where("ownerId", "==", userId).orderBy("timestamp")
return posts.get()
.then(function(querySnapshot){
let listOfPosts = [];
querySnapshot.forEach(function(doc){
listOfPosts.push(doc.data());
});
return listOfPosts;
})
}
function getFollowing(uid, res){
const doc = admin.firestore().doc(`user/${uid}`)
return doc.get().then(snapshot => {
const followings = snapshot.data().followings;
let following_list = [];
for (const following in followings){
if (followings[following] === true){
following_list.push(following);
}
}
return following_list;
}).catch(error => {
res.status(500).send(error)
})
}
Облачная функция index.ts
import * as functions from 'firebase-functions';
import * as admin from 'firebase-admin';
import { getFeedModule } from "./getFeed"
admin.initializeApp();
export const getFeed = functions.https.onRequest((req, res) => {
getFeedModule(req, res);
})
вызывается этим
_getFeed() async {
print("Starting getFeed");
FirebaseUser user = await FirebaseAuth.instance.currentUser();
SharedPreferences prefs = await SharedPreferences.getInstance();
String userId = user.uid;
var url =
'https://us-central1-jaluk-quiz.cloudfunctions.net/getFeed?uid=' + userId;
var httpClient = HttpClient();
List<QuizViewer>listOfPosts;
String result;
try {
var request = await httpClient.getUrl(Uri.parse(url));
var response = await request.close();
if (response.statusCode == HttpStatus.ok) {
String json = await response.transform(utf8.decoder).join();
prefs.setString("feed", json);
List<Map<String, dynamic>> data =
jsonDecode(json).cast<Map<String, dynamic>>();
listOfPosts = _generateFeed(data);
result = "Success in http request for feed";
} else {
result =
'Error getting a feed: Http status ${response.statusCode} | userId $userId';
}
} catch (exception) {
result = 'Failed invoking the getFeed function. Exception: $exception';
}
print(result);
setState(() {
feedData = listOfPosts;
});
}