home.page.ts 3.9 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139
  1. import { Component, OnInit } from '@angular/core';
  2. import { Router } from '@angular/router';
  3. import * as Parse from 'parse';
  4. import { IonRefresher } from '@ionic/angular';
  5. @Component({
  6. selector: 'app-home',
  7. templateUrl: './home.page.html',
  8. styleUrls: ['./home.page.scss'],
  9. })
  10. export class HomePage implements OnInit {
  11. items: any[] = [];
  12. filteredItems: any[] = [];
  13. selectedSegment: string = 'recommendations';
  14. constructor(private router: Router) {}
  15. ngOnInit() {
  16. this.fetchPosts();
  17. }
  18. ionViewWillEnter() {
  19. this.fetchPosts();
  20. }
  21. async fetchPosts() {
  22. const Post = Parse.Object.extend("Post240709");
  23. const query = new Parse.Query(Post);
  24. try {
  25. const results = await query.find();
  26. this.items = results.map(post => ({
  27. id: post.id,
  28. title: post.get('title'),
  29. author: post.get('author'),
  30. image: post.get('image'),
  31. description: post.get('description'),
  32. likes: post.get('likes') || 0,
  33. comments: post.get('comments') || 0,
  34. createdAt: post.createdAt,
  35. footer: `${post.get('likes') || 0} 赞同 · ${post.get('comments') || 0} 评论`
  36. }));
  37. this.updateFilteredItems();
  38. } catch (error) {
  39. console.error("Error while fetching posts", error);
  40. }
  41. }
  42. updateFilteredItems() {
  43. if (this.selectedSegment === 'recommendations') {
  44. this.filteredItems = [...this.items];
  45. } else if (this.selectedSegment === 'hot') {
  46. this.filteredItems = [...this.items].sort((a, b) => b.likes - a.likes);
  47. } else if (this.selectedSegment === 'newest') {
  48. this.filteredItems = [...this.items].sort((a, b) => b.createdAt - a.createdAt);
  49. }
  50. }
  51. onSegmentChanged(event: any) {
  52. this.selectedSegment = event.detail.value;
  53. this.updateFilteredItems();
  54. }
  55. onSearch(event: any) {
  56. const query = event.target.value.toLowerCase();
  57. this.filteredItems = this.items.filter(item =>
  58. (item.title && item.title.toLowerCase().includes(query)) ||
  59. (item.description && item.description.toLowerCase().includes(query))
  60. );
  61. }
  62. goToPostDetail(postId: string) {
  63. this.router.navigate(['/post-detail', postId]);
  64. }
  65. createPost() {
  66. this.router.navigate(['/post-create']);
  67. }
  68. async submitPostReply(content: string, postId: string) {
  69. const currentUser = Parse.User.current();
  70. if (!currentUser) {
  71. console.error('No user logged in. Please log in to reply.');
  72. return;
  73. }
  74. const Comment240709 = Parse.Object.extend('Comment240709');
  75. const comment = new Comment240709();
  76. comment.set('author', currentUser);
  77. comment.set('content', content);
  78. comment.set('post', {
  79. __type: 'Pointer',
  80. className: 'Post240709',
  81. objectId: postId
  82. });
  83. try {
  84. await comment.save();
  85. console.log('Reply to post saved successfully.');
  86. this.updatePostInHomePage(postId);
  87. } catch (error) {
  88. console.error('Error while saving reply:', error);
  89. }
  90. }
  91. async updatePostInHomePage(postId: string) {
  92. const postIndex = this.items.findIndex(post => post.id === postId);
  93. if (postIndex !== -1) {
  94. const commentsCount = await this.getCommentsCount(postId);
  95. this.items[postIndex].footer = `${this.items[postIndex].likes || 0} 赞同 · ${commentsCount} 评论`;
  96. this.filteredItems = [...this.items];
  97. }
  98. }
  99. async getCommentsCount(postId: string): Promise<number> {
  100. const query = new Parse.Query('Comment240709');
  101. query.equalTo('post', {
  102. __type: 'Pointer',
  103. className: 'Post240709',
  104. objectId: postId
  105. });
  106. try {
  107. const count = await query.count();
  108. return count;
  109. } catch (error) {
  110. console.error('Error getting comments count:', error);
  111. return 0;
  112. }
  113. }
  114. async doRefresh(event: CustomEvent) {
  115. await this.fetchPosts();
  116. const refresher = event.target as unknown as IonRefresher;
  117. if (refresher) {
  118. refresher.complete();
  119. }
  120. }
  121. }