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