1mod store;
2
3use super::{
4 auth::process_auth_header,
5 db::{ChannelId, MessageId, UserId},
6 AppState,
7};
8use anyhow::anyhow;
9use async_std::{sync::RwLock, task};
10use async_tungstenite::{tungstenite::protocol::Role, WebSocketStream};
11use futures::{future::BoxFuture, FutureExt};
12use postage::{mpsc, prelude::Sink as _, prelude::Stream as _};
13use rpc::{
14 proto::{self, AnyTypedEnvelope, EnvelopedMessage},
15 Connection, ConnectionId, Peer, TypedEnvelope,
16};
17use sha1::{Digest as _, Sha1};
18use std::{
19 any::TypeId,
20 collections::{HashMap, HashSet},
21 future::Future,
22 mem,
23 sync::Arc,
24 time::Instant,
25};
26use store::{JoinedWorktree, Store, Worktree};
27use surf::StatusCode;
28use tide::log;
29use tide::{
30 http::headers::{HeaderName, CONNECTION, UPGRADE},
31 Request, Response,
32};
33use time::OffsetDateTime;
34
35type MessageHandler = Box<
36 dyn Send
37 + Sync
38 + Fn(Arc<Server>, Box<dyn AnyTypedEnvelope>) -> BoxFuture<'static, tide::Result<()>>,
39>;
40
41pub struct Server {
42 peer: Arc<Peer>,
43 store: RwLock<Store>,
44 app_state: Arc<AppState>,
45 handlers: HashMap<TypeId, MessageHandler>,
46 notifications: Option<mpsc::Sender<()>>,
47}
48
49const MESSAGE_COUNT_PER_PAGE: usize = 100;
50const MAX_MESSAGE_LEN: usize = 1024;
51
52impl Server {
53 pub fn new(
54 app_state: Arc<AppState>,
55 peer: Arc<Peer>,
56 notifications: Option<mpsc::Sender<()>>,
57 ) -> Arc<Self> {
58 let mut server = Self {
59 peer,
60 app_state,
61 store: Default::default(),
62 handlers: Default::default(),
63 notifications,
64 };
65
66 server
67 .add_handler(Server::ping)
68 .add_handler(Server::open_worktree)
69 .add_handler(Server::close_worktree)
70 .add_handler(Server::share_worktree)
71 .add_handler(Server::unshare_worktree)
72 .add_handler(Server::join_worktree)
73 .add_handler(Server::leave_worktree)
74 .add_handler(Server::update_worktree)
75 .add_handler(Server::open_buffer)
76 .add_handler(Server::close_buffer)
77 .add_handler(Server::update_buffer)
78 .add_handler(Server::buffer_saved)
79 .add_handler(Server::save_buffer)
80 .add_handler(Server::get_channels)
81 .add_handler(Server::get_users)
82 .add_handler(Server::join_channel)
83 .add_handler(Server::leave_channel)
84 .add_handler(Server::send_channel_message)
85 .add_handler(Server::get_channel_messages);
86
87 Arc::new(server)
88 }
89
90 fn add_handler<F, Fut, M>(&mut self, handler: F) -> &mut Self
91 where
92 F: 'static + Send + Sync + Fn(Arc<Self>, TypedEnvelope<M>) -> Fut,
93 Fut: 'static + Send + Future<Output = tide::Result<()>>,
94 M: EnvelopedMessage,
95 {
96 let prev_handler = self.handlers.insert(
97 TypeId::of::<M>(),
98 Box::new(move |server, envelope| {
99 let envelope = envelope.into_any().downcast::<TypedEnvelope<M>>().unwrap();
100 (handler)(server, *envelope).boxed()
101 }),
102 );
103 if prev_handler.is_some() {
104 panic!("registered a handler for the same message twice");
105 }
106 self
107 }
108
109 pub fn handle_connection(
110 self: &Arc<Self>,
111 connection: Connection,
112 addr: String,
113 user_id: UserId,
114 ) -> impl Future<Output = ()> {
115 let mut this = self.clone();
116 async move {
117 let (connection_id, handle_io, mut incoming_rx) =
118 this.peer.add_connection(connection).await;
119 this.state_mut()
120 .await
121 .add_connection(connection_id, user_id);
122 if let Err(err) = this.update_collaborators_for_users(&[user_id]).await {
123 log::error!("error updating collaborators for {:?}: {}", user_id, err);
124 }
125
126 let handle_io = handle_io.fuse();
127 futures::pin_mut!(handle_io);
128 loop {
129 let next_message = incoming_rx.recv().fuse();
130 futures::pin_mut!(next_message);
131 futures::select_biased! {
132 message = next_message => {
133 if let Some(message) = message {
134 let start_time = Instant::now();
135 log::info!("RPC message received: {}", message.payload_type_name());
136 if let Some(handler) = this.handlers.get(&message.payload_type_id()) {
137 if let Err(err) = (handler)(this.clone(), message).await {
138 log::error!("error handling message: {:?}", err);
139 } else {
140 log::info!("RPC message handled. duration:{:?}", start_time.elapsed());
141 }
142
143 if let Some(mut notifications) = this.notifications.clone() {
144 let _ = notifications.send(()).await;
145 }
146 } else {
147 log::warn!("unhandled message: {}", message.payload_type_name());
148 }
149 } else {
150 log::info!("rpc connection closed {:?}", addr);
151 break;
152 }
153 }
154 handle_io = handle_io => {
155 if let Err(err) = handle_io {
156 log::error!("error handling rpc connection {:?} - {:?}", addr, err);
157 }
158 break;
159 }
160 }
161 }
162
163 if let Err(err) = this.sign_out(connection_id).await {
164 log::error!("error signing out connection {:?} - {:?}", addr, err);
165 }
166 }
167 }
168
169 async fn sign_out(self: &mut Arc<Self>, connection_id: ConnectionId) -> tide::Result<()> {
170 self.peer.disconnect(connection_id).await;
171 let removed_connection = self.state_mut().await.remove_connection(connection_id)?;
172
173 for (worktree_id, worktree) in removed_connection.hosted_worktrees {
174 if let Some(share) = worktree.share {
175 broadcast(
176 connection_id,
177 share.guest_connection_ids.keys().copied().collect(),
178 |conn_id| {
179 self.peer
180 .send(conn_id, proto::UnshareWorktree { worktree_id })
181 },
182 )
183 .await?;
184 }
185 }
186
187 for (worktree_id, peer_ids) in removed_connection.guest_worktree_ids {
188 broadcast(connection_id, peer_ids, |conn_id| {
189 self.peer.send(
190 conn_id,
191 proto::RemovePeer {
192 worktree_id,
193 peer_id: connection_id.0,
194 },
195 )
196 })
197 .await?;
198 }
199
200 self.update_collaborators_for_users(removed_connection.collaborator_ids.iter())
201 .await?;
202
203 Ok(())
204 }
205
206 async fn ping(self: Arc<Server>, request: TypedEnvelope<proto::Ping>) -> tide::Result<()> {
207 self.peer.respond(request.receipt(), proto::Ack {}).await?;
208 Ok(())
209 }
210
211 async fn open_worktree(
212 mut self: Arc<Server>,
213 request: TypedEnvelope<proto::OpenWorktree>,
214 ) -> tide::Result<()> {
215 let receipt = request.receipt();
216 let host_user_id = self
217 .state()
218 .await
219 .user_id_for_connection(request.sender_id)?;
220
221 let mut collaborator_user_ids = HashSet::new();
222 collaborator_user_ids.insert(host_user_id);
223 for github_login in request.payload.collaborator_logins {
224 match self.app_state.db.create_user(&github_login, false).await {
225 Ok(collaborator_user_id) => {
226 collaborator_user_ids.insert(collaborator_user_id);
227 }
228 Err(err) => {
229 let message = err.to_string();
230 self.peer
231 .respond_with_error(receipt, proto::Error { message })
232 .await?;
233 return Ok(());
234 }
235 }
236 }
237
238 let collaborator_user_ids = collaborator_user_ids.into_iter().collect::<Vec<_>>();
239 let worktree_id = self.state_mut().await.add_worktree(Worktree {
240 host_connection_id: request.sender_id,
241 collaborator_user_ids: collaborator_user_ids.clone(),
242 root_name: request.payload.root_name,
243 share: None,
244 });
245
246 self.peer
247 .respond(receipt, proto::OpenWorktreeResponse { worktree_id })
248 .await?;
249 self.update_collaborators_for_users(&collaborator_user_ids)
250 .await?;
251
252 Ok(())
253 }
254
255 async fn close_worktree(
256 mut self: Arc<Server>,
257 request: TypedEnvelope<proto::CloseWorktree>,
258 ) -> tide::Result<()> {
259 let worktree_id = request.payload.worktree_id;
260 let worktree = self
261 .state_mut()
262 .await
263 .remove_worktree(worktree_id, request.sender_id)?;
264
265 if let Some(share) = worktree.share {
266 broadcast(
267 request.sender_id,
268 share.guest_connection_ids.keys().copied().collect(),
269 |conn_id| {
270 self.peer
271 .send(conn_id, proto::UnshareWorktree { worktree_id })
272 },
273 )
274 .await?;
275 }
276 self.update_collaborators_for_users(&worktree.collaborator_user_ids)
277 .await?;
278 Ok(())
279 }
280
281 async fn share_worktree(
282 mut self: Arc<Server>,
283 mut request: TypedEnvelope<proto::ShareWorktree>,
284 ) -> tide::Result<()> {
285 let worktree = request
286 .payload
287 .worktree
288 .as_mut()
289 .ok_or_else(|| anyhow!("missing worktree"))?;
290 let entries = mem::take(&mut worktree.entries)
291 .into_iter()
292 .map(|entry| (entry.id, entry))
293 .collect();
294
295 let collaborator_user_ids =
296 self.state_mut()
297 .await
298 .share_worktree(worktree.id, request.sender_id, entries);
299 if let Some(collaborator_user_ids) = collaborator_user_ids {
300 self.peer
301 .respond(request.receipt(), proto::ShareWorktreeResponse {})
302 .await?;
303 self.update_collaborators_for_users(&collaborator_user_ids)
304 .await?;
305 } else {
306 self.peer
307 .respond_with_error(
308 request.receipt(),
309 proto::Error {
310 message: "no such worktree".to_string(),
311 },
312 )
313 .await?;
314 }
315 Ok(())
316 }
317
318 async fn unshare_worktree(
319 mut self: Arc<Server>,
320 request: TypedEnvelope<proto::UnshareWorktree>,
321 ) -> tide::Result<()> {
322 let worktree_id = request.payload.worktree_id;
323 let worktree = self
324 .state_mut()
325 .await
326 .unshare_worktree(worktree_id, request.sender_id)?;
327
328 broadcast(request.sender_id, worktree.connection_ids, |conn_id| {
329 self.peer
330 .send(conn_id, proto::UnshareWorktree { worktree_id })
331 })
332 .await?;
333 self.update_collaborators_for_users(&worktree.collaborator_ids)
334 .await?;
335
336 Ok(())
337 }
338
339 async fn join_worktree(
340 mut self: Arc<Server>,
341 request: TypedEnvelope<proto::JoinWorktree>,
342 ) -> tide::Result<()> {
343 let worktree_id = request.payload.worktree_id;
344 let user_id = self
345 .state()
346 .await
347 .user_id_for_connection(request.sender_id)?;
348
349 let mut state = self.state_mut().await;
350 match state.join_worktree(request.sender_id, user_id, worktree_id) {
351 Ok(JoinedWorktree {
352 replica_id,
353 worktree,
354 }) => {
355 let share = worktree.share()?;
356 let peer_count = share.guest_connection_ids.len();
357 let mut peers = Vec::with_capacity(peer_count);
358 peers.push(proto::Peer {
359 peer_id: worktree.host_connection_id.0,
360 replica_id: 0,
361 });
362 for (peer_conn_id, peer_replica_id) in &share.guest_connection_ids {
363 if *peer_conn_id != request.sender_id {
364 peers.push(proto::Peer {
365 peer_id: peer_conn_id.0,
366 replica_id: *peer_replica_id as u32,
367 });
368 }
369 }
370 let response = proto::JoinWorktreeResponse {
371 worktree: Some(proto::Worktree {
372 id: worktree_id,
373 root_name: worktree.root_name.clone(),
374 entries: share.entries.values().cloned().collect(),
375 }),
376 replica_id: replica_id as u32,
377 peers,
378 };
379 let connection_ids = worktree.connection_ids();
380 let collaborator_user_ids = worktree.collaborator_user_ids.clone();
381 drop(state);
382
383 broadcast(request.sender_id, connection_ids, |conn_id| {
384 self.peer.send(
385 conn_id,
386 proto::AddPeer {
387 worktree_id,
388 peer: Some(proto::Peer {
389 peer_id: request.sender_id.0,
390 replica_id: response.replica_id,
391 }),
392 },
393 )
394 })
395 .await?;
396 self.peer.respond(request.receipt(), response).await?;
397 self.update_collaborators_for_users(&collaborator_user_ids)
398 .await?;
399 }
400 Err(error) => {
401 drop(state);
402 self.peer
403 .respond_with_error(
404 request.receipt(),
405 proto::Error {
406 message: error.to_string(),
407 },
408 )
409 .await?;
410 }
411 }
412
413 Ok(())
414 }
415
416 async fn leave_worktree(
417 mut self: Arc<Server>,
418 request: TypedEnvelope<proto::LeaveWorktree>,
419 ) -> tide::Result<()> {
420 let sender_id = request.sender_id;
421 let worktree_id = request.payload.worktree_id;
422 let worktree = self
423 .state_mut()
424 .await
425 .leave_worktree(sender_id, worktree_id);
426 if let Some(worktree) = worktree {
427 broadcast(sender_id, worktree.connection_ids, |conn_id| {
428 self.peer.send(
429 conn_id,
430 proto::RemovePeer {
431 worktree_id,
432 peer_id: sender_id.0,
433 },
434 )
435 })
436 .await?;
437 self.update_collaborators_for_users(&worktree.collaborator_ids)
438 .await?;
439 }
440 Ok(())
441 }
442
443 async fn update_worktree(
444 mut self: Arc<Server>,
445 request: TypedEnvelope<proto::UpdateWorktree>,
446 ) -> tide::Result<()> {
447 let connection_ids = self.state_mut().await.update_worktree(
448 request.sender_id,
449 request.payload.worktree_id,
450 &request.payload.removed_entries,
451 &request.payload.updated_entries,
452 )?;
453
454 broadcast(request.sender_id, connection_ids, |connection_id| {
455 self.peer
456 .forward_send(request.sender_id, connection_id, request.payload.clone())
457 })
458 .await?;
459
460 Ok(())
461 }
462
463 async fn open_buffer(
464 self: Arc<Server>,
465 request: TypedEnvelope<proto::OpenBuffer>,
466 ) -> tide::Result<()> {
467 let receipt = request.receipt();
468 let host_connection_id = self
469 .state()
470 .await
471 .worktree_host_connection_id(request.sender_id, request.payload.worktree_id)?;
472 let response = self
473 .peer
474 .forward_request(request.sender_id, host_connection_id, request.payload)
475 .await?;
476 self.peer.respond(receipt, response).await?;
477 Ok(())
478 }
479
480 async fn close_buffer(
481 self: Arc<Server>,
482 request: TypedEnvelope<proto::CloseBuffer>,
483 ) -> tide::Result<()> {
484 let host_connection_id = self
485 .state()
486 .await
487 .worktree_host_connection_id(request.sender_id, request.payload.worktree_id)?;
488 self.peer
489 .forward_send(request.sender_id, host_connection_id, request.payload)
490 .await?;
491 Ok(())
492 }
493
494 async fn save_buffer(
495 self: Arc<Server>,
496 request: TypedEnvelope<proto::SaveBuffer>,
497 ) -> tide::Result<()> {
498 let host;
499 let guests;
500 {
501 let state = self.state().await;
502 host = state
503 .worktree_host_connection_id(request.sender_id, request.payload.worktree_id)?;
504 guests = state
505 .worktree_guest_connection_ids(request.sender_id, request.payload.worktree_id)?;
506 }
507
508 let sender = request.sender_id;
509 let receipt = request.receipt();
510 let response = self
511 .peer
512 .forward_request(sender, host, request.payload.clone())
513 .await?;
514
515 broadcast(host, guests, |conn_id| {
516 let response = response.clone();
517 let peer = &self.peer;
518 async move {
519 if conn_id == sender {
520 peer.respond(receipt, response).await
521 } else {
522 peer.forward_send(host, conn_id, response).await
523 }
524 }
525 })
526 .await?;
527
528 Ok(())
529 }
530
531 async fn update_buffer(
532 self: Arc<Server>,
533 request: TypedEnvelope<proto::UpdateBuffer>,
534 ) -> tide::Result<()> {
535 broadcast(
536 request.sender_id,
537 self.state()
538 .await
539 .worktree_connection_ids(request.sender_id, request.payload.worktree_id)?,
540 |connection_id| {
541 self.peer
542 .forward_send(request.sender_id, connection_id, request.payload.clone())
543 },
544 )
545 .await?;
546 self.peer.respond(request.receipt(), proto::Ack {}).await?;
547 Ok(())
548 }
549
550 async fn buffer_saved(
551 self: Arc<Server>,
552 request: TypedEnvelope<proto::BufferSaved>,
553 ) -> tide::Result<()> {
554 broadcast(
555 request.sender_id,
556 self.store
557 .read()
558 .await
559 .worktree_connection_ids(request.sender_id, request.payload.worktree_id)?,
560 |connection_id| {
561 self.peer
562 .forward_send(request.sender_id, connection_id, request.payload.clone())
563 },
564 )
565 .await?;
566 Ok(())
567 }
568
569 async fn get_channels(
570 self: Arc<Server>,
571 request: TypedEnvelope<proto::GetChannels>,
572 ) -> tide::Result<()> {
573 let user_id = self
574 .state()
575 .await
576 .user_id_for_connection(request.sender_id)?;
577 let channels = self.app_state.db.get_accessible_channels(user_id).await?;
578 self.peer
579 .respond(
580 request.receipt(),
581 proto::GetChannelsResponse {
582 channels: channels
583 .into_iter()
584 .map(|chan| proto::Channel {
585 id: chan.id.to_proto(),
586 name: chan.name,
587 })
588 .collect(),
589 },
590 )
591 .await?;
592 Ok(())
593 }
594
595 async fn get_users(
596 self: Arc<Server>,
597 request: TypedEnvelope<proto::GetUsers>,
598 ) -> tide::Result<()> {
599 let receipt = request.receipt();
600 let user_ids = request.payload.user_ids.into_iter().map(UserId::from_proto);
601 let users = self
602 .app_state
603 .db
604 .get_users_by_ids(user_ids)
605 .await?
606 .into_iter()
607 .map(|user| proto::User {
608 id: user.id.to_proto(),
609 avatar_url: format!("https://github.com/{}.png?size=128", user.github_login),
610 github_login: user.github_login,
611 })
612 .collect();
613 self.peer
614 .respond(receipt, proto::GetUsersResponse { users })
615 .await?;
616 Ok(())
617 }
618
619 async fn update_collaborators_for_users<'a>(
620 self: &Arc<Server>,
621 user_ids: impl IntoIterator<Item = &'a UserId>,
622 ) -> tide::Result<()> {
623 let mut send_futures = Vec::new();
624
625 let state = self.state().await;
626 for user_id in user_ids {
627 let collaborators = state.collaborators_for_user(*user_id);
628 for connection_id in state.connection_ids_for_user(*user_id) {
629 send_futures.push(self.peer.send(
630 connection_id,
631 proto::UpdateCollaborators {
632 collaborators: collaborators.clone(),
633 },
634 ));
635 }
636 }
637
638 drop(state);
639 futures::future::try_join_all(send_futures).await?;
640
641 Ok(())
642 }
643
644 async fn join_channel(
645 mut self: Arc<Self>,
646 request: TypedEnvelope<proto::JoinChannel>,
647 ) -> tide::Result<()> {
648 let user_id = self
649 .state()
650 .await
651 .user_id_for_connection(request.sender_id)?;
652 let channel_id = ChannelId::from_proto(request.payload.channel_id);
653 if !self
654 .app_state
655 .db
656 .can_user_access_channel(user_id, channel_id)
657 .await?
658 {
659 Err(anyhow!("access denied"))?;
660 }
661
662 self.state_mut()
663 .await
664 .join_channel(request.sender_id, channel_id);
665 let messages = self
666 .app_state
667 .db
668 .get_channel_messages(channel_id, MESSAGE_COUNT_PER_PAGE, None)
669 .await?
670 .into_iter()
671 .map(|msg| proto::ChannelMessage {
672 id: msg.id.to_proto(),
673 body: msg.body,
674 timestamp: msg.sent_at.unix_timestamp() as u64,
675 sender_id: msg.sender_id.to_proto(),
676 nonce: Some(msg.nonce.as_u128().into()),
677 })
678 .collect::<Vec<_>>();
679 self.peer
680 .respond(
681 request.receipt(),
682 proto::JoinChannelResponse {
683 done: messages.len() < MESSAGE_COUNT_PER_PAGE,
684 messages,
685 },
686 )
687 .await?;
688 Ok(())
689 }
690
691 async fn leave_channel(
692 mut self: Arc<Self>,
693 request: TypedEnvelope<proto::LeaveChannel>,
694 ) -> tide::Result<()> {
695 let user_id = self
696 .state()
697 .await
698 .user_id_for_connection(request.sender_id)?;
699 let channel_id = ChannelId::from_proto(request.payload.channel_id);
700 if !self
701 .app_state
702 .db
703 .can_user_access_channel(user_id, channel_id)
704 .await?
705 {
706 Err(anyhow!("access denied"))?;
707 }
708
709 self.state_mut()
710 .await
711 .leave_channel(request.sender_id, channel_id);
712
713 Ok(())
714 }
715
716 async fn send_channel_message(
717 self: Arc<Self>,
718 request: TypedEnvelope<proto::SendChannelMessage>,
719 ) -> tide::Result<()> {
720 let receipt = request.receipt();
721 let channel_id = ChannelId::from_proto(request.payload.channel_id);
722 let user_id;
723 let connection_ids;
724 {
725 let state = self.state().await;
726 user_id = state.user_id_for_connection(request.sender_id)?;
727 if let Some(ids) = state.channel_connection_ids(channel_id) {
728 connection_ids = ids;
729 } else {
730 return Ok(());
731 }
732 }
733
734 // Validate the message body.
735 let body = request.payload.body.trim().to_string();
736 if body.len() > MAX_MESSAGE_LEN {
737 self.peer
738 .respond_with_error(
739 receipt,
740 proto::Error {
741 message: "message is too long".to_string(),
742 },
743 )
744 .await?;
745 return Ok(());
746 }
747 if body.is_empty() {
748 self.peer
749 .respond_with_error(
750 receipt,
751 proto::Error {
752 message: "message can't be blank".to_string(),
753 },
754 )
755 .await?;
756 return Ok(());
757 }
758
759 let timestamp = OffsetDateTime::now_utc();
760 let nonce = if let Some(nonce) = request.payload.nonce {
761 nonce
762 } else {
763 self.peer
764 .respond_with_error(
765 receipt,
766 proto::Error {
767 message: "nonce can't be blank".to_string(),
768 },
769 )
770 .await?;
771 return Ok(());
772 };
773
774 let message_id = self
775 .app_state
776 .db
777 .create_channel_message(channel_id, user_id, &body, timestamp, nonce.clone().into())
778 .await?
779 .to_proto();
780 let message = proto::ChannelMessage {
781 sender_id: user_id.to_proto(),
782 id: message_id,
783 body,
784 timestamp: timestamp.unix_timestamp() as u64,
785 nonce: Some(nonce),
786 };
787 broadcast(request.sender_id, connection_ids, |conn_id| {
788 self.peer.send(
789 conn_id,
790 proto::ChannelMessageSent {
791 channel_id: channel_id.to_proto(),
792 message: Some(message.clone()),
793 },
794 )
795 })
796 .await?;
797 self.peer
798 .respond(
799 receipt,
800 proto::SendChannelMessageResponse {
801 message: Some(message),
802 },
803 )
804 .await?;
805 Ok(())
806 }
807
808 async fn get_channel_messages(
809 self: Arc<Self>,
810 request: TypedEnvelope<proto::GetChannelMessages>,
811 ) -> tide::Result<()> {
812 let user_id = self
813 .state()
814 .await
815 .user_id_for_connection(request.sender_id)?;
816 let channel_id = ChannelId::from_proto(request.payload.channel_id);
817 if !self
818 .app_state
819 .db
820 .can_user_access_channel(user_id, channel_id)
821 .await?
822 {
823 Err(anyhow!("access denied"))?;
824 }
825
826 let messages = self
827 .app_state
828 .db
829 .get_channel_messages(
830 channel_id,
831 MESSAGE_COUNT_PER_PAGE,
832 Some(MessageId::from_proto(request.payload.before_message_id)),
833 )
834 .await?
835 .into_iter()
836 .map(|msg| proto::ChannelMessage {
837 id: msg.id.to_proto(),
838 body: msg.body,
839 timestamp: msg.sent_at.unix_timestamp() as u64,
840 sender_id: msg.sender_id.to_proto(),
841 nonce: Some(msg.nonce.as_u128().into()),
842 })
843 .collect::<Vec<_>>();
844 self.peer
845 .respond(
846 request.receipt(),
847 proto::GetChannelMessagesResponse {
848 done: messages.len() < MESSAGE_COUNT_PER_PAGE,
849 messages,
850 },
851 )
852 .await?;
853 Ok(())
854 }
855
856 fn state<'a>(
857 self: &'a Arc<Self>,
858 ) -> impl Future<Output = async_std::sync::RwLockReadGuard<'a, Store>> {
859 self.store.read()
860 }
861
862 fn state_mut<'a>(
863 self: &'a mut Arc<Self>,
864 ) -> impl Future<Output = async_std::sync::RwLockWriteGuard<'a, Store>> {
865 self.store.write()
866 }
867}
868
869pub async fn broadcast<F, T>(
870 sender_id: ConnectionId,
871 receiver_ids: Vec<ConnectionId>,
872 mut f: F,
873) -> anyhow::Result<()>
874where
875 F: FnMut(ConnectionId) -> T,
876 T: Future<Output = anyhow::Result<()>>,
877{
878 let futures = receiver_ids
879 .into_iter()
880 .filter(|id| *id != sender_id)
881 .map(|id| f(id));
882 futures::future::try_join_all(futures).await?;
883 Ok(())
884}
885
886pub fn add_routes(app: &mut tide::Server<Arc<AppState>>, rpc: &Arc<Peer>) {
887 let server = Server::new(app.state().clone(), rpc.clone(), None);
888 app.at("/rpc").get(move |request: Request<Arc<AppState>>| {
889 let server = server.clone();
890 async move {
891 const WEBSOCKET_GUID: &str = "258EAFA5-E914-47DA-95CA-C5AB0DC85B11";
892
893 let connection_upgrade = header_contains_ignore_case(&request, CONNECTION, "upgrade");
894 let upgrade_to_websocket = header_contains_ignore_case(&request, UPGRADE, "websocket");
895 let upgrade_requested = connection_upgrade && upgrade_to_websocket;
896 let client_protocol_version: Option<u32> = request
897 .header("X-Zed-Protocol-Version")
898 .and_then(|v| v.as_str().parse().ok());
899
900 if !upgrade_requested || client_protocol_version != Some(rpc::PROTOCOL_VERSION) {
901 return Ok(Response::new(StatusCode::UpgradeRequired));
902 }
903
904 let header = match request.header("Sec-Websocket-Key") {
905 Some(h) => h.as_str(),
906 None => return Err(anyhow!("expected sec-websocket-key"))?,
907 };
908
909 let user_id = process_auth_header(&request).await?;
910
911 let mut response = Response::new(StatusCode::SwitchingProtocols);
912 response.insert_header(UPGRADE, "websocket");
913 response.insert_header(CONNECTION, "Upgrade");
914 let hash = Sha1::new().chain(header).chain(WEBSOCKET_GUID).finalize();
915 response.insert_header("Sec-Websocket-Accept", base64::encode(&hash[..]));
916 response.insert_header("Sec-Websocket-Version", "13");
917
918 let http_res: &mut tide::http::Response = response.as_mut();
919 let upgrade_receiver = http_res.recv_upgrade().await;
920 let addr = request.remote().unwrap_or("unknown").to_string();
921 task::spawn(async move {
922 if let Some(stream) = upgrade_receiver.await {
923 server
924 .handle_connection(
925 Connection::new(
926 WebSocketStream::from_raw_socket(stream, Role::Server, None).await,
927 ),
928 addr,
929 user_id,
930 )
931 .await;
932 }
933 });
934
935 Ok(response)
936 }
937 });
938}
939
940fn header_contains_ignore_case<T>(
941 request: &tide::Request<T>,
942 header_name: HeaderName,
943 value: &str,
944) -> bool {
945 request
946 .header(header_name)
947 .map(|h| {
948 h.as_str()
949 .split(',')
950 .any(|s| s.trim().eq_ignore_ascii_case(value.trim()))
951 })
952 .unwrap_or(false)
953}
954
955#[cfg(test)]
956mod tests {
957 use super::*;
958 use crate::{
959 auth,
960 db::{tests::TestDb, UserId},
961 github, AppState, Config,
962 };
963 use ::rpc::Peer;
964 use async_std::{sync::RwLockReadGuard, task};
965 use gpui::{ModelHandle, TestAppContext};
966 use parking_lot::Mutex;
967 use postage::{mpsc, watch};
968 use serde_json::json;
969 use sqlx::types::time::OffsetDateTime;
970 use std::{
971 path::Path,
972 sync::{
973 atomic::{AtomicBool, Ordering::SeqCst},
974 Arc,
975 },
976 time::Duration,
977 };
978 use zed::{
979 client::{
980 self, test::FakeHttpClient, Channel, ChannelDetails, ChannelList, Client, Credentials,
981 EstablishConnectionError, UserStore,
982 },
983 editor::{Editor, EditorSettings, Input},
984 fs::{FakeFs, Fs as _},
985 language::{
986 tree_sitter_rust, Diagnostic, Language, LanguageConfig, LanguageRegistry,
987 LanguageServerConfig, Point,
988 },
989 lsp,
990 people_panel::JoinWorktree,
991 project::{ProjectPath, Worktree},
992 workspace::{Workspace, WorkspaceParams},
993 };
994
995 #[gpui::test]
996 async fn test_share_worktree(mut cx_a: TestAppContext, mut cx_b: TestAppContext) {
997 let (window_b, _) = cx_b.add_window(|_| EmptyView);
998 let lang_registry = Arc::new(LanguageRegistry::new());
999
1000 // Connect to a server as 2 clients.
1001 let mut server = TestServer::start().await;
1002 let (client_a, _) = server.create_client(&mut cx_a, "user_a").await;
1003 let (client_b, _) = server.create_client(&mut cx_b, "user_b").await;
1004
1005 cx_a.foreground().forbid_parking();
1006
1007 // Share a local worktree as client A
1008 let fs = Arc::new(FakeFs::new());
1009 fs.insert_tree(
1010 "/a",
1011 json!({
1012 ".zed.toml": r#"collaborators = ["user_b"]"#,
1013 "a.txt": "a-contents",
1014 "b.txt": "b-contents",
1015 }),
1016 )
1017 .await;
1018 let worktree_a = Worktree::open_local(
1019 client_a.clone(),
1020 "/a".as_ref(),
1021 fs,
1022 lang_registry.clone(),
1023 &mut cx_a.to_async(),
1024 )
1025 .await
1026 .unwrap();
1027 worktree_a
1028 .read_with(&cx_a, |tree, _| tree.as_local().unwrap().scan_complete())
1029 .await;
1030 let worktree_id = worktree_a
1031 .update(&mut cx_a, |tree, cx| tree.as_local_mut().unwrap().share(cx))
1032 .await
1033 .unwrap();
1034
1035 // Join that worktree as client B, and see that a guest has joined as client A.
1036 let worktree_b = Worktree::open_remote(
1037 client_b.clone(),
1038 worktree_id,
1039 lang_registry.clone(),
1040 &mut cx_b.to_async(),
1041 )
1042 .await
1043 .unwrap();
1044 let replica_id_b = worktree_b.read_with(&cx_b, |tree, _| tree.replica_id());
1045 worktree_a
1046 .condition(&cx_a, |tree, _| {
1047 tree.peers()
1048 .values()
1049 .any(|replica_id| *replica_id == replica_id_b)
1050 })
1051 .await;
1052
1053 // Open the same file as client B and client A.
1054 let buffer_b = worktree_b
1055 .update(&mut cx_b, |worktree, cx| worktree.open_buffer("b.txt", cx))
1056 .await
1057 .unwrap();
1058 buffer_b.read_with(&cx_b, |buf, _| assert_eq!(buf.text(), "b-contents"));
1059 worktree_a.read_with(&cx_a, |tree, cx| assert!(tree.has_open_buffer("b.txt", cx)));
1060 let buffer_a = worktree_a
1061 .update(&mut cx_a, |tree, cx| tree.open_buffer("b.txt", cx))
1062 .await
1063 .unwrap();
1064
1065 // Create a selection set as client B and see that selection set as client A.
1066 let editor_b = cx_b.add_view(window_b, |cx| {
1067 Editor::for_buffer(buffer_b, |cx| EditorSettings::test(cx), cx)
1068 });
1069 buffer_a
1070 .condition(&cx_a, |buffer, _| buffer.selection_sets().count() == 1)
1071 .await;
1072
1073 // Edit the buffer as client B and see that edit as client A.
1074 editor_b.update(&mut cx_b, |editor, cx| {
1075 editor.handle_input(&Input("ok, ".into()), cx)
1076 });
1077 buffer_a
1078 .condition(&cx_a, |buffer, _| buffer.text() == "ok, b-contents")
1079 .await;
1080
1081 // Remove the selection set as client B, see those selections disappear as client A.
1082 cx_b.update(move |_| drop(editor_b));
1083 buffer_a
1084 .condition(&cx_a, |buffer, _| buffer.selection_sets().count() == 0)
1085 .await;
1086
1087 // Close the buffer as client A, see that the buffer is closed.
1088 cx_a.update(move |_| drop(buffer_a));
1089 worktree_a
1090 .condition(&cx_a, |tree, cx| !tree.has_open_buffer("b.txt", cx))
1091 .await;
1092
1093 // Dropping the worktree removes client B from client A's peers.
1094 cx_b.update(move |_| drop(worktree_b));
1095 worktree_a
1096 .condition(&cx_a, |tree, _| tree.peers().is_empty())
1097 .await;
1098 }
1099
1100 #[gpui::test]
1101 async fn test_unshare_worktree(mut cx_a: TestAppContext, mut cx_b: TestAppContext) {
1102 cx_b.update(zed::people_panel::init);
1103 let lang_registry = Arc::new(LanguageRegistry::new());
1104
1105 // Connect to a server as 2 clients.
1106 let mut server = TestServer::start().await;
1107 let (client_a, _) = server.create_client(&mut cx_a, "user_a").await;
1108 let (client_b, user_store_b) = server.create_client(&mut cx_b, "user_b").await;
1109 let mut workspace_b_params = cx_b.update(WorkspaceParams::test);
1110 workspace_b_params.client = client_b;
1111 workspace_b_params.user_store = user_store_b;
1112
1113 cx_a.foreground().forbid_parking();
1114
1115 // Share a local worktree as client A
1116 let fs = Arc::new(FakeFs::new());
1117 fs.insert_tree(
1118 "/a",
1119 json!({
1120 ".zed.toml": r#"collaborators = ["user_b"]"#,
1121 "a.txt": "a-contents",
1122 "b.txt": "b-contents",
1123 }),
1124 )
1125 .await;
1126 let worktree_a = Worktree::open_local(
1127 client_a.clone(),
1128 "/a".as_ref(),
1129 fs,
1130 lang_registry.clone(),
1131 &mut cx_a.to_async(),
1132 )
1133 .await
1134 .unwrap();
1135 worktree_a
1136 .read_with(&cx_a, |tree, _| tree.as_local().unwrap().scan_complete())
1137 .await;
1138
1139 let remote_worktree_id = worktree_a
1140 .update(&mut cx_a, |tree, cx| tree.as_local_mut().unwrap().share(cx))
1141 .await
1142 .unwrap();
1143
1144 let (window_b, workspace_b) = cx_b.add_window(|cx| Workspace::new(&workspace_b_params, cx));
1145 cx_b.update(|cx| {
1146 cx.dispatch_action(
1147 window_b,
1148 vec![workspace_b.id()],
1149 &JoinWorktree(remote_worktree_id),
1150 );
1151 });
1152 workspace_b
1153 .condition(&cx_b, |workspace, cx| workspace.worktrees(cx).len() == 1)
1154 .await;
1155
1156 let local_worktree_id_b = workspace_b.read_with(&cx_b, |workspace, cx| {
1157 let active_pane = workspace.active_pane().read(cx);
1158 assert!(active_pane.active_item().is_none());
1159 workspace.worktrees(cx).first().unwrap().id()
1160 });
1161 workspace_b
1162 .update(&mut cx_b, |workspace, cx| {
1163 workspace.open_entry(
1164 ProjectPath {
1165 worktree_id: local_worktree_id_b,
1166 path: Path::new("a.txt").into(),
1167 },
1168 cx,
1169 )
1170 })
1171 .unwrap()
1172 .await;
1173 workspace_b.read_with(&cx_b, |workspace, cx| {
1174 let active_pane = workspace.active_pane().read(cx);
1175 assert!(active_pane.active_item().is_some());
1176 });
1177
1178 worktree_a.update(&mut cx_a, |tree, cx| {
1179 tree.as_local_mut().unwrap().unshare(cx);
1180 });
1181 workspace_b
1182 .condition(&cx_b, |workspace, cx| workspace.worktrees(cx).len() == 0)
1183 .await;
1184 workspace_b.read_with(&cx_b, |workspace, cx| {
1185 let active_pane = workspace.active_pane().read(cx);
1186 assert!(active_pane.active_item().is_none());
1187 });
1188 }
1189
1190 #[gpui::test]
1191 async fn test_propagate_saves_and_fs_changes_in_shared_worktree(
1192 mut cx_a: TestAppContext,
1193 mut cx_b: TestAppContext,
1194 mut cx_c: TestAppContext,
1195 ) {
1196 cx_a.foreground().forbid_parking();
1197 let lang_registry = Arc::new(LanguageRegistry::new());
1198
1199 // Connect to a server as 3 clients.
1200 let mut server = TestServer::start().await;
1201 let (client_a, _) = server.create_client(&mut cx_a, "user_a").await;
1202 let (client_b, _) = server.create_client(&mut cx_b, "user_b").await;
1203 let (client_c, _) = server.create_client(&mut cx_c, "user_c").await;
1204
1205 let fs = Arc::new(FakeFs::new());
1206
1207 // Share a worktree as client A.
1208 fs.insert_tree(
1209 "/a",
1210 json!({
1211 ".zed.toml": r#"collaborators = ["user_b", "user_c"]"#,
1212 "file1": "",
1213 "file2": ""
1214 }),
1215 )
1216 .await;
1217
1218 let worktree_a = Worktree::open_local(
1219 client_a.clone(),
1220 "/a".as_ref(),
1221 fs.clone(),
1222 lang_registry.clone(),
1223 &mut cx_a.to_async(),
1224 )
1225 .await
1226 .unwrap();
1227 worktree_a
1228 .read_with(&cx_a, |tree, _| tree.as_local().unwrap().scan_complete())
1229 .await;
1230 let worktree_id = worktree_a
1231 .update(&mut cx_a, |tree, cx| tree.as_local_mut().unwrap().share(cx))
1232 .await
1233 .unwrap();
1234
1235 // Join that worktree as clients B and C.
1236 let worktree_b = Worktree::open_remote(
1237 client_b.clone(),
1238 worktree_id,
1239 lang_registry.clone(),
1240 &mut cx_b.to_async(),
1241 )
1242 .await
1243 .unwrap();
1244 let worktree_c = Worktree::open_remote(
1245 client_c.clone(),
1246 worktree_id,
1247 lang_registry.clone(),
1248 &mut cx_c.to_async(),
1249 )
1250 .await
1251 .unwrap();
1252
1253 // Open and edit a buffer as both guests B and C.
1254 let buffer_b = worktree_b
1255 .update(&mut cx_b, |tree, cx| tree.open_buffer("file1", cx))
1256 .await
1257 .unwrap();
1258 let buffer_c = worktree_c
1259 .update(&mut cx_c, |tree, cx| tree.open_buffer("file1", cx))
1260 .await
1261 .unwrap();
1262 buffer_b.update(&mut cx_b, |buf, cx| buf.edit([0..0], "i-am-b, ", cx));
1263 buffer_c.update(&mut cx_c, |buf, cx| buf.edit([0..0], "i-am-c, ", cx));
1264
1265 // Open and edit that buffer as the host.
1266 let buffer_a = worktree_a
1267 .update(&mut cx_a, |tree, cx| tree.open_buffer("file1", cx))
1268 .await
1269 .unwrap();
1270
1271 buffer_a
1272 .condition(&mut cx_a, |buf, _| buf.text() == "i-am-c, i-am-b, ")
1273 .await;
1274 buffer_a.update(&mut cx_a, |buf, cx| {
1275 buf.edit([buf.len()..buf.len()], "i-am-a", cx)
1276 });
1277
1278 // Wait for edits to propagate
1279 buffer_a
1280 .condition(&mut cx_a, |buf, _| buf.text() == "i-am-c, i-am-b, i-am-a")
1281 .await;
1282 buffer_b
1283 .condition(&mut cx_b, |buf, _| buf.text() == "i-am-c, i-am-b, i-am-a")
1284 .await;
1285 buffer_c
1286 .condition(&mut cx_c, |buf, _| buf.text() == "i-am-c, i-am-b, i-am-a")
1287 .await;
1288
1289 // Edit the buffer as the host and concurrently save as guest B.
1290 let save_b = buffer_b.update(&mut cx_b, |buf, cx| buf.save(cx).unwrap());
1291 buffer_a.update(&mut cx_a, |buf, cx| buf.edit([0..0], "hi-a, ", cx));
1292 save_b.await.unwrap();
1293 assert_eq!(
1294 fs.load("/a/file1".as_ref()).await.unwrap(),
1295 "hi-a, i-am-c, i-am-b, i-am-a"
1296 );
1297 buffer_a.read_with(&cx_a, |buf, _| assert!(!buf.is_dirty()));
1298 buffer_b.read_with(&cx_b, |buf, _| assert!(!buf.is_dirty()));
1299 buffer_c.condition(&cx_c, |buf, _| !buf.is_dirty()).await;
1300
1301 // Make changes on host's file system, see those changes on the guests.
1302 fs.rename("/a/file2".as_ref(), "/a/file3".as_ref())
1303 .await
1304 .unwrap();
1305 fs.insert_file(Path::new("/a/file4"), "4".into())
1306 .await
1307 .unwrap();
1308
1309 worktree_b
1310 .condition(&cx_b, |tree, _| tree.file_count() == 4)
1311 .await;
1312 worktree_c
1313 .condition(&cx_c, |tree, _| tree.file_count() == 4)
1314 .await;
1315 worktree_b.read_with(&cx_b, |tree, _| {
1316 assert_eq!(
1317 tree.paths()
1318 .map(|p| p.to_string_lossy())
1319 .collect::<Vec<_>>(),
1320 &[".zed.toml", "file1", "file3", "file4"]
1321 )
1322 });
1323 worktree_c.read_with(&cx_c, |tree, _| {
1324 assert_eq!(
1325 tree.paths()
1326 .map(|p| p.to_string_lossy())
1327 .collect::<Vec<_>>(),
1328 &[".zed.toml", "file1", "file3", "file4"]
1329 )
1330 });
1331 }
1332
1333 #[gpui::test]
1334 async fn test_buffer_conflict_after_save(mut cx_a: TestAppContext, mut cx_b: TestAppContext) {
1335 cx_a.foreground().forbid_parking();
1336 let lang_registry = Arc::new(LanguageRegistry::new());
1337
1338 // Connect to a server as 2 clients.
1339 let mut server = TestServer::start().await;
1340 let (client_a, _) = server.create_client(&mut cx_a, "user_a").await;
1341 let (client_b, _) = server.create_client(&mut cx_b, "user_b").await;
1342
1343 // Share a local worktree as client A
1344 let fs = Arc::new(FakeFs::new());
1345 fs.insert_tree(
1346 "/dir",
1347 json!({
1348 ".zed.toml": r#"collaborators = ["user_b", "user_c"]"#,
1349 "a.txt": "a-contents",
1350 }),
1351 )
1352 .await;
1353
1354 let worktree_a = Worktree::open_local(
1355 client_a.clone(),
1356 "/dir".as_ref(),
1357 fs,
1358 lang_registry.clone(),
1359 &mut cx_a.to_async(),
1360 )
1361 .await
1362 .unwrap();
1363 worktree_a
1364 .read_with(&cx_a, |tree, _| tree.as_local().unwrap().scan_complete())
1365 .await;
1366 let worktree_id = worktree_a
1367 .update(&mut cx_a, |tree, cx| tree.as_local_mut().unwrap().share(cx))
1368 .await
1369 .unwrap();
1370
1371 // Join that worktree as client B, and see that a guest has joined as client A.
1372 let worktree_b = Worktree::open_remote(
1373 client_b.clone(),
1374 worktree_id,
1375 lang_registry.clone(),
1376 &mut cx_b.to_async(),
1377 )
1378 .await
1379 .unwrap();
1380
1381 let buffer_b = worktree_b
1382 .update(&mut cx_b, |worktree, cx| worktree.open_buffer("a.txt", cx))
1383 .await
1384 .unwrap();
1385 let mtime = buffer_b.read_with(&cx_b, |buf, _| buf.file().unwrap().mtime());
1386
1387 buffer_b.update(&mut cx_b, |buf, cx| buf.edit([0..0], "world ", cx));
1388 buffer_b.read_with(&cx_b, |buf, _| {
1389 assert!(buf.is_dirty());
1390 assert!(!buf.has_conflict());
1391 });
1392
1393 buffer_b
1394 .update(&mut cx_b, |buf, cx| buf.save(cx))
1395 .unwrap()
1396 .await
1397 .unwrap();
1398 worktree_b
1399 .condition(&cx_b, |_, cx| {
1400 buffer_b.read(cx).file().unwrap().mtime() != mtime
1401 })
1402 .await;
1403 buffer_b.read_with(&cx_b, |buf, _| {
1404 assert!(!buf.is_dirty());
1405 assert!(!buf.has_conflict());
1406 });
1407
1408 buffer_b.update(&mut cx_b, |buf, cx| buf.edit([0..0], "hello ", cx));
1409 buffer_b.read_with(&cx_b, |buf, _| {
1410 assert!(buf.is_dirty());
1411 assert!(!buf.has_conflict());
1412 });
1413 }
1414
1415 #[gpui::test]
1416 async fn test_editing_while_guest_opens_buffer(
1417 mut cx_a: TestAppContext,
1418 mut cx_b: TestAppContext,
1419 ) {
1420 cx_a.foreground().forbid_parking();
1421 let lang_registry = Arc::new(LanguageRegistry::new());
1422
1423 // Connect to a server as 2 clients.
1424 let mut server = TestServer::start().await;
1425 let (client_a, _) = server.create_client(&mut cx_a, "user_a").await;
1426 let (client_b, _) = server.create_client(&mut cx_b, "user_b").await;
1427
1428 // Share a local worktree as client A
1429 let fs = Arc::new(FakeFs::new());
1430 fs.insert_tree(
1431 "/dir",
1432 json!({
1433 ".zed.toml": r#"collaborators = ["user_b"]"#,
1434 "a.txt": "a-contents",
1435 }),
1436 )
1437 .await;
1438 let worktree_a = Worktree::open_local(
1439 client_a.clone(),
1440 "/dir".as_ref(),
1441 fs,
1442 lang_registry.clone(),
1443 &mut cx_a.to_async(),
1444 )
1445 .await
1446 .unwrap();
1447 worktree_a
1448 .read_with(&cx_a, |tree, _| tree.as_local().unwrap().scan_complete())
1449 .await;
1450 let worktree_id = worktree_a
1451 .update(&mut cx_a, |tree, cx| tree.as_local_mut().unwrap().share(cx))
1452 .await
1453 .unwrap();
1454
1455 // Join that worktree as client B, and see that a guest has joined as client A.
1456 let worktree_b = Worktree::open_remote(
1457 client_b.clone(),
1458 worktree_id,
1459 lang_registry.clone(),
1460 &mut cx_b.to_async(),
1461 )
1462 .await
1463 .unwrap();
1464
1465 let buffer_a = worktree_a
1466 .update(&mut cx_a, |tree, cx| tree.open_buffer("a.txt", cx))
1467 .await
1468 .unwrap();
1469 let buffer_b = cx_b
1470 .background()
1471 .spawn(worktree_b.update(&mut cx_b, |worktree, cx| worktree.open_buffer("a.txt", cx)));
1472
1473 task::yield_now().await;
1474 buffer_a.update(&mut cx_a, |buf, cx| buf.edit([0..0], "z", cx));
1475
1476 let text = buffer_a.read_with(&cx_a, |buf, _| buf.text());
1477 let buffer_b = buffer_b.await.unwrap();
1478 buffer_b.condition(&cx_b, |buf, _| buf.text() == text).await;
1479 }
1480
1481 #[gpui::test]
1482 async fn test_leaving_worktree_while_opening_buffer(
1483 mut cx_a: TestAppContext,
1484 mut cx_b: TestAppContext,
1485 ) {
1486 cx_a.foreground().forbid_parking();
1487 let lang_registry = Arc::new(LanguageRegistry::new());
1488
1489 // Connect to a server as 2 clients.
1490 let mut server = TestServer::start().await;
1491 let (client_a, _) = server.create_client(&mut cx_a, "user_a").await;
1492 let (client_b, _) = server.create_client(&mut cx_b, "user_b").await;
1493
1494 // Share a local worktree as client A
1495 let fs = Arc::new(FakeFs::new());
1496 fs.insert_tree(
1497 "/dir",
1498 json!({
1499 ".zed.toml": r#"collaborators = ["user_b"]"#,
1500 "a.txt": "a-contents",
1501 }),
1502 )
1503 .await;
1504 let worktree_a = Worktree::open_local(
1505 client_a.clone(),
1506 "/dir".as_ref(),
1507 fs,
1508 lang_registry.clone(),
1509 &mut cx_a.to_async(),
1510 )
1511 .await
1512 .unwrap();
1513 worktree_a
1514 .read_with(&cx_a, |tree, _| tree.as_local().unwrap().scan_complete())
1515 .await;
1516 let worktree_id = worktree_a
1517 .update(&mut cx_a, |tree, cx| tree.as_local_mut().unwrap().share(cx))
1518 .await
1519 .unwrap();
1520
1521 // Join that worktree as client B, and see that a guest has joined as client A.
1522 let worktree_b = Worktree::open_remote(
1523 client_b.clone(),
1524 worktree_id,
1525 lang_registry.clone(),
1526 &mut cx_b.to_async(),
1527 )
1528 .await
1529 .unwrap();
1530 worktree_a
1531 .condition(&cx_a, |tree, _| tree.peers().len() == 1)
1532 .await;
1533
1534 let buffer_b = cx_b
1535 .background()
1536 .spawn(worktree_b.update(&mut cx_b, |worktree, cx| worktree.open_buffer("a.txt", cx)));
1537 cx_b.update(|_| drop(worktree_b));
1538 drop(buffer_b);
1539 worktree_a
1540 .condition(&cx_a, |tree, _| tree.peers().len() == 0)
1541 .await;
1542 }
1543
1544 #[gpui::test]
1545 async fn test_peer_disconnection(mut cx_a: TestAppContext, cx_b: TestAppContext) {
1546 cx_a.foreground().forbid_parking();
1547 let lang_registry = Arc::new(LanguageRegistry::new());
1548
1549 // Connect to a server as 2 clients.
1550 let mut server = TestServer::start().await;
1551 let (client_a, _) = server.create_client(&mut cx_a, "user_a").await;
1552 let (client_b, _) = server.create_client(&mut cx_a, "user_b").await;
1553
1554 // Share a local worktree as client A
1555 let fs = Arc::new(FakeFs::new());
1556 fs.insert_tree(
1557 "/a",
1558 json!({
1559 ".zed.toml": r#"collaborators = ["user_b"]"#,
1560 "a.txt": "a-contents",
1561 "b.txt": "b-contents",
1562 }),
1563 )
1564 .await;
1565 let worktree_a = Worktree::open_local(
1566 client_a.clone(),
1567 "/a".as_ref(),
1568 fs,
1569 lang_registry.clone(),
1570 &mut cx_a.to_async(),
1571 )
1572 .await
1573 .unwrap();
1574 worktree_a
1575 .read_with(&cx_a, |tree, _| tree.as_local().unwrap().scan_complete())
1576 .await;
1577 let worktree_id = worktree_a
1578 .update(&mut cx_a, |tree, cx| tree.as_local_mut().unwrap().share(cx))
1579 .await
1580 .unwrap();
1581
1582 // Join that worktree as client B, and see that a guest has joined as client A.
1583 let _worktree_b = Worktree::open_remote(
1584 client_b.clone(),
1585 worktree_id,
1586 lang_registry.clone(),
1587 &mut cx_b.to_async(),
1588 )
1589 .await
1590 .unwrap();
1591 worktree_a
1592 .condition(&cx_a, |tree, _| tree.peers().len() == 1)
1593 .await;
1594
1595 // Drop client B's connection and ensure client A observes client B leaving the worktree.
1596 client_b.disconnect(&cx_b.to_async()).await.unwrap();
1597 worktree_a
1598 .condition(&cx_a, |tree, _| tree.peers().len() == 0)
1599 .await;
1600 }
1601
1602 #[gpui::test]
1603 async fn test_collaborating_with_diagnostics(
1604 mut cx_a: TestAppContext,
1605 mut cx_b: TestAppContext,
1606 ) {
1607 cx_a.foreground().forbid_parking();
1608 let (language_server_config, mut fake_language_server) =
1609 LanguageServerConfig::fake(cx_a.background()).await;
1610 let mut lang_registry = LanguageRegistry::new();
1611 lang_registry.add(Arc::new(Language::new(
1612 LanguageConfig {
1613 name: "Rust".to_string(),
1614 path_suffixes: vec!["rs".to_string()],
1615 language_server: Some(language_server_config),
1616 ..Default::default()
1617 },
1618 tree_sitter_rust::language(),
1619 )));
1620
1621 let lang_registry = Arc::new(lang_registry);
1622
1623 // Connect to a server as 2 clients.
1624 let mut server = TestServer::start().await;
1625 let (client_a, _) = server.create_client(&mut cx_a, "user_a").await;
1626 let (client_b, _) = server.create_client(&mut cx_a, "user_b").await;
1627
1628 // Share a local worktree as client A
1629 let fs = Arc::new(FakeFs::new());
1630 fs.insert_tree(
1631 "/a",
1632 json!({
1633 ".zed.toml": r#"collaborators = ["user_b"]"#,
1634 "a.rs": "let one = two",
1635 "other.rs": "",
1636 }),
1637 )
1638 .await;
1639 let worktree_a = Worktree::open_local(
1640 client_a.clone(),
1641 "/a".as_ref(),
1642 fs,
1643 lang_registry.clone(),
1644 &mut cx_a.to_async(),
1645 )
1646 .await
1647 .unwrap();
1648 worktree_a
1649 .read_with(&cx_a, |tree, _| tree.as_local().unwrap().scan_complete())
1650 .await;
1651 let worktree_id = worktree_a
1652 .update(&mut cx_a, |tree, cx| tree.as_local_mut().unwrap().share(cx))
1653 .await
1654 .unwrap();
1655
1656 // Cause language server to start.
1657 let _ = cx_a
1658 .background()
1659 .spawn(worktree_a.update(&mut cx_a, |worktree, cx| {
1660 worktree.open_buffer("other.rs", cx)
1661 }))
1662 .await
1663 .unwrap();
1664
1665 // Simulate a language server reporting errors for a file.
1666 fake_language_server
1667 .notify::<lsp::notification::PublishDiagnostics>(lsp::PublishDiagnosticsParams {
1668 uri: lsp::Url::from_file_path("/a/a.rs").unwrap(),
1669 version: None,
1670 diagnostics: vec![
1671 lsp::Diagnostic {
1672 severity: Some(lsp::DiagnosticSeverity::ERROR),
1673 range: lsp::Range::new(lsp::Position::new(0, 4), lsp::Position::new(0, 7)),
1674 message: "message 1".to_string(),
1675 ..Default::default()
1676 },
1677 lsp::Diagnostic {
1678 severity: Some(lsp::DiagnosticSeverity::WARNING),
1679 range: lsp::Range::new(
1680 lsp::Position::new(0, 10),
1681 lsp::Position::new(0, 13),
1682 ),
1683 message: "message 2".to_string(),
1684 ..Default::default()
1685 },
1686 ],
1687 })
1688 .await;
1689
1690 // Join the worktree as client B.
1691 let worktree_b = Worktree::open_remote(
1692 client_b.clone(),
1693 worktree_id,
1694 lang_registry.clone(),
1695 &mut cx_b.to_async(),
1696 )
1697 .await
1698 .unwrap();
1699
1700 // Open the file with the errors.
1701 let buffer_b = cx_b
1702 .background()
1703 .spawn(worktree_b.update(&mut cx_b, |worktree, cx| worktree.open_buffer("a.rs", cx)))
1704 .await
1705 .unwrap();
1706
1707 buffer_b.read_with(&cx_b, |buffer, _| {
1708 assert_eq!(
1709 buffer
1710 .diagnostics_in_range(0..buffer.len())
1711 .collect::<Vec<_>>(),
1712 &[
1713 (
1714 Point::new(0, 4)..Point::new(0, 7),
1715 &Diagnostic {
1716 group_id: 0,
1717 message: "message 1".to_string(),
1718 severity: lsp::DiagnosticSeverity::ERROR,
1719 }
1720 ),
1721 (
1722 Point::new(0, 10)..Point::new(0, 13),
1723 &Diagnostic {
1724 group_id: 1,
1725 severity: lsp::DiagnosticSeverity::WARNING,
1726 message: "message 2".to_string()
1727 }
1728 )
1729 ]
1730 );
1731 });
1732 }
1733
1734 #[gpui::test]
1735 async fn test_basic_chat(mut cx_a: TestAppContext, mut cx_b: TestAppContext) {
1736 cx_a.foreground().forbid_parking();
1737
1738 // Connect to a server as 2 clients.
1739 let mut server = TestServer::start().await;
1740 let (client_a, user_store_a) = server.create_client(&mut cx_a, "user_a").await;
1741 let (client_b, user_store_b) = server.create_client(&mut cx_b, "user_b").await;
1742
1743 // Create an org that includes these 2 users.
1744 let db = &server.app_state.db;
1745 let org_id = db.create_org("Test Org", "test-org").await.unwrap();
1746 db.add_org_member(org_id, current_user_id(&user_store_a, &cx_a), false)
1747 .await
1748 .unwrap();
1749 db.add_org_member(org_id, current_user_id(&user_store_b, &cx_b), false)
1750 .await
1751 .unwrap();
1752
1753 // Create a channel that includes all the users.
1754 let channel_id = db.create_org_channel(org_id, "test-channel").await.unwrap();
1755 db.add_channel_member(channel_id, current_user_id(&user_store_a, &cx_a), false)
1756 .await
1757 .unwrap();
1758 db.add_channel_member(channel_id, current_user_id(&user_store_b, &cx_b), false)
1759 .await
1760 .unwrap();
1761 db.create_channel_message(
1762 channel_id,
1763 current_user_id(&user_store_b, &cx_b),
1764 "hello A, it's B.",
1765 OffsetDateTime::now_utc(),
1766 1,
1767 )
1768 .await
1769 .unwrap();
1770
1771 let channels_a = cx_a.add_model(|cx| ChannelList::new(user_store_a, client_a, cx));
1772 channels_a
1773 .condition(&mut cx_a, |list, _| list.available_channels().is_some())
1774 .await;
1775 channels_a.read_with(&cx_a, |list, _| {
1776 assert_eq!(
1777 list.available_channels().unwrap(),
1778 &[ChannelDetails {
1779 id: channel_id.to_proto(),
1780 name: "test-channel".to_string()
1781 }]
1782 )
1783 });
1784 let channel_a = channels_a.update(&mut cx_a, |this, cx| {
1785 this.get_channel(channel_id.to_proto(), cx).unwrap()
1786 });
1787 channel_a.read_with(&cx_a, |channel, _| assert!(channel.messages().is_empty()));
1788 channel_a
1789 .condition(&cx_a, |channel, _| {
1790 channel_messages(channel)
1791 == [("user_b".to_string(), "hello A, it's B.".to_string(), false)]
1792 })
1793 .await;
1794
1795 let channels_b = cx_b.add_model(|cx| ChannelList::new(user_store_b, client_b, cx));
1796 channels_b
1797 .condition(&mut cx_b, |list, _| list.available_channels().is_some())
1798 .await;
1799 channels_b.read_with(&cx_b, |list, _| {
1800 assert_eq!(
1801 list.available_channels().unwrap(),
1802 &[ChannelDetails {
1803 id: channel_id.to_proto(),
1804 name: "test-channel".to_string()
1805 }]
1806 )
1807 });
1808
1809 let channel_b = channels_b.update(&mut cx_b, |this, cx| {
1810 this.get_channel(channel_id.to_proto(), cx).unwrap()
1811 });
1812 channel_b.read_with(&cx_b, |channel, _| assert!(channel.messages().is_empty()));
1813 channel_b
1814 .condition(&cx_b, |channel, _| {
1815 channel_messages(channel)
1816 == [("user_b".to_string(), "hello A, it's B.".to_string(), false)]
1817 })
1818 .await;
1819
1820 channel_a
1821 .update(&mut cx_a, |channel, cx| {
1822 channel
1823 .send_message("oh, hi B.".to_string(), cx)
1824 .unwrap()
1825 .detach();
1826 let task = channel.send_message("sup".to_string(), cx).unwrap();
1827 assert_eq!(
1828 channel_messages(channel),
1829 &[
1830 ("user_b".to_string(), "hello A, it's B.".to_string(), false),
1831 ("user_a".to_string(), "oh, hi B.".to_string(), true),
1832 ("user_a".to_string(), "sup".to_string(), true)
1833 ]
1834 );
1835 task
1836 })
1837 .await
1838 .unwrap();
1839
1840 channel_b
1841 .condition(&cx_b, |channel, _| {
1842 channel_messages(channel)
1843 == [
1844 ("user_b".to_string(), "hello A, it's B.".to_string(), false),
1845 ("user_a".to_string(), "oh, hi B.".to_string(), false),
1846 ("user_a".to_string(), "sup".to_string(), false),
1847 ]
1848 })
1849 .await;
1850
1851 assert_eq!(
1852 server
1853 .state()
1854 .await
1855 .channel(channel_id)
1856 .unwrap()
1857 .connection_ids
1858 .len(),
1859 2
1860 );
1861 cx_b.update(|_| drop(channel_b));
1862 server
1863 .condition(|state| state.channel(channel_id).unwrap().connection_ids.len() == 1)
1864 .await;
1865
1866 cx_a.update(|_| drop(channel_a));
1867 server
1868 .condition(|state| state.channel(channel_id).is_none())
1869 .await;
1870 }
1871
1872 #[gpui::test]
1873 async fn test_chat_message_validation(mut cx_a: TestAppContext) {
1874 cx_a.foreground().forbid_parking();
1875
1876 let mut server = TestServer::start().await;
1877 let (client_a, user_store_a) = server.create_client(&mut cx_a, "user_a").await;
1878
1879 let db = &server.app_state.db;
1880 let org_id = db.create_org("Test Org", "test-org").await.unwrap();
1881 let channel_id = db.create_org_channel(org_id, "test-channel").await.unwrap();
1882 db.add_org_member(org_id, current_user_id(&user_store_a, &cx_a), false)
1883 .await
1884 .unwrap();
1885 db.add_channel_member(channel_id, current_user_id(&user_store_a, &cx_a), false)
1886 .await
1887 .unwrap();
1888
1889 let channels_a = cx_a.add_model(|cx| ChannelList::new(user_store_a, client_a, cx));
1890 channels_a
1891 .condition(&mut cx_a, |list, _| list.available_channels().is_some())
1892 .await;
1893 let channel_a = channels_a.update(&mut cx_a, |this, cx| {
1894 this.get_channel(channel_id.to_proto(), cx).unwrap()
1895 });
1896
1897 // Messages aren't allowed to be too long.
1898 channel_a
1899 .update(&mut cx_a, |channel, cx| {
1900 let long_body = "this is long.\n".repeat(1024);
1901 channel.send_message(long_body, cx).unwrap()
1902 })
1903 .await
1904 .unwrap_err();
1905
1906 // Messages aren't allowed to be blank.
1907 channel_a.update(&mut cx_a, |channel, cx| {
1908 channel.send_message(String::new(), cx).unwrap_err()
1909 });
1910
1911 // Leading and trailing whitespace are trimmed.
1912 channel_a
1913 .update(&mut cx_a, |channel, cx| {
1914 channel
1915 .send_message("\n surrounded by whitespace \n".to_string(), cx)
1916 .unwrap()
1917 })
1918 .await
1919 .unwrap();
1920 assert_eq!(
1921 db.get_channel_messages(channel_id, 10, None)
1922 .await
1923 .unwrap()
1924 .iter()
1925 .map(|m| &m.body)
1926 .collect::<Vec<_>>(),
1927 &["surrounded by whitespace"]
1928 );
1929 }
1930
1931 #[gpui::test]
1932 async fn test_chat_reconnection(mut cx_a: TestAppContext, mut cx_b: TestAppContext) {
1933 cx_a.foreground().forbid_parking();
1934
1935 // Connect to a server as 2 clients.
1936 let mut server = TestServer::start().await;
1937 let (client_a, user_store_a) = server.create_client(&mut cx_a, "user_a").await;
1938 let (client_b, user_store_b) = server.create_client(&mut cx_b, "user_b").await;
1939 let mut status_b = client_b.status();
1940
1941 // Create an org that includes these 2 users.
1942 let db = &server.app_state.db;
1943 let org_id = db.create_org("Test Org", "test-org").await.unwrap();
1944 db.add_org_member(org_id, current_user_id(&user_store_a, &cx_a), false)
1945 .await
1946 .unwrap();
1947 db.add_org_member(org_id, current_user_id(&user_store_b, &cx_b), false)
1948 .await
1949 .unwrap();
1950
1951 // Create a channel that includes all the users.
1952 let channel_id = db.create_org_channel(org_id, "test-channel").await.unwrap();
1953 db.add_channel_member(channel_id, current_user_id(&user_store_a, &cx_a), false)
1954 .await
1955 .unwrap();
1956 db.add_channel_member(channel_id, current_user_id(&user_store_b, &cx_b), false)
1957 .await
1958 .unwrap();
1959 db.create_channel_message(
1960 channel_id,
1961 current_user_id(&user_store_b, &cx_b),
1962 "hello A, it's B.",
1963 OffsetDateTime::now_utc(),
1964 2,
1965 )
1966 .await
1967 .unwrap();
1968
1969 let channels_a = cx_a.add_model(|cx| ChannelList::new(user_store_a, client_a, cx));
1970 channels_a
1971 .condition(&mut cx_a, |list, _| list.available_channels().is_some())
1972 .await;
1973
1974 channels_a.read_with(&cx_a, |list, _| {
1975 assert_eq!(
1976 list.available_channels().unwrap(),
1977 &[ChannelDetails {
1978 id: channel_id.to_proto(),
1979 name: "test-channel".to_string()
1980 }]
1981 )
1982 });
1983 let channel_a = channels_a.update(&mut cx_a, |this, cx| {
1984 this.get_channel(channel_id.to_proto(), cx).unwrap()
1985 });
1986 channel_a.read_with(&cx_a, |channel, _| assert!(channel.messages().is_empty()));
1987 channel_a
1988 .condition(&cx_a, |channel, _| {
1989 channel_messages(channel)
1990 == [("user_b".to_string(), "hello A, it's B.".to_string(), false)]
1991 })
1992 .await;
1993
1994 let channels_b = cx_b.add_model(|cx| ChannelList::new(user_store_b.clone(), client_b, cx));
1995 channels_b
1996 .condition(&mut cx_b, |list, _| list.available_channels().is_some())
1997 .await;
1998 channels_b.read_with(&cx_b, |list, _| {
1999 assert_eq!(
2000 list.available_channels().unwrap(),
2001 &[ChannelDetails {
2002 id: channel_id.to_proto(),
2003 name: "test-channel".to_string()
2004 }]
2005 )
2006 });
2007
2008 let channel_b = channels_b.update(&mut cx_b, |this, cx| {
2009 this.get_channel(channel_id.to_proto(), cx).unwrap()
2010 });
2011 channel_b.read_with(&cx_b, |channel, _| assert!(channel.messages().is_empty()));
2012 channel_b
2013 .condition(&cx_b, |channel, _| {
2014 channel_messages(channel)
2015 == [("user_b".to_string(), "hello A, it's B.".to_string(), false)]
2016 })
2017 .await;
2018
2019 // Disconnect client B, ensuring we can still access its cached channel data.
2020 server.forbid_connections();
2021 server.disconnect_client(current_user_id(&user_store_b, &cx_b));
2022 while !matches!(
2023 status_b.recv().await,
2024 Some(client::Status::ReconnectionError { .. })
2025 ) {}
2026
2027 channels_b.read_with(&cx_b, |channels, _| {
2028 assert_eq!(
2029 channels.available_channels().unwrap(),
2030 [ChannelDetails {
2031 id: channel_id.to_proto(),
2032 name: "test-channel".to_string()
2033 }]
2034 )
2035 });
2036 channel_b.read_with(&cx_b, |channel, _| {
2037 assert_eq!(
2038 channel_messages(channel),
2039 [("user_b".to_string(), "hello A, it's B.".to_string(), false)]
2040 )
2041 });
2042
2043 // Send a message from client B while it is disconnected.
2044 channel_b
2045 .update(&mut cx_b, |channel, cx| {
2046 let task = channel
2047 .send_message("can you see this?".to_string(), cx)
2048 .unwrap();
2049 assert_eq!(
2050 channel_messages(channel),
2051 &[
2052 ("user_b".to_string(), "hello A, it's B.".to_string(), false),
2053 ("user_b".to_string(), "can you see this?".to_string(), true)
2054 ]
2055 );
2056 task
2057 })
2058 .await
2059 .unwrap_err();
2060
2061 // Send a message from client A while B is disconnected.
2062 channel_a
2063 .update(&mut cx_a, |channel, cx| {
2064 channel
2065 .send_message("oh, hi B.".to_string(), cx)
2066 .unwrap()
2067 .detach();
2068 let task = channel.send_message("sup".to_string(), cx).unwrap();
2069 assert_eq!(
2070 channel_messages(channel),
2071 &[
2072 ("user_b".to_string(), "hello A, it's B.".to_string(), false),
2073 ("user_a".to_string(), "oh, hi B.".to_string(), true),
2074 ("user_a".to_string(), "sup".to_string(), true)
2075 ]
2076 );
2077 task
2078 })
2079 .await
2080 .unwrap();
2081
2082 // Give client B a chance to reconnect.
2083 server.allow_connections();
2084 cx_b.foreground().advance_clock(Duration::from_secs(10));
2085
2086 // Verify that B sees the new messages upon reconnection, as well as the message client B
2087 // sent while offline.
2088 channel_b
2089 .condition(&cx_b, |channel, _| {
2090 channel_messages(channel)
2091 == [
2092 ("user_b".to_string(), "hello A, it's B.".to_string(), false),
2093 ("user_a".to_string(), "oh, hi B.".to_string(), false),
2094 ("user_a".to_string(), "sup".to_string(), false),
2095 ("user_b".to_string(), "can you see this?".to_string(), false),
2096 ]
2097 })
2098 .await;
2099
2100 // Ensure client A and B can communicate normally after reconnection.
2101 channel_a
2102 .update(&mut cx_a, |channel, cx| {
2103 channel.send_message("you online?".to_string(), cx).unwrap()
2104 })
2105 .await
2106 .unwrap();
2107 channel_b
2108 .condition(&cx_b, |channel, _| {
2109 channel_messages(channel)
2110 == [
2111 ("user_b".to_string(), "hello A, it's B.".to_string(), false),
2112 ("user_a".to_string(), "oh, hi B.".to_string(), false),
2113 ("user_a".to_string(), "sup".to_string(), false),
2114 ("user_b".to_string(), "can you see this?".to_string(), false),
2115 ("user_a".to_string(), "you online?".to_string(), false),
2116 ]
2117 })
2118 .await;
2119
2120 channel_b
2121 .update(&mut cx_b, |channel, cx| {
2122 channel.send_message("yep".to_string(), cx).unwrap()
2123 })
2124 .await
2125 .unwrap();
2126 channel_a
2127 .condition(&cx_a, |channel, _| {
2128 channel_messages(channel)
2129 == [
2130 ("user_b".to_string(), "hello A, it's B.".to_string(), false),
2131 ("user_a".to_string(), "oh, hi B.".to_string(), false),
2132 ("user_a".to_string(), "sup".to_string(), false),
2133 ("user_b".to_string(), "can you see this?".to_string(), false),
2134 ("user_a".to_string(), "you online?".to_string(), false),
2135 ("user_b".to_string(), "yep".to_string(), false),
2136 ]
2137 })
2138 .await;
2139 }
2140
2141 #[gpui::test]
2142 async fn test_collaborators(
2143 mut cx_a: TestAppContext,
2144 mut cx_b: TestAppContext,
2145 mut cx_c: TestAppContext,
2146 ) {
2147 cx_a.foreground().forbid_parking();
2148 let lang_registry = Arc::new(LanguageRegistry::new());
2149
2150 // Connect to a server as 3 clients.
2151 let mut server = TestServer::start().await;
2152 let (client_a, user_store_a) = server.create_client(&mut cx_a, "user_a").await;
2153 let (client_b, user_store_b) = server.create_client(&mut cx_b, "user_b").await;
2154 let (_client_c, user_store_c) = server.create_client(&mut cx_c, "user_c").await;
2155
2156 let fs = Arc::new(FakeFs::new());
2157
2158 // Share a worktree as client A.
2159 fs.insert_tree(
2160 "/a",
2161 json!({
2162 ".zed.toml": r#"collaborators = ["user_b", "user_c"]"#,
2163 }),
2164 )
2165 .await;
2166
2167 let worktree_a = Worktree::open_local(
2168 client_a.clone(),
2169 "/a".as_ref(),
2170 fs.clone(),
2171 lang_registry.clone(),
2172 &mut cx_a.to_async(),
2173 )
2174 .await
2175 .unwrap();
2176
2177 user_store_a
2178 .condition(&cx_a, |user_store, _| {
2179 collaborators(user_store) == vec![("user_a", vec![("a", vec![])])]
2180 })
2181 .await;
2182 user_store_b
2183 .condition(&cx_b, |user_store, _| {
2184 collaborators(user_store) == vec![("user_a", vec![("a", vec![])])]
2185 })
2186 .await;
2187 user_store_c
2188 .condition(&cx_c, |user_store, _| {
2189 collaborators(user_store) == vec![("user_a", vec![("a", vec![])])]
2190 })
2191 .await;
2192
2193 let worktree_id = worktree_a
2194 .update(&mut cx_a, |tree, cx| tree.as_local_mut().unwrap().share(cx))
2195 .await
2196 .unwrap();
2197
2198 let _worktree_b = Worktree::open_remote(
2199 client_b.clone(),
2200 worktree_id,
2201 lang_registry.clone(),
2202 &mut cx_b.to_async(),
2203 )
2204 .await
2205 .unwrap();
2206
2207 user_store_a
2208 .condition(&cx_a, |user_store, _| {
2209 collaborators(user_store) == vec![("user_a", vec![("a", vec!["user_b"])])]
2210 })
2211 .await;
2212 user_store_b
2213 .condition(&cx_b, |user_store, _| {
2214 collaborators(user_store) == vec![("user_a", vec![("a", vec!["user_b"])])]
2215 })
2216 .await;
2217 user_store_c
2218 .condition(&cx_c, |user_store, _| {
2219 collaborators(user_store) == vec![("user_a", vec![("a", vec!["user_b"])])]
2220 })
2221 .await;
2222
2223 cx_a.update(move |_| drop(worktree_a));
2224 user_store_a
2225 .condition(&cx_a, |user_store, _| collaborators(user_store) == vec![])
2226 .await;
2227 user_store_b
2228 .condition(&cx_b, |user_store, _| collaborators(user_store) == vec![])
2229 .await;
2230 user_store_c
2231 .condition(&cx_c, |user_store, _| collaborators(user_store) == vec![])
2232 .await;
2233
2234 fn collaborators(user_store: &UserStore) -> Vec<(&str, Vec<(&str, Vec<&str>)>)> {
2235 user_store
2236 .collaborators()
2237 .iter()
2238 .map(|collaborator| {
2239 let worktrees = collaborator
2240 .worktrees
2241 .iter()
2242 .map(|w| {
2243 (
2244 w.root_name.as_str(),
2245 w.guests.iter().map(|p| p.github_login.as_str()).collect(),
2246 )
2247 })
2248 .collect();
2249 (collaborator.user.github_login.as_str(), worktrees)
2250 })
2251 .collect()
2252 }
2253 }
2254
2255 struct TestServer {
2256 peer: Arc<Peer>,
2257 app_state: Arc<AppState>,
2258 server: Arc<Server>,
2259 notifications: mpsc::Receiver<()>,
2260 connection_killers: Arc<Mutex<HashMap<UserId, watch::Sender<Option<()>>>>>,
2261 forbid_connections: Arc<AtomicBool>,
2262 _test_db: TestDb,
2263 }
2264
2265 impl TestServer {
2266 async fn start() -> Self {
2267 let test_db = TestDb::new();
2268 let app_state = Self::build_app_state(&test_db).await;
2269 let peer = Peer::new();
2270 let notifications = mpsc::channel(128);
2271 let server = Server::new(app_state.clone(), peer.clone(), Some(notifications.0));
2272 Self {
2273 peer,
2274 app_state,
2275 server,
2276 notifications: notifications.1,
2277 connection_killers: Default::default(),
2278 forbid_connections: Default::default(),
2279 _test_db: test_db,
2280 }
2281 }
2282
2283 async fn create_client(
2284 &mut self,
2285 cx: &mut TestAppContext,
2286 name: &str,
2287 ) -> (Arc<Client>, ModelHandle<UserStore>) {
2288 let user_id = self.app_state.db.create_user(name, false).await.unwrap();
2289 let client_name = name.to_string();
2290 let mut client = Client::new();
2291 let server = self.server.clone();
2292 let connection_killers = self.connection_killers.clone();
2293 let forbid_connections = self.forbid_connections.clone();
2294 Arc::get_mut(&mut client)
2295 .unwrap()
2296 .override_authenticate(move |cx| {
2297 cx.spawn(|_| async move {
2298 let access_token = "the-token".to_string();
2299 Ok(Credentials {
2300 user_id: user_id.0 as u64,
2301 access_token,
2302 })
2303 })
2304 })
2305 .override_establish_connection(move |credentials, cx| {
2306 assert_eq!(credentials.user_id, user_id.0 as u64);
2307 assert_eq!(credentials.access_token, "the-token");
2308
2309 let server = server.clone();
2310 let connection_killers = connection_killers.clone();
2311 let forbid_connections = forbid_connections.clone();
2312 let client_name = client_name.clone();
2313 cx.spawn(move |cx| async move {
2314 if forbid_connections.load(SeqCst) {
2315 Err(EstablishConnectionError::other(anyhow!(
2316 "server is forbidding connections"
2317 )))
2318 } else {
2319 let (client_conn, server_conn, kill_conn) = Connection::in_memory();
2320 connection_killers.lock().insert(user_id, kill_conn);
2321 cx.background()
2322 .spawn(server.handle_connection(server_conn, client_name, user_id))
2323 .detach();
2324 Ok(client_conn)
2325 }
2326 })
2327 });
2328
2329 let http = FakeHttpClient::new(|_| async move { Ok(surf::http::Response::new(404)) });
2330 client
2331 .authenticate_and_connect(&cx.to_async())
2332 .await
2333 .unwrap();
2334
2335 let user_store = cx.add_model(|cx| UserStore::new(client.clone(), http, cx));
2336 let mut authed_user =
2337 user_store.read_with(cx, |user_store, _| user_store.watch_current_user());
2338 while authed_user.recv().await.unwrap().is_none() {}
2339
2340 (client, user_store)
2341 }
2342
2343 fn disconnect_client(&self, user_id: UserId) {
2344 if let Some(mut kill_conn) = self.connection_killers.lock().remove(&user_id) {
2345 let _ = kill_conn.try_send(Some(()));
2346 }
2347 }
2348
2349 fn forbid_connections(&self) {
2350 self.forbid_connections.store(true, SeqCst);
2351 }
2352
2353 fn allow_connections(&self) {
2354 self.forbid_connections.store(false, SeqCst);
2355 }
2356
2357 async fn build_app_state(test_db: &TestDb) -> Arc<AppState> {
2358 let mut config = Config::default();
2359 config.session_secret = "a".repeat(32);
2360 config.database_url = test_db.url.clone();
2361 let github_client = github::AppClient::test();
2362 Arc::new(AppState {
2363 db: test_db.db().clone(),
2364 handlebars: Default::default(),
2365 auth_client: auth::build_client("", ""),
2366 repo_client: github::RepoClient::test(&github_client),
2367 github_client,
2368 config,
2369 })
2370 }
2371
2372 async fn state<'a>(&'a self) -> RwLockReadGuard<'a, Store> {
2373 self.server.store.read().await
2374 }
2375
2376 async fn condition<F>(&mut self, mut predicate: F)
2377 where
2378 F: FnMut(&Store) -> bool,
2379 {
2380 async_std::future::timeout(Duration::from_millis(500), async {
2381 while !(predicate)(&*self.server.store.read().await) {
2382 self.notifications.recv().await;
2383 }
2384 })
2385 .await
2386 .expect("condition timed out");
2387 }
2388 }
2389
2390 impl Drop for TestServer {
2391 fn drop(&mut self) {
2392 task::block_on(self.peer.reset());
2393 }
2394 }
2395
2396 fn current_user_id(user_store: &ModelHandle<UserStore>, cx: &TestAppContext) -> UserId {
2397 UserId::from_proto(
2398 user_store.read_with(cx, |user_store, _| user_store.current_user().unwrap().id),
2399 )
2400 }
2401
2402 fn channel_messages(channel: &Channel) -> Vec<(String, String, bool)> {
2403 channel
2404 .messages()
2405 .cursor::<()>()
2406 .map(|m| {
2407 (
2408 m.sender.github_login.clone(),
2409 m.body.clone(),
2410 m.is_pending(),
2411 )
2412 })
2413 .collect()
2414 }
2415
2416 struct EmptyView;
2417
2418 impl gpui::Entity for EmptyView {
2419 type Event = ();
2420 }
2421
2422 impl gpui::View for EmptyView {
2423 fn ui_name() -> &'static str {
2424 "empty view"
2425 }
2426
2427 fn render(&mut self, _: &mut gpui::RenderContext<Self>) -> gpui::ElementBox {
2428 gpui::Element::boxed(gpui::elements::Empty)
2429 }
2430 }
2431}