]> Untitled Git - lemmy.git/blob - crates/db_views/src/post_view.rs
Feature add three six and nine months options backend (#3226)
[lemmy.git] / crates / db_views / src / post_view.rs
1 use crate::structs::PostView;
2 use diesel::{
3   debug_query,
4   dsl::{now, IntervalDsl},
5   pg::Pg,
6   result::Error,
7   sql_function,
8   sql_types,
9   BoolExpressionMethods,
10   ExpressionMethods,
11   JoinOnDsl,
12   NullableExpressionMethods,
13   PgTextExpressionMethods,
14   QueryDsl,
15 };
16 use diesel_async::RunQueryDsl;
17 use lemmy_db_schema::{
18   aggregates::structs::PostAggregates,
19   newtypes::{CommunityId, LocalUserId, PersonId, PostId},
20   schema::{
21     community,
22     community_block,
23     community_follower,
24     community_person_ban,
25     local_user_language,
26     person,
27     person_block,
28     person_post_aggregates,
29     post,
30     post_aggregates,
31     post_like,
32     post_read,
33     post_saved,
34   },
35   source::{
36     community::{Community, CommunityFollower, CommunityPersonBan},
37     local_user::LocalUser,
38     person::Person,
39     person_block::PersonBlock,
40     post::{Post, PostRead, PostSaved},
41   },
42   traits::JoinView,
43   utils::{fuzzy_search, get_conn, limit_and_offset, DbPool},
44   ListingType,
45   SortType,
46 };
47 use tracing::debug;
48 use typed_builder::TypedBuilder;
49
50 type PostViewTuple = (
51   Post,
52   Person,
53   Community,
54   Option<CommunityPersonBan>,
55   PostAggregates,
56   Option<CommunityFollower>,
57   Option<PostSaved>,
58   Option<PostRead>,
59   Option<PersonBlock>,
60   Option<i16>,
61   i64,
62 );
63
64 sql_function!(fn coalesce(x: sql_types::Nullable<sql_types::BigInt>, y: sql_types::BigInt) -> sql_types::BigInt);
65
66 impl PostView {
67   pub async fn read(
68     pool: &DbPool,
69     post_id: PostId,
70     my_person_id: Option<PersonId>,
71     is_mod_or_admin: Option<bool>,
72   ) -> Result<Self, Error> {
73     let conn = &mut get_conn(pool).await?;
74
75     // The left join below will return None in this case
76     let person_id_join = my_person_id.unwrap_or(PersonId(-1));
77     let mut query = post::table
78       .find(post_id)
79       .inner_join(person::table)
80       .inner_join(community::table)
81       .left_join(
82         community_person_ban::table.on(
83           post::community_id
84             .eq(community_person_ban::community_id)
85             .and(community_person_ban::person_id.eq(post::creator_id)),
86         ),
87       )
88       .inner_join(post_aggregates::table)
89       .left_join(
90         community_follower::table.on(
91           post::community_id
92             .eq(community_follower::community_id)
93             .and(community_follower::person_id.eq(person_id_join)),
94         ),
95       )
96       .left_join(
97         post_saved::table.on(
98           post::id
99             .eq(post_saved::post_id)
100             .and(post_saved::person_id.eq(person_id_join)),
101         ),
102       )
103       .left_join(
104         post_read::table.on(
105           post::id
106             .eq(post_read::post_id)
107             .and(post_read::person_id.eq(person_id_join)),
108         ),
109       )
110       .left_join(
111         person_block::table.on(
112           post::creator_id
113             .eq(person_block::target_id)
114             .and(person_block::person_id.eq(person_id_join)),
115         ),
116       )
117       .left_join(
118         post_like::table.on(
119           post::id
120             .eq(post_like::post_id)
121             .and(post_like::person_id.eq(person_id_join)),
122         ),
123       )
124       .left_join(
125         person_post_aggregates::table.on(
126           post::id
127             .eq(person_post_aggregates::post_id)
128             .and(person_post_aggregates::person_id.eq(person_id_join)),
129         ),
130       )
131       .select((
132         post::all_columns,
133         person::all_columns,
134         community::all_columns,
135         community_person_ban::all_columns.nullable(),
136         post_aggregates::all_columns,
137         community_follower::all_columns.nullable(),
138         post_saved::all_columns.nullable(),
139         post_read::all_columns.nullable(),
140         person_block::all_columns.nullable(),
141         post_like::score.nullable(),
142         coalesce(
143           post_aggregates::comments.nullable() - person_post_aggregates::read_comments.nullable(),
144           post_aggregates::comments,
145         ),
146       ))
147       .into_boxed();
148
149     // Hide deleted and removed for non-admins or mods
150     if !is_mod_or_admin.unwrap_or(false) {
151       query = query
152         .filter(community::removed.eq(false))
153         .filter(community::deleted.eq(false))
154         .filter(post::removed.eq(false))
155         .filter(post::deleted.eq(false));
156     }
157
158     let (
159       post,
160       creator,
161       community,
162       creator_banned_from_community,
163       counts,
164       follower,
165       saved,
166       read,
167       creator_blocked,
168       post_like,
169       unread_comments,
170     ) = query.first::<PostViewTuple>(conn).await?;
171
172     // If a person is given, then my_vote, if None, should be 0, not null
173     // Necessary to differentiate between other person's votes
174     let my_vote = if my_person_id.is_some() && post_like.is_none() {
175       Some(0)
176     } else {
177       post_like
178     };
179
180     Ok(PostView {
181       post,
182       creator,
183       community,
184       creator_banned_from_community: creator_banned_from_community.is_some(),
185       counts,
186       subscribed: CommunityFollower::to_subscribed_type(&follower),
187       saved: saved.is_some(),
188       read: read.is_some(),
189       creator_blocked: creator_blocked.is_some(),
190       my_vote,
191       unread_comments,
192     })
193   }
194 }
195
196 #[derive(TypedBuilder)]
197 #[builder(field_defaults(default))]
198 pub struct PostQuery<'a> {
199   #[builder(!default)]
200   pool: &'a DbPool,
201   listing_type: Option<ListingType>,
202   sort: Option<SortType>,
203   creator_id: Option<PersonId>,
204   community_id: Option<CommunityId>,
205   local_user: Option<&'a LocalUser>,
206   search_term: Option<String>,
207   url_search: Option<String>,
208   saved_only: Option<bool>,
209   /// Used to show deleted or removed posts for admins
210   is_mod_or_admin: Option<bool>,
211   page: Option<i64>,
212   limit: Option<i64>,
213 }
214
215 impl<'a> PostQuery<'a> {
216   pub async fn list(self) -> Result<Vec<PostView>, Error> {
217     let conn = &mut get_conn(self.pool).await?;
218
219     // The left join below will return None in this case
220     let person_id_join = self.local_user.map(|l| l.person_id).unwrap_or(PersonId(-1));
221     let local_user_id_join = self.local_user.map(|l| l.id).unwrap_or(LocalUserId(-1));
222
223     let mut query = post::table
224       .inner_join(person::table)
225       .inner_join(community::table)
226       .left_join(
227         community_person_ban::table.on(
228           post::community_id
229             .eq(community_person_ban::community_id)
230             .and(community_person_ban::person_id.eq(post::creator_id)),
231         ),
232       )
233       .inner_join(post_aggregates::table)
234       .left_join(
235         community_follower::table.on(
236           post::community_id
237             .eq(community_follower::community_id)
238             .and(community_follower::person_id.eq(person_id_join)),
239         ),
240       )
241       .left_join(
242         post_saved::table.on(
243           post::id
244             .eq(post_saved::post_id)
245             .and(post_saved::person_id.eq(person_id_join)),
246         ),
247       )
248       .left_join(
249         post_read::table.on(
250           post::id
251             .eq(post_read::post_id)
252             .and(post_read::person_id.eq(person_id_join)),
253         ),
254       )
255       .left_join(
256         person_block::table.on(
257           post::creator_id
258             .eq(person_block::target_id)
259             .and(person_block::person_id.eq(person_id_join)),
260         ),
261       )
262       .left_join(
263         community_block::table.on(
264           post::community_id
265             .eq(community_block::community_id)
266             .and(community_block::person_id.eq(person_id_join)),
267         ),
268       )
269       .left_join(
270         post_like::table.on(
271           post::id
272             .eq(post_like::post_id)
273             .and(post_like::person_id.eq(person_id_join)),
274         ),
275       )
276       .left_join(
277         person_post_aggregates::table.on(
278           post::id
279             .eq(person_post_aggregates::post_id)
280             .and(person_post_aggregates::person_id.eq(person_id_join)),
281         ),
282       )
283       .left_join(
284         local_user_language::table.on(
285           post::language_id
286             .eq(local_user_language::language_id)
287             .and(local_user_language::local_user_id.eq(local_user_id_join)),
288         ),
289       )
290       .select((
291         post::all_columns,
292         person::all_columns,
293         community::all_columns,
294         community_person_ban::all_columns.nullable(),
295         post_aggregates::all_columns,
296         community_follower::all_columns.nullable(),
297         post_saved::all_columns.nullable(),
298         post_read::all_columns.nullable(),
299         person_block::all_columns.nullable(),
300         post_like::score.nullable(),
301         coalesce(
302           post_aggregates::comments.nullable() - person_post_aggregates::read_comments.nullable(),
303           post_aggregates::comments,
304         ),
305       ))
306       .into_boxed();
307
308     // Hide deleted and removed for non-admins or mods
309     // TODO This eventually needs to show posts where you are the creator
310     if !self.is_mod_or_admin.unwrap_or(false) {
311       query = query
312         .filter(community::removed.eq(false))
313         .filter(community::deleted.eq(false))
314         .filter(post::removed.eq(false))
315         .filter(post::deleted.eq(false));
316     }
317
318     if self.community_id.is_none() {
319       query = query.then_order_by(post_aggregates::featured_local.desc());
320     } else if let Some(community_id) = self.community_id {
321       query = query
322         .filter(post::community_id.eq(community_id))
323         .then_order_by(post_aggregates::featured_community.desc());
324     }
325
326     if let Some(creator_id) = self.creator_id {
327       query = query.filter(post::creator_id.eq(creator_id));
328     }
329
330     if let Some(listing_type) = self.listing_type {
331       match listing_type {
332         ListingType::Subscribed => {
333           query = query.filter(community_follower::person_id.is_not_null())
334         }
335         ListingType::Local => {
336           query = query.filter(community::local.eq(true)).filter(
337             community::hidden
338               .eq(false)
339               .or(community_follower::person_id.eq(person_id_join)),
340           );
341         }
342         ListingType::All => {
343           query = query.filter(
344             community::hidden
345               .eq(false)
346               .or(community_follower::person_id.eq(person_id_join)),
347           )
348         }
349       }
350     }
351
352     if let Some(url_search) = self.url_search {
353       query = query.filter(post::url.eq(url_search));
354     }
355
356     if let Some(search_term) = self.search_term {
357       let searcher = fuzzy_search(&search_term);
358       query = query.filter(
359         post::name
360           .ilike(searcher.clone())
361           .or(post::body.ilike(searcher)),
362       );
363     }
364
365     if !self.local_user.map(|l| l.show_nsfw).unwrap_or(false) {
366       query = query
367         .filter(post::nsfw.eq(false))
368         .filter(community::nsfw.eq(false));
369     };
370
371     if !self.local_user.map(|l| l.show_bot_accounts).unwrap_or(true) {
372       query = query.filter(person::bot_account.eq(false));
373     };
374
375     if self.saved_only.unwrap_or(false) {
376       query = query.filter(post_saved::post_id.is_not_null());
377     }
378     // Only hide the read posts, if the saved_only is false. Otherwise ppl with the hide_read
379     // setting wont be able to see saved posts.
380     else if !self.local_user.map(|l| l.show_read_posts).unwrap_or(true) {
381       query = query.filter(post_read::post_id.is_null());
382     }
383
384     if self.local_user.is_some() {
385       // Filter out the rows with missing languages
386       query = query.filter(local_user_language::language_id.is_not_null());
387
388       // Don't show blocked communities or persons
389       query = query.filter(community_block::person_id.is_null());
390       query = query.filter(person_block::person_id.is_null());
391     }
392
393     query = match self.sort.unwrap_or(SortType::Hot) {
394       SortType::Active => query.then_order_by(post_aggregates::hot_rank_active.desc()),
395       SortType::Hot => query.then_order_by(post_aggregates::hot_rank.desc()),
396       SortType::New => query.then_order_by(post_aggregates::published.desc()),
397       SortType::Old => query.then_order_by(post_aggregates::published.asc()),
398       SortType::NewComments => query.then_order_by(post_aggregates::newest_comment_time.desc()),
399       SortType::MostComments => query
400         .then_order_by(post_aggregates::comments.desc())
401         .then_order_by(post_aggregates::published.desc()),
402       SortType::TopAll => query
403         .then_order_by(post_aggregates::score.desc())
404         .then_order_by(post_aggregates::published.desc()),
405       SortType::TopYear => query
406         .filter(post_aggregates::published.gt(now - 1.years()))
407         .then_order_by(post_aggregates::score.desc())
408         .then_order_by(post_aggregates::published.desc()),
409       SortType::TopMonth => query
410         .filter(post_aggregates::published.gt(now - 1.months()))
411         .then_order_by(post_aggregates::score.desc())
412         .then_order_by(post_aggregates::published.desc()),
413       SortType::TopWeek => query
414         .filter(post_aggregates::published.gt(now - 1.weeks()))
415         .then_order_by(post_aggregates::score.desc())
416         .then_order_by(post_aggregates::published.desc()),
417       SortType::TopDay => query
418         .filter(post_aggregates::published.gt(now - 1.days()))
419         .then_order_by(post_aggregates::score.desc())
420         .then_order_by(post_aggregates::published.desc()),
421       SortType::TopHour => query
422         .filter(post_aggregates::published.gt(now - 1.hours()))
423         .then_order_by(post_aggregates::score.desc())
424         .then_order_by(post_aggregates::published.desc()),
425       SortType::TopSixHour => query
426         .filter(post_aggregates::published.gt(now - 6.hours()))
427         .then_order_by(post_aggregates::score.desc())
428         .then_order_by(post_aggregates::published.desc()),
429       SortType::TopTwelveHour => query
430         .filter(post_aggregates::published.gt(now - 12.hours()))
431         .then_order_by(post_aggregates::score.desc())
432         .then_order_by(post_aggregates::published.desc()),
433       SortType::TopThreeMonths => query
434         .filter(post_aggregates::published.gt(now - 3.months()))
435         .then_order_by(post_aggregates::score.desc())
436         .then_order_by(post_aggregates::published.desc()),
437       SortType::TopSixMonths => query
438         .filter(post_aggregates::published.gt(now - 6.months()))
439         .then_order_by(post_aggregates::score.desc())
440         .then_order_by(post_aggregates::published.desc()),
441       SortType::TopNineMonths => query
442         .filter(post_aggregates::published.gt(now - 9.months()))
443         .then_order_by(post_aggregates::score.desc())
444         .then_order_by(post_aggregates::published.desc()),
445     };
446
447     let (limit, offset) = limit_and_offset(self.page, self.limit)?;
448
449     query = query.limit(limit).offset(offset);
450
451     debug!("Post View Query: {:?}", debug_query::<Pg, _>(&query));
452
453     let res = query.load::<PostViewTuple>(conn).await?;
454
455     Ok(res.into_iter().map(PostView::from_tuple).collect())
456   }
457 }
458
459 impl JoinView for PostView {
460   type JoinTuple = PostViewTuple;
461   fn from_tuple(a: Self::JoinTuple) -> Self {
462     Self {
463       post: a.0,
464       creator: a.1,
465       community: a.2,
466       creator_banned_from_community: a.3.is_some(),
467       counts: a.4,
468       subscribed: CommunityFollower::to_subscribed_type(&a.5),
469       saved: a.6.is_some(),
470       read: a.7.is_some(),
471       creator_blocked: a.8.is_some(),
472       my_vote: a.9,
473       unread_comments: a.10,
474     }
475   }
476 }
477
478 #[cfg(test)]
479 mod tests {
480   use crate::post_view::{PostQuery, PostView};
481   use lemmy_db_schema::{
482     aggregates::structs::PostAggregates,
483     impls::actor_language::UNDETERMINED_ID,
484     newtypes::LanguageId,
485     source::{
486       actor_language::LocalUserLanguage,
487       community::{Community, CommunityInsertForm},
488       community_block::{CommunityBlock, CommunityBlockForm},
489       instance::Instance,
490       language::Language,
491       local_user::{LocalUser, LocalUserInsertForm, LocalUserUpdateForm},
492       person::{Person, PersonInsertForm},
493       person_block::{PersonBlock, PersonBlockForm},
494       post::{Post, PostInsertForm, PostLike, PostLikeForm, PostUpdateForm},
495     },
496     traits::{Blockable, Crud, Likeable},
497     utils::{build_db_pool_for_tests, DbPool},
498     SortType,
499     SubscribedType,
500   };
501   use serial_test::serial;
502
503   struct Data {
504     inserted_instance: Instance,
505     inserted_person: Person,
506     inserted_local_user: LocalUser,
507     inserted_blocked_person: Person,
508     inserted_bot: Person,
509     inserted_community: Community,
510     inserted_post: Post,
511   }
512
513   async fn init_data(pool: &DbPool) -> Data {
514     let inserted_instance = Instance::read_or_create(pool, "my_domain.tld".to_string())
515       .await
516       .unwrap();
517
518     let person_name = "tegan".to_string();
519
520     let new_person = PersonInsertForm::builder()
521       .name(person_name.clone())
522       .public_key("pubkey".to_string())
523       .instance_id(inserted_instance.id)
524       .build();
525
526     let inserted_person = Person::create(pool, &new_person).await.unwrap();
527
528     let local_user_form = LocalUserInsertForm::builder()
529       .person_id(inserted_person.id)
530       .password_encrypted(String::new())
531       .build();
532     let inserted_local_user = LocalUser::create(pool, &local_user_form).await.unwrap();
533
534     let new_bot = PersonInsertForm::builder()
535       .name("mybot".to_string())
536       .bot_account(Some(true))
537       .public_key("pubkey".to_string())
538       .instance_id(inserted_instance.id)
539       .build();
540
541     let inserted_bot = Person::create(pool, &new_bot).await.unwrap();
542
543     let new_community = CommunityInsertForm::builder()
544       .name("test_community_3".to_string())
545       .title("nada".to_owned())
546       .public_key("pubkey".to_string())
547       .instance_id(inserted_instance.id)
548       .build();
549
550     let inserted_community = Community::create(pool, &new_community).await.unwrap();
551
552     // Test a person block, make sure the post query doesn't include their post
553     let blocked_person = PersonInsertForm::builder()
554       .name(person_name)
555       .public_key("pubkey".to_string())
556       .instance_id(inserted_instance.id)
557       .build();
558
559     let inserted_blocked_person = Person::create(pool, &blocked_person).await.unwrap();
560
561     let post_from_blocked_person = PostInsertForm::builder()
562       .name("blocked_person_post".to_string())
563       .creator_id(inserted_blocked_person.id)
564       .community_id(inserted_community.id)
565       .language_id(Some(LanguageId(1)))
566       .build();
567
568     Post::create(pool, &post_from_blocked_person).await.unwrap();
569
570     // block that person
571     let person_block = PersonBlockForm {
572       person_id: inserted_person.id,
573       target_id: inserted_blocked_person.id,
574     };
575
576     PersonBlock::block(pool, &person_block).await.unwrap();
577
578     // A sample post
579     let new_post = PostInsertForm::builder()
580       .name("test post 3".to_string())
581       .creator_id(inserted_person.id)
582       .community_id(inserted_community.id)
583       .language_id(Some(LanguageId(47)))
584       .build();
585
586     let inserted_post = Post::create(pool, &new_post).await.unwrap();
587
588     let new_bot_post = PostInsertForm::builder()
589       .name("test bot post".to_string())
590       .creator_id(inserted_bot.id)
591       .community_id(inserted_community.id)
592       .build();
593
594     let _inserted_bot_post = Post::create(pool, &new_bot_post).await.unwrap();
595
596     Data {
597       inserted_instance,
598       inserted_person,
599       inserted_local_user,
600       inserted_blocked_person,
601       inserted_bot,
602       inserted_community,
603       inserted_post,
604     }
605   }
606
607   #[tokio::test]
608   #[serial]
609   async fn post_listing_with_person() {
610     let pool = &build_db_pool_for_tests().await;
611     let data = init_data(pool).await;
612
613     let local_user_form = LocalUserUpdateForm::builder()
614       .show_bot_accounts(Some(false))
615       .build();
616     let inserted_local_user =
617       LocalUser::update(pool, data.inserted_local_user.id, &local_user_form)
618         .await
619         .unwrap();
620
621     let read_post_listing = PostQuery::builder()
622       .pool(pool)
623       .sort(Some(SortType::New))
624       .community_id(Some(data.inserted_community.id))
625       .local_user(Some(&inserted_local_user))
626       .build()
627       .list()
628       .await
629       .unwrap();
630
631     let post_listing_single_with_person = PostView::read(
632       pool,
633       data.inserted_post.id,
634       Some(data.inserted_person.id),
635       None,
636     )
637     .await
638     .unwrap();
639
640     let mut expected_post_listing_with_user = expected_post_view(&data, pool).await;
641
642     // Should be only one person, IE the bot post, and blocked should be missing
643     assert_eq!(1, read_post_listing.len());
644
645     assert_eq!(expected_post_listing_with_user, read_post_listing[0]);
646     expected_post_listing_with_user.my_vote = Some(0);
647     assert_eq!(
648       expected_post_listing_with_user,
649       post_listing_single_with_person
650     );
651
652     let local_user_form = LocalUserUpdateForm::builder()
653       .show_bot_accounts(Some(true))
654       .build();
655     let inserted_local_user =
656       LocalUser::update(pool, data.inserted_local_user.id, &local_user_form)
657         .await
658         .unwrap();
659
660     let post_listings_with_bots = PostQuery::builder()
661       .pool(pool)
662       .sort(Some(SortType::New))
663       .community_id(Some(data.inserted_community.id))
664       .local_user(Some(&inserted_local_user))
665       .build()
666       .list()
667       .await
668       .unwrap();
669     // should include bot post which has "undetermined" language
670     assert_eq!(2, post_listings_with_bots.len());
671
672     cleanup(data, pool).await;
673   }
674
675   #[tokio::test]
676   #[serial]
677   async fn post_listing_no_person() {
678     let pool = &build_db_pool_for_tests().await;
679     let data = init_data(pool).await;
680
681     let read_post_listing_multiple_no_person = PostQuery::builder()
682       .pool(pool)
683       .sort(Some(SortType::New))
684       .community_id(Some(data.inserted_community.id))
685       .build()
686       .list()
687       .await
688       .unwrap();
689
690     let read_post_listing_single_no_person =
691       PostView::read(pool, data.inserted_post.id, None, None)
692         .await
693         .unwrap();
694
695     let expected_post_listing_no_person = expected_post_view(&data, pool).await;
696
697     // Should be 2 posts, with the bot post, and the blocked
698     assert_eq!(3, read_post_listing_multiple_no_person.len());
699
700     assert_eq!(
701       expected_post_listing_no_person,
702       read_post_listing_multiple_no_person[1]
703     );
704     assert_eq!(
705       expected_post_listing_no_person,
706       read_post_listing_single_no_person
707     );
708
709     cleanup(data, pool).await;
710   }
711
712   #[tokio::test]
713   #[serial]
714   async fn post_listing_block_community() {
715     let pool = &build_db_pool_for_tests().await;
716     let data = init_data(pool).await;
717
718     let community_block = CommunityBlockForm {
719       person_id: data.inserted_person.id,
720       community_id: data.inserted_community.id,
721     };
722     CommunityBlock::block(pool, &community_block).await.unwrap();
723
724     let read_post_listings_with_person_after_block = PostQuery::builder()
725       .pool(pool)
726       .sort(Some(SortType::New))
727       .community_id(Some(data.inserted_community.id))
728       .local_user(Some(&data.inserted_local_user))
729       .build()
730       .list()
731       .await
732       .unwrap();
733     // Should be 0 posts after the community block
734     assert_eq!(0, read_post_listings_with_person_after_block.len());
735
736     CommunityBlock::unblock(pool, &community_block)
737       .await
738       .unwrap();
739     cleanup(data, pool).await;
740   }
741
742   #[tokio::test]
743   #[serial]
744   async fn post_listing_like() {
745     let pool = &build_db_pool_for_tests().await;
746     let data = init_data(pool).await;
747
748     let post_like_form = PostLikeForm {
749       post_id: data.inserted_post.id,
750       person_id: data.inserted_person.id,
751       score: 1,
752     };
753
754     let inserted_post_like = PostLike::like(pool, &post_like_form).await.unwrap();
755
756     let expected_post_like = PostLike {
757       id: inserted_post_like.id,
758       post_id: data.inserted_post.id,
759       person_id: data.inserted_person.id,
760       published: inserted_post_like.published,
761       score: 1,
762     };
763     assert_eq!(expected_post_like, inserted_post_like);
764
765     let post_listing_single_with_person = PostView::read(
766       pool,
767       data.inserted_post.id,
768       Some(data.inserted_person.id),
769       None,
770     )
771     .await
772     .unwrap();
773
774     let mut expected_post_with_upvote = expected_post_view(&data, pool).await;
775     expected_post_with_upvote.my_vote = Some(1);
776     expected_post_with_upvote.counts.score = 1;
777     expected_post_with_upvote.counts.upvotes = 1;
778     assert_eq!(expected_post_with_upvote, post_listing_single_with_person);
779
780     let local_user_form = LocalUserUpdateForm::builder()
781       .show_bot_accounts(Some(false))
782       .build();
783     let inserted_local_user =
784       LocalUser::update(pool, data.inserted_local_user.id, &local_user_form)
785         .await
786         .unwrap();
787
788     let read_post_listing = PostQuery::builder()
789       .pool(pool)
790       .sort(Some(SortType::New))
791       .community_id(Some(data.inserted_community.id))
792       .local_user(Some(&inserted_local_user))
793       .build()
794       .list()
795       .await
796       .unwrap();
797     assert_eq!(1, read_post_listing.len());
798
799     assert_eq!(expected_post_with_upvote, read_post_listing[0]);
800
801     let like_removed = PostLike::remove(pool, data.inserted_person.id, data.inserted_post.id)
802       .await
803       .unwrap();
804     assert_eq!(1, like_removed);
805     cleanup(data, pool).await;
806   }
807
808   #[tokio::test]
809   #[serial]
810   async fn post_listing_person_language() {
811     let pool = &build_db_pool_for_tests().await;
812     let data = init_data(pool).await;
813
814     let spanish_id = Language::read_id_from_code(pool, Some("es"))
815       .await
816       .unwrap()
817       .unwrap();
818     let post_spanish = PostInsertForm::builder()
819       .name("asffgdsc".to_string())
820       .creator_id(data.inserted_person.id)
821       .community_id(data.inserted_community.id)
822       .language_id(Some(spanish_id))
823       .build();
824
825     Post::create(pool, &post_spanish).await.unwrap();
826
827     let post_listings_all = PostQuery::builder()
828       .pool(pool)
829       .sort(Some(SortType::New))
830       .local_user(Some(&data.inserted_local_user))
831       .build()
832       .list()
833       .await
834       .unwrap();
835
836     // no language filters specified, all posts should be returned
837     assert_eq!(3, post_listings_all.len());
838
839     let french_id = Language::read_id_from_code(pool, Some("fr"))
840       .await
841       .unwrap()
842       .unwrap();
843     LocalUserLanguage::update(pool, vec![french_id], data.inserted_local_user.id)
844       .await
845       .unwrap();
846
847     let post_listing_french = PostQuery::builder()
848       .pool(pool)
849       .sort(Some(SortType::New))
850       .local_user(Some(&data.inserted_local_user))
851       .build()
852       .list()
853       .await
854       .unwrap();
855
856     // only one post in french and one undetermined should be returned
857     assert_eq!(2, post_listing_french.len());
858     assert!(post_listing_french
859       .iter()
860       .any(|p| p.post.language_id == french_id));
861
862     LocalUserLanguage::update(
863       pool,
864       vec![french_id, UNDETERMINED_ID],
865       data.inserted_local_user.id,
866     )
867     .await
868     .unwrap();
869     let post_listings_french_und = PostQuery::builder()
870       .pool(pool)
871       .sort(Some(SortType::New))
872       .local_user(Some(&data.inserted_local_user))
873       .build()
874       .list()
875       .await
876       .unwrap();
877
878     // french post and undetermined language post should be returned
879     assert_eq!(2, post_listings_french_und.len());
880     assert_eq!(
881       UNDETERMINED_ID,
882       post_listings_french_und[0].post.language_id
883     );
884     assert_eq!(french_id, post_listings_french_und[1].post.language_id);
885
886     cleanup(data, pool).await;
887   }
888
889   #[tokio::test]
890   #[serial]
891   async fn post_listings_deleted() {
892     let pool = &build_db_pool_for_tests().await;
893     let data = init_data(pool).await;
894
895     // Delete the post
896     Post::update(
897       pool,
898       data.inserted_post.id,
899       &PostUpdateForm::builder().deleted(Some(true)).build(),
900     )
901     .await
902     .unwrap();
903
904     // Make sure you don't see the deleted post in the results
905     let post_listings_no_admin = PostQuery::builder()
906       .pool(pool)
907       .sort(Some(SortType::New))
908       .local_user(Some(&data.inserted_local_user))
909       .is_mod_or_admin(Some(false))
910       .build()
911       .list()
912       .await
913       .unwrap();
914
915     assert_eq!(1, post_listings_no_admin.len());
916
917     // Make sure they see both
918     let post_listings_is_admin = PostQuery::builder()
919       .pool(pool)
920       .sort(Some(SortType::New))
921       .local_user(Some(&data.inserted_local_user))
922       .is_mod_or_admin(Some(true))
923       .build()
924       .list()
925       .await
926       .unwrap();
927
928     assert_eq!(2, post_listings_is_admin.len());
929
930     cleanup(data, pool).await;
931   }
932
933   async fn cleanup(data: Data, pool: &DbPool) {
934     let num_deleted = Post::delete(pool, data.inserted_post.id).await.unwrap();
935     Community::delete(pool, data.inserted_community.id)
936       .await
937       .unwrap();
938     Person::delete(pool, data.inserted_person.id).await.unwrap();
939     Person::delete(pool, data.inserted_bot.id).await.unwrap();
940     Person::delete(pool, data.inserted_blocked_person.id)
941       .await
942       .unwrap();
943     Instance::delete(pool, data.inserted_instance.id)
944       .await
945       .unwrap();
946     assert_eq!(1, num_deleted);
947   }
948
949   async fn expected_post_view(data: &Data, pool: &DbPool) -> PostView {
950     let (inserted_person, inserted_community, inserted_post) = (
951       &data.inserted_person,
952       &data.inserted_community,
953       &data.inserted_post,
954     );
955     let agg = PostAggregates::read(pool, inserted_post.id).await.unwrap();
956
957     PostView {
958       post: Post {
959         id: inserted_post.id,
960         name: inserted_post.name.clone(),
961         creator_id: inserted_person.id,
962         url: None,
963         body: None,
964         published: inserted_post.published,
965         updated: None,
966         community_id: inserted_community.id,
967         removed: false,
968         deleted: false,
969         locked: false,
970         nsfw: false,
971         embed_title: None,
972         embed_description: None,
973         embed_video_url: None,
974         thumbnail_url: None,
975         ap_id: inserted_post.ap_id.clone(),
976         local: true,
977         language_id: LanguageId(47),
978         featured_community: false,
979         featured_local: false,
980       },
981       my_vote: None,
982       unread_comments: 0,
983       creator: Person {
984         id: inserted_person.id,
985         name: inserted_person.name.clone(),
986         display_name: None,
987         published: inserted_person.published,
988         avatar: None,
989         actor_id: inserted_person.actor_id.clone(),
990         local: true,
991         admin: false,
992         bot_account: false,
993         banned: false,
994         deleted: false,
995         bio: None,
996         banner: None,
997         updated: None,
998         inbox_url: inserted_person.inbox_url.clone(),
999         shared_inbox_url: None,
1000         matrix_user_id: None,
1001         ban_expires: None,
1002         instance_id: data.inserted_instance.id,
1003         private_key: inserted_person.private_key.clone(),
1004         public_key: inserted_person.public_key.clone(),
1005         last_refreshed_at: inserted_person.last_refreshed_at,
1006       },
1007       creator_banned_from_community: false,
1008       community: Community {
1009         id: inserted_community.id,
1010         name: inserted_community.name.clone(),
1011         icon: None,
1012         removed: false,
1013         deleted: false,
1014         nsfw: false,
1015         actor_id: inserted_community.actor_id.clone(),
1016         local: true,
1017         title: "nada".to_owned(),
1018         description: None,
1019         updated: None,
1020         banner: None,
1021         hidden: false,
1022         posting_restricted_to_mods: false,
1023         published: inserted_community.published,
1024         instance_id: data.inserted_instance.id,
1025         private_key: inserted_community.private_key.clone(),
1026         public_key: inserted_community.public_key.clone(),
1027         last_refreshed_at: inserted_community.last_refreshed_at,
1028         followers_url: inserted_community.followers_url.clone(),
1029         inbox_url: inserted_community.inbox_url.clone(),
1030         shared_inbox_url: inserted_community.shared_inbox_url.clone(),
1031         moderators_url: inserted_community.moderators_url.clone(),
1032         featured_url: inserted_community.featured_url.clone(),
1033       },
1034       counts: PostAggregates {
1035         id: agg.id,
1036         post_id: inserted_post.id,
1037         comments: 0,
1038         score: 0,
1039         upvotes: 0,
1040         downvotes: 0,
1041         published: agg.published,
1042         newest_comment_time_necro: inserted_post.published,
1043         newest_comment_time: inserted_post.published,
1044         featured_community: false,
1045         featured_local: false,
1046         hot_rank: 1728,
1047         hot_rank_active: 1728,
1048       },
1049       subscribed: SubscribedType::NotSubscribed,
1050       read: false,
1051       saved: false,
1052       creator_blocked: false,
1053     }
1054   }
1055 }