client.rs

   1#[cfg(any(test, feature = "test-support"))]
   2pub mod test;
   3
   4mod proxy;
   5pub mod telemetry;
   6pub mod user;
   7pub mod zed_urls;
   8
   9use anyhow::{Context as _, Result, anyhow};
  10use async_tungstenite::tungstenite::{
  11    client::IntoClientRequest,
  12    error::Error as WebsocketError,
  13    http::{HeaderValue, Request, StatusCode},
  14};
  15use clock::SystemClock;
  16use cloud_api_client::CloudApiClient;
  17use cloud_api_client::websocket_protocol::MessageToClient;
  18use credentials_provider::CredentialsProvider;
  19use feature_flags::FeatureFlagAppExt as _;
  20use futures::{
  21    AsyncReadExt, FutureExt, SinkExt, Stream, StreamExt, TryFutureExt as _, TryStreamExt,
  22    channel::oneshot, future::BoxFuture,
  23};
  24use gpui::{App, AsyncApp, Entity, Global, Task, WeakEntity, actions};
  25use http_client::{HttpClient, HttpClientWithUrl, http};
  26use parking_lot::RwLock;
  27use postage::watch;
  28use proxy::connect_proxy_stream;
  29use rand::prelude::*;
  30use release_channel::{AppVersion, ReleaseChannel};
  31use rpc::proto::{AnyTypedEnvelope, EnvelopedMessage, PeerId, RequestMessage};
  32use schemars::JsonSchema;
  33use serde::{Deserialize, Serialize};
  34use settings::{Settings, SettingsSources};
  35use std::{
  36    any::TypeId,
  37    convert::TryFrom,
  38    fmt::Write as _,
  39    future::Future,
  40    marker::PhantomData,
  41    path::PathBuf,
  42    sync::{
  43        Arc, LazyLock, Weak,
  44        atomic::{AtomicU64, Ordering},
  45    },
  46    time::{Duration, Instant},
  47};
  48use std::{cmp, pin::Pin};
  49use telemetry::Telemetry;
  50use thiserror::Error;
  51use tokio::net::TcpStream;
  52use url::Url;
  53use util::{ConnectionResult, ResultExt};
  54
  55pub use rpc::*;
  56pub use telemetry_events::Event;
  57pub use user::*;
  58
  59static ZED_SERVER_URL: LazyLock<Option<String>> =
  60    LazyLock::new(|| std::env::var("ZED_SERVER_URL").ok());
  61static ZED_RPC_URL: LazyLock<Option<String>> = LazyLock::new(|| std::env::var("ZED_RPC_URL").ok());
  62
  63pub static IMPERSONATE_LOGIN: LazyLock<Option<String>> = LazyLock::new(|| {
  64    std::env::var("ZED_IMPERSONATE")
  65        .ok()
  66        .and_then(|s| if s.is_empty() { None } else { Some(s) })
  67});
  68
  69pub static ADMIN_API_TOKEN: LazyLock<Option<String>> = LazyLock::new(|| {
  70    std::env::var("ZED_ADMIN_API_TOKEN")
  71        .ok()
  72        .and_then(|s| if s.is_empty() { None } else { Some(s) })
  73});
  74
  75pub static ZED_APP_PATH: LazyLock<Option<PathBuf>> =
  76    LazyLock::new(|| std::env::var("ZED_APP_PATH").ok().map(PathBuf::from));
  77
  78pub static ZED_ALWAYS_ACTIVE: LazyLock<bool> =
  79    LazyLock::new(|| std::env::var("ZED_ALWAYS_ACTIVE").map_or(false, |e| !e.is_empty()));
  80
  81pub const INITIAL_RECONNECTION_DELAY: Duration = Duration::from_millis(500);
  82pub const MAX_RECONNECTION_DELAY: Duration = Duration::from_secs(30);
  83pub const CONNECTION_TIMEOUT: Duration = Duration::from_secs(20);
  84
  85actions!(
  86    client,
  87    [
  88        /// Signs in to Zed account.
  89        SignIn,
  90        /// Signs out of Zed account.
  91        SignOut,
  92        /// Reconnects to the collaboration server.
  93        Reconnect
  94    ]
  95);
  96
  97#[derive(Clone, Default, Serialize, Deserialize, JsonSchema)]
  98pub struct ClientSettingsContent {
  99    server_url: Option<String>,
 100}
 101
 102#[derive(Deserialize)]
 103pub struct ClientSettings {
 104    pub server_url: String,
 105}
 106
 107impl Settings for ClientSettings {
 108    const KEY: Option<&'static str> = None;
 109
 110    type FileContent = ClientSettingsContent;
 111
 112    fn load(sources: SettingsSources<Self::FileContent>, _: &mut App) -> Result<Self> {
 113        let mut result = sources.json_merge::<Self>()?;
 114        if let Some(server_url) = &*ZED_SERVER_URL {
 115            result.server_url.clone_from(server_url)
 116        }
 117        Ok(result)
 118    }
 119
 120    fn import_from_vscode(_vscode: &settings::VsCodeSettings, _current: &mut Self::FileContent) {}
 121}
 122
 123#[derive(Default, Clone, Serialize, Deserialize, JsonSchema)]
 124pub struct ProxySettingsContent {
 125    proxy: Option<String>,
 126}
 127
 128#[derive(Deserialize, Default)]
 129pub struct ProxySettings {
 130    pub proxy: Option<String>,
 131}
 132
 133impl Settings for ProxySettings {
 134    const KEY: Option<&'static str> = None;
 135
 136    type FileContent = ProxySettingsContent;
 137
 138    fn load(sources: SettingsSources<Self::FileContent>, _: &mut App) -> Result<Self> {
 139        Ok(Self {
 140            proxy: sources
 141                .user
 142                .or(sources.server)
 143                .and_then(|value| value.proxy.clone())
 144                .or(sources.default.proxy.clone()),
 145        })
 146    }
 147
 148    fn import_from_vscode(vscode: &settings::VsCodeSettings, current: &mut Self::FileContent) {
 149        vscode.string_setting("http.proxy", &mut current.proxy);
 150    }
 151}
 152
 153pub fn init_settings(cx: &mut App) {
 154    TelemetrySettings::register(cx);
 155    ClientSettings::register(cx);
 156    ProxySettings::register(cx);
 157}
 158
 159pub fn init(client: &Arc<Client>, cx: &mut App) {
 160    let client = Arc::downgrade(client);
 161    cx.on_action({
 162        let client = client.clone();
 163        move |_: &SignIn, cx| {
 164            if let Some(client) = client.upgrade() {
 165                cx.spawn(async move |cx| client.sign_in_with_optional_connect(true, cx).await)
 166                    .detach_and_log_err(cx);
 167            }
 168        }
 169    });
 170
 171    cx.on_action({
 172        let client = client.clone();
 173        move |_: &SignOut, cx| {
 174            if let Some(client) = client.upgrade() {
 175                cx.spawn(async move |cx| {
 176                    client.sign_out(cx).await;
 177                })
 178                .detach();
 179            }
 180        }
 181    });
 182
 183    cx.on_action({
 184        let client = client.clone();
 185        move |_: &Reconnect, cx| {
 186            if let Some(client) = client.upgrade() {
 187                cx.spawn(async move |cx| {
 188                    client.reconnect(cx);
 189                })
 190                .detach();
 191            }
 192        }
 193    });
 194}
 195
 196pub type MessageToClientHandler = Box<dyn Fn(&MessageToClient, &mut App) + Send + Sync + 'static>;
 197
 198struct GlobalClient(Arc<Client>);
 199
 200impl Global for GlobalClient {}
 201
 202pub struct Client {
 203    id: AtomicU64,
 204    peer: Arc<Peer>,
 205    http: Arc<HttpClientWithUrl>,
 206    cloud_client: Arc<CloudApiClient>,
 207    telemetry: Arc<Telemetry>,
 208    credentials_provider: ClientCredentialsProvider,
 209    state: RwLock<ClientState>,
 210    handler_set: parking_lot::Mutex<ProtoMessageHandlerSet>,
 211    message_to_client_handlers: parking_lot::Mutex<Vec<MessageToClientHandler>>,
 212
 213    #[allow(clippy::type_complexity)]
 214    #[cfg(any(test, feature = "test-support"))]
 215    authenticate:
 216        RwLock<Option<Box<dyn 'static + Send + Sync + Fn(&AsyncApp) -> Task<Result<Credentials>>>>>,
 217
 218    #[allow(clippy::type_complexity)]
 219    #[cfg(any(test, feature = "test-support"))]
 220    establish_connection: RwLock<
 221        Option<
 222            Box<
 223                dyn 'static
 224                    + Send
 225                    + Sync
 226                    + Fn(
 227                        &Credentials,
 228                        &AsyncApp,
 229                    ) -> Task<Result<Connection, EstablishConnectionError>>,
 230            >,
 231        >,
 232    >,
 233
 234    #[cfg(any(test, feature = "test-support"))]
 235    rpc_url: RwLock<Option<Url>>,
 236}
 237
 238#[derive(Error, Debug)]
 239pub enum EstablishConnectionError {
 240    #[error("upgrade required")]
 241    UpgradeRequired,
 242    #[error("unauthorized")]
 243    Unauthorized,
 244    #[error("{0}")]
 245    Other(#[from] anyhow::Error),
 246    #[error("{0}")]
 247    InvalidHeaderValue(#[from] async_tungstenite::tungstenite::http::header::InvalidHeaderValue),
 248    #[error("{0}")]
 249    Io(#[from] std::io::Error),
 250    #[error("{0}")]
 251    Websocket(#[from] async_tungstenite::tungstenite::http::Error),
 252}
 253
 254impl From<WebsocketError> for EstablishConnectionError {
 255    fn from(error: WebsocketError) -> Self {
 256        if let WebsocketError::Http(response) = &error {
 257            match response.status() {
 258                StatusCode::UNAUTHORIZED => return EstablishConnectionError::Unauthorized,
 259                StatusCode::UPGRADE_REQUIRED => return EstablishConnectionError::UpgradeRequired,
 260                _ => {}
 261            }
 262        }
 263        EstablishConnectionError::Other(error.into())
 264    }
 265}
 266
 267impl EstablishConnectionError {
 268    pub fn other(error: impl Into<anyhow::Error> + Send + Sync) -> Self {
 269        Self::Other(error.into())
 270    }
 271}
 272
 273#[derive(Copy, Clone, Debug, PartialEq)]
 274pub enum Status {
 275    SignedOut,
 276    UpgradeRequired,
 277    Authenticating,
 278    Authenticated,
 279    AuthenticationError,
 280    Connecting,
 281    ConnectionError,
 282    Connected {
 283        peer_id: PeerId,
 284        connection_id: ConnectionId,
 285    },
 286    ConnectionLost,
 287    Reauthenticating,
 288    Reconnecting,
 289    ReconnectionError {
 290        next_reconnection: Instant,
 291    },
 292}
 293
 294impl Status {
 295    pub fn is_connected(&self) -> bool {
 296        matches!(self, Self::Connected { .. })
 297    }
 298
 299    pub fn is_signing_in(&self) -> bool {
 300        matches!(
 301            self,
 302            Self::Authenticating | Self::Reauthenticating | Self::Connecting | Self::Reconnecting
 303        )
 304    }
 305
 306    pub fn is_signed_out(&self) -> bool {
 307        matches!(self, Self::SignedOut | Self::UpgradeRequired)
 308    }
 309}
 310
 311struct ClientState {
 312    credentials: Option<Credentials>,
 313    status: (watch::Sender<Status>, watch::Receiver<Status>),
 314    _reconnect_task: Option<Task<()>>,
 315}
 316
 317#[derive(Clone, Debug, Eq, PartialEq)]
 318pub struct Credentials {
 319    pub user_id: u64,
 320    pub access_token: String,
 321}
 322
 323impl Credentials {
 324    pub fn authorization_header(&self) -> String {
 325        format!("{} {}", self.user_id, self.access_token)
 326    }
 327}
 328
 329pub struct ClientCredentialsProvider {
 330    provider: Arc<dyn CredentialsProvider>,
 331}
 332
 333impl ClientCredentialsProvider {
 334    pub fn new(cx: &App) -> Self {
 335        Self {
 336            provider: <dyn CredentialsProvider>::global(cx),
 337        }
 338    }
 339
 340    fn server_url(&self, cx: &AsyncApp) -> Result<String> {
 341        cx.update(|cx| ClientSettings::get_global(cx).server_url.clone())
 342    }
 343
 344    /// Reads the credentials from the provider.
 345    fn read_credentials<'a>(
 346        &'a self,
 347        cx: &'a AsyncApp,
 348    ) -> Pin<Box<dyn Future<Output = Option<Credentials>> + 'a>> {
 349        async move {
 350            if IMPERSONATE_LOGIN.is_some() {
 351                return None;
 352            }
 353
 354            let server_url = self.server_url(cx).ok()?;
 355            let (user_id, access_token) = self
 356                .provider
 357                .read_credentials(&server_url, cx)
 358                .await
 359                .log_err()
 360                .flatten()?;
 361
 362            Some(Credentials {
 363                user_id: user_id.parse().ok()?,
 364                access_token: String::from_utf8(access_token).ok()?,
 365            })
 366        }
 367        .boxed_local()
 368    }
 369
 370    /// Writes the credentials to the provider.
 371    fn write_credentials<'a>(
 372        &'a self,
 373        user_id: u64,
 374        access_token: String,
 375        cx: &'a AsyncApp,
 376    ) -> Pin<Box<dyn Future<Output = Result<()>> + 'a>> {
 377        async move {
 378            let server_url = self.server_url(cx)?;
 379            self.provider
 380                .write_credentials(
 381                    &server_url,
 382                    &user_id.to_string(),
 383                    access_token.as_bytes(),
 384                    cx,
 385                )
 386                .await
 387        }
 388        .boxed_local()
 389    }
 390
 391    /// Deletes the credentials from the provider.
 392    fn delete_credentials<'a>(
 393        &'a self,
 394        cx: &'a AsyncApp,
 395    ) -> Pin<Box<dyn Future<Output = Result<()>> + 'a>> {
 396        async move {
 397            let server_url = self.server_url(cx)?;
 398            self.provider.delete_credentials(&server_url, cx).await
 399        }
 400        .boxed_local()
 401    }
 402}
 403
 404impl Default for ClientState {
 405    fn default() -> Self {
 406        Self {
 407            credentials: None,
 408            status: watch::channel_with(Status::SignedOut),
 409            _reconnect_task: None,
 410        }
 411    }
 412}
 413
 414pub enum Subscription {
 415    Entity {
 416        client: Weak<Client>,
 417        id: (TypeId, u64),
 418    },
 419    Message {
 420        client: Weak<Client>,
 421        id: TypeId,
 422    },
 423}
 424
 425impl Drop for Subscription {
 426    fn drop(&mut self) {
 427        match self {
 428            Subscription::Entity { client, id } => {
 429                if let Some(client) = client.upgrade() {
 430                    let mut state = client.handler_set.lock();
 431                    let _ = state.entities_by_type_and_remote_id.remove(id);
 432                }
 433            }
 434            Subscription::Message { client, id } => {
 435                if let Some(client) = client.upgrade() {
 436                    let mut state = client.handler_set.lock();
 437                    let _ = state.entity_types_by_message_type.remove(id);
 438                    let _ = state.message_handlers.remove(id);
 439                }
 440            }
 441        }
 442    }
 443}
 444
 445pub struct PendingEntitySubscription<T: 'static> {
 446    client: Arc<Client>,
 447    remote_id: u64,
 448    _entity_type: PhantomData<T>,
 449    consumed: bool,
 450}
 451
 452impl<T: 'static> PendingEntitySubscription<T> {
 453    pub fn set_entity(mut self, entity: &Entity<T>, cx: &AsyncApp) -> Subscription {
 454        self.consumed = true;
 455        let mut handlers = self.client.handler_set.lock();
 456        let id = (TypeId::of::<T>(), self.remote_id);
 457        let Some(EntityMessageSubscriber::Pending(messages)) =
 458            handlers.entities_by_type_and_remote_id.remove(&id)
 459        else {
 460            unreachable!()
 461        };
 462
 463        handlers.entities_by_type_and_remote_id.insert(
 464            id,
 465            EntityMessageSubscriber::Entity {
 466                handle: entity.downgrade().into(),
 467            },
 468        );
 469        drop(handlers);
 470        for message in messages {
 471            let client_id = self.client.id();
 472            let type_name = message.payload_type_name();
 473            let sender_id = message.original_sender_id();
 474            log::debug!(
 475                "handling queued rpc message. client_id:{}, sender_id:{:?}, type:{}",
 476                client_id,
 477                sender_id,
 478                type_name
 479            );
 480            self.client.handle_message(message, cx);
 481        }
 482        Subscription::Entity {
 483            client: Arc::downgrade(&self.client),
 484            id,
 485        }
 486    }
 487}
 488
 489impl<T: 'static> Drop for PendingEntitySubscription<T> {
 490    fn drop(&mut self) {
 491        if !self.consumed {
 492            let mut state = self.client.handler_set.lock();
 493            if let Some(EntityMessageSubscriber::Pending(messages)) = state
 494                .entities_by_type_and_remote_id
 495                .remove(&(TypeId::of::<T>(), self.remote_id))
 496            {
 497                for message in messages {
 498                    log::info!("unhandled message {}", message.payload_type_name());
 499                }
 500            }
 501        }
 502    }
 503}
 504
 505#[derive(Copy, Clone, Deserialize, Debug)]
 506pub struct TelemetrySettings {
 507    pub diagnostics: bool,
 508    pub metrics: bool,
 509}
 510
 511/// Control what info is collected by Zed.
 512#[derive(Default, Clone, Serialize, Deserialize, JsonSchema, Debug)]
 513pub struct TelemetrySettingsContent {
 514    /// Send debug info like crash reports.
 515    ///
 516    /// Default: true
 517    pub diagnostics: Option<bool>,
 518    /// Send anonymized usage data like what languages you're using Zed with.
 519    ///
 520    /// Default: true
 521    pub metrics: Option<bool>,
 522}
 523
 524impl settings::Settings for TelemetrySettings {
 525    const KEY: Option<&'static str> = Some("telemetry");
 526
 527    type FileContent = TelemetrySettingsContent;
 528
 529    fn load(sources: SettingsSources<Self::FileContent>, _: &mut App) -> Result<Self> {
 530        sources.json_merge()
 531    }
 532
 533    fn import_from_vscode(vscode: &settings::VsCodeSettings, current: &mut Self::FileContent) {
 534        vscode.enum_setting("telemetry.telemetryLevel", &mut current.metrics, |s| {
 535            Some(s == "all")
 536        });
 537        vscode.enum_setting("telemetry.telemetryLevel", &mut current.diagnostics, |s| {
 538            Some(matches!(s, "all" | "error" | "crash"))
 539        });
 540        // we could translate telemetry.telemetryLevel, but just because users didn't want
 541        // to send microsoft telemetry doesn't mean they don't want to send it to zed. their
 542        // all/error/crash/off correspond to combinations of our "diagnostics" and "metrics".
 543    }
 544}
 545
 546impl Client {
 547    pub fn new(
 548        clock: Arc<dyn SystemClock>,
 549        http: Arc<HttpClientWithUrl>,
 550        cx: &mut App,
 551    ) -> Arc<Self> {
 552        Arc::new(Self {
 553            id: AtomicU64::new(0),
 554            peer: Peer::new(0),
 555            telemetry: Telemetry::new(clock, http.clone(), cx),
 556            cloud_client: Arc::new(CloudApiClient::new(http.clone())),
 557            http,
 558            credentials_provider: ClientCredentialsProvider::new(cx),
 559            state: Default::default(),
 560            handler_set: Default::default(),
 561            message_to_client_handlers: parking_lot::Mutex::new(Vec::new()),
 562
 563            #[cfg(any(test, feature = "test-support"))]
 564            authenticate: Default::default(),
 565            #[cfg(any(test, feature = "test-support"))]
 566            establish_connection: Default::default(),
 567            #[cfg(any(test, feature = "test-support"))]
 568            rpc_url: RwLock::default(),
 569        })
 570    }
 571
 572    pub fn production(cx: &mut App) -> Arc<Self> {
 573        let clock = Arc::new(clock::RealSystemClock);
 574        let http = Arc::new(HttpClientWithUrl::new_url(
 575            cx.http_client(),
 576            &ClientSettings::get_global(cx).server_url,
 577            cx.http_client().proxy().cloned(),
 578        ));
 579        Self::new(clock, http, cx)
 580    }
 581
 582    pub fn id(&self) -> u64 {
 583        self.id.load(Ordering::SeqCst)
 584    }
 585
 586    pub fn http_client(&self) -> Arc<HttpClientWithUrl> {
 587        self.http.clone()
 588    }
 589
 590    pub fn cloud_client(&self) -> Arc<CloudApiClient> {
 591        self.cloud_client.clone()
 592    }
 593
 594    pub fn set_id(&self, id: u64) -> &Self {
 595        self.id.store(id, Ordering::SeqCst);
 596        self
 597    }
 598
 599    #[cfg(any(test, feature = "test-support"))]
 600    pub fn teardown(&self) {
 601        let mut state = self.state.write();
 602        state._reconnect_task.take();
 603        self.handler_set.lock().clear();
 604        self.peer.teardown();
 605    }
 606
 607    #[cfg(any(test, feature = "test-support"))]
 608    pub fn override_authenticate<F>(&self, authenticate: F) -> &Self
 609    where
 610        F: 'static + Send + Sync + Fn(&AsyncApp) -> Task<Result<Credentials>>,
 611    {
 612        *self.authenticate.write() = Some(Box::new(authenticate));
 613        self
 614    }
 615
 616    #[cfg(any(test, feature = "test-support"))]
 617    pub fn override_establish_connection<F>(&self, connect: F) -> &Self
 618    where
 619        F: 'static
 620            + Send
 621            + Sync
 622            + Fn(&Credentials, &AsyncApp) -> Task<Result<Connection, EstablishConnectionError>>,
 623    {
 624        *self.establish_connection.write() = Some(Box::new(connect));
 625        self
 626    }
 627
 628    #[cfg(any(test, feature = "test-support"))]
 629    pub fn override_rpc_url(&self, url: Url) -> &Self {
 630        *self.rpc_url.write() = Some(url);
 631        self
 632    }
 633
 634    pub fn global(cx: &App) -> Arc<Self> {
 635        cx.global::<GlobalClient>().0.clone()
 636    }
 637    pub fn set_global(client: Arc<Client>, cx: &mut App) {
 638        cx.set_global(GlobalClient(client))
 639    }
 640
 641    pub fn user_id(&self) -> Option<u64> {
 642        self.state
 643            .read()
 644            .credentials
 645            .as_ref()
 646            .map(|credentials| credentials.user_id)
 647    }
 648
 649    pub fn peer_id(&self) -> Option<PeerId> {
 650        if let Status::Connected { peer_id, .. } = &*self.status().borrow() {
 651            Some(*peer_id)
 652        } else {
 653            None
 654        }
 655    }
 656
 657    pub fn status(&self) -> watch::Receiver<Status> {
 658        self.state.read().status.1.clone()
 659    }
 660
 661    fn set_status(self: &Arc<Self>, status: Status, cx: &AsyncApp) {
 662        log::info!("set status on client {}: {:?}", self.id(), status);
 663        let mut state = self.state.write();
 664        *state.status.0.borrow_mut() = status;
 665
 666        match status {
 667            Status::Connected { .. } => {
 668                state._reconnect_task = None;
 669            }
 670            Status::ConnectionLost => {
 671                let client = self.clone();
 672                state._reconnect_task = Some(cx.spawn(async move |cx| {
 673                    #[cfg(any(test, feature = "test-support"))]
 674                    let mut rng = StdRng::seed_from_u64(0);
 675                    #[cfg(not(any(test, feature = "test-support")))]
 676                    let mut rng = StdRng::from_entropy();
 677
 678                    let mut delay = INITIAL_RECONNECTION_DELAY;
 679                    loop {
 680                        match client.connect(true, cx).await {
 681                            ConnectionResult::Timeout => {
 682                                log::error!("client connect attempt timed out")
 683                            }
 684                            ConnectionResult::ConnectionReset => {
 685                                log::error!("client connect attempt reset")
 686                            }
 687                            ConnectionResult::Result(r) => {
 688                                if let Err(error) = r {
 689                                    log::error!("failed to connect: {error}");
 690                                } else {
 691                                    break;
 692                                }
 693                            }
 694                        }
 695
 696                        if matches!(
 697                            *client.status().borrow(),
 698                            Status::AuthenticationError | Status::ConnectionError
 699                        ) {
 700                            client.set_status(
 701                                Status::ReconnectionError {
 702                                    next_reconnection: Instant::now() + delay,
 703                                },
 704                                cx,
 705                            );
 706                            let jitter =
 707                                Duration::from_millis(rng.gen_range(0..delay.as_millis() as u64));
 708                            cx.background_executor().timer(delay + jitter).await;
 709                            delay = cmp::min(delay * 2, MAX_RECONNECTION_DELAY);
 710                        } else {
 711                            break;
 712                        }
 713                    }
 714                }));
 715            }
 716            Status::SignedOut | Status::UpgradeRequired => {
 717                self.telemetry.set_authenticated_user_info(None, false);
 718                state._reconnect_task.take();
 719            }
 720            _ => {}
 721        }
 722    }
 723
 724    pub fn subscribe_to_entity<T>(
 725        self: &Arc<Self>,
 726        remote_id: u64,
 727    ) -> Result<PendingEntitySubscription<T>>
 728    where
 729        T: 'static,
 730    {
 731        let id = (TypeId::of::<T>(), remote_id);
 732
 733        let mut state = self.handler_set.lock();
 734        anyhow::ensure!(
 735            !state.entities_by_type_and_remote_id.contains_key(&id),
 736            "already subscribed to entity"
 737        );
 738
 739        state
 740            .entities_by_type_and_remote_id
 741            .insert(id, EntityMessageSubscriber::Pending(Default::default()));
 742
 743        Ok(PendingEntitySubscription {
 744            client: self.clone(),
 745            remote_id,
 746            consumed: false,
 747            _entity_type: PhantomData,
 748        })
 749    }
 750
 751    #[track_caller]
 752    pub fn add_message_handler<M, E, H, F>(
 753        self: &Arc<Self>,
 754        entity: WeakEntity<E>,
 755        handler: H,
 756    ) -> Subscription
 757    where
 758        M: EnvelopedMessage,
 759        E: 'static,
 760        H: 'static + Sync + Fn(Entity<E>, TypedEnvelope<M>, AsyncApp) -> F + Send + Sync,
 761        F: 'static + Future<Output = Result<()>>,
 762    {
 763        self.add_message_handler_impl(entity, move |entity, message, _, cx| {
 764            handler(entity, message, cx)
 765        })
 766    }
 767
 768    fn add_message_handler_impl<M, E, H, F>(
 769        self: &Arc<Self>,
 770        entity: WeakEntity<E>,
 771        handler: H,
 772    ) -> Subscription
 773    where
 774        M: EnvelopedMessage,
 775        E: 'static,
 776        H: 'static
 777            + Sync
 778            + Fn(Entity<E>, TypedEnvelope<M>, AnyProtoClient, AsyncApp) -> F
 779            + Send
 780            + Sync,
 781        F: 'static + Future<Output = Result<()>>,
 782    {
 783        let message_type_id = TypeId::of::<M>();
 784        let mut state = self.handler_set.lock();
 785        state
 786            .entities_by_message_type
 787            .insert(message_type_id, entity.into());
 788
 789        let prev_handler = state.message_handlers.insert(
 790            message_type_id,
 791            Arc::new(move |subscriber, envelope, client, cx| {
 792                let subscriber = subscriber.downcast::<E>().unwrap();
 793                let envelope = envelope.into_any().downcast::<TypedEnvelope<M>>().unwrap();
 794                handler(subscriber, *envelope, client.clone(), cx).boxed_local()
 795            }),
 796        );
 797        if prev_handler.is_some() {
 798            let location = std::panic::Location::caller();
 799            panic!(
 800                "{}:{} registered handler for the same message {} twice",
 801                location.file(),
 802                location.line(),
 803                std::any::type_name::<M>()
 804            );
 805        }
 806
 807        Subscription::Message {
 808            client: Arc::downgrade(self),
 809            id: message_type_id,
 810        }
 811    }
 812
 813    pub fn add_request_handler<M, E, H, F>(
 814        self: &Arc<Self>,
 815        entity: WeakEntity<E>,
 816        handler: H,
 817    ) -> Subscription
 818    where
 819        M: RequestMessage,
 820        E: 'static,
 821        H: 'static + Sync + Fn(Entity<E>, TypedEnvelope<M>, AsyncApp) -> F + Send + Sync,
 822        F: 'static + Future<Output = Result<M::Response>>,
 823    {
 824        self.add_message_handler_impl(entity, move |handle, envelope, this, cx| {
 825            Self::respond_to_request(envelope.receipt(), handler(handle, envelope, cx), this)
 826        })
 827    }
 828
 829    async fn respond_to_request<T: RequestMessage, F: Future<Output = Result<T::Response>>>(
 830        receipt: Receipt<T>,
 831        response: F,
 832        client: AnyProtoClient,
 833    ) -> Result<()> {
 834        match response.await {
 835            Ok(response) => {
 836                client.send_response(receipt.message_id, response)?;
 837                Ok(())
 838            }
 839            Err(error) => {
 840                client.send_response(receipt.message_id, error.to_proto())?;
 841                Err(error)
 842            }
 843        }
 844    }
 845
 846    pub async fn has_credentials(&self, cx: &AsyncApp) -> bool {
 847        self.credentials_provider
 848            .read_credentials(cx)
 849            .await
 850            .is_some()
 851    }
 852
 853    pub async fn sign_in(
 854        self: &Arc<Self>,
 855        try_provider: bool,
 856        cx: &AsyncApp,
 857    ) -> Result<Credentials> {
 858        if self.status().borrow().is_signed_out() {
 859            self.set_status(Status::Authenticating, cx);
 860        } else {
 861            self.set_status(Status::Reauthenticating, cx);
 862        }
 863
 864        let mut credentials = None;
 865
 866        let old_credentials = self.state.read().credentials.clone();
 867        if let Some(old_credentials) = old_credentials {
 868            if self.validate_credentials(&old_credentials, cx).await? {
 869                credentials = Some(old_credentials);
 870            }
 871        }
 872
 873        if credentials.is_none() && try_provider {
 874            if let Some(stored_credentials) = self.credentials_provider.read_credentials(cx).await {
 875                if self.validate_credentials(&stored_credentials, cx).await? {
 876                    credentials = Some(stored_credentials);
 877                } else {
 878                    self.credentials_provider
 879                        .delete_credentials(cx)
 880                        .await
 881                        .log_err();
 882                }
 883            }
 884        }
 885
 886        if credentials.is_none() {
 887            let mut status_rx = self.status();
 888            let _ = status_rx.next().await;
 889            futures::select_biased! {
 890                authenticate = self.authenticate(cx).fuse() => {
 891                    match authenticate {
 892                        Ok(creds) => {
 893                            if IMPERSONATE_LOGIN.is_none() {
 894                                self.credentials_provider
 895                                    .write_credentials(creds.user_id, creds.access_token.clone(), cx)
 896                                    .await
 897                                    .log_err();
 898                            }
 899
 900                            credentials = Some(creds);
 901                        },
 902                        Err(err) => {
 903                            self.set_status(Status::AuthenticationError, cx);
 904                            return Err(err);
 905                        }
 906                    }
 907                }
 908                _ = status_rx.next().fuse() => {
 909                    return Err(anyhow!("authentication canceled"));
 910                }
 911            }
 912        }
 913
 914        let credentials = credentials.unwrap();
 915        self.set_id(credentials.user_id);
 916        self.cloud_client
 917            .set_credentials(credentials.user_id as u32, credentials.access_token.clone());
 918        self.state.write().credentials = Some(credentials.clone());
 919        self.set_status(Status::Authenticated, cx);
 920
 921        Ok(credentials)
 922    }
 923
 924    async fn validate_credentials(
 925        self: &Arc<Self>,
 926        credentials: &Credentials,
 927        cx: &AsyncApp,
 928    ) -> Result<bool> {
 929        match self
 930            .cloud_client
 931            .validate_credentials(credentials.user_id as u32, &credentials.access_token)
 932            .await
 933        {
 934            Ok(valid) => Ok(valid),
 935            Err(err) => {
 936                self.set_status(Status::AuthenticationError, cx);
 937                Err(anyhow!("failed to validate credentials: {}", err))
 938            }
 939        }
 940    }
 941
 942    /// Establishes a WebSocket connection with Cloud for receiving updates from the server.
 943    async fn connect_to_cloud(self: &Arc<Self>, cx: &AsyncApp) -> Result<()> {
 944        let connect_task = cx.update({
 945            let cloud_client = self.cloud_client.clone();
 946            move |cx| cloud_client.connect(cx)
 947        })??;
 948        let connection = connect_task.await?;
 949
 950        let (mut messages, task) = cx.update(|cx| connection.spawn(cx))?;
 951        task.detach();
 952
 953        cx.spawn({
 954            let this = self.clone();
 955            async move |cx| {
 956                while let Some(message) = messages.next().await {
 957                    if let Some(message) = message.log_err() {
 958                        this.handle_message_to_client(message, cx);
 959                    }
 960                }
 961            }
 962        })
 963        .detach();
 964
 965        Ok(())
 966    }
 967
 968    /// Performs a sign-in and also (optionally) connects to Collab.
 969    ///
 970    /// Only Zed staff automatically connect to Collab.
 971    pub async fn sign_in_with_optional_connect(
 972        self: &Arc<Self>,
 973        try_provider: bool,
 974        cx: &AsyncApp,
 975    ) -> Result<()> {
 976        // Don't try to sign in again if we're already connected to Collab, as it will temporarily disconnect us.
 977        if self.status().borrow().is_connected() {
 978            return Ok(());
 979        }
 980
 981        let (is_staff_tx, is_staff_rx) = oneshot::channel::<bool>();
 982        let mut is_staff_tx = Some(is_staff_tx);
 983        cx.update(|cx| {
 984            cx.on_flags_ready(move |state, _cx| {
 985                if let Some(is_staff_tx) = is_staff_tx.take() {
 986                    is_staff_tx.send(state.is_staff).log_err();
 987                }
 988            })
 989            .detach();
 990        })
 991        .log_err();
 992
 993        let credentials = self.sign_in(try_provider, cx).await?;
 994
 995        self.connect_to_cloud(cx).await.log_err();
 996
 997        cx.update(move |cx| {
 998            cx.spawn({
 999                let client = self.clone();
1000                async move |cx| {
1001                    let is_staff = is_staff_rx.await?;
1002                    if is_staff {
1003                        match client.connect_with_credentials(credentials, cx).await {
1004                            ConnectionResult::Timeout => Err(anyhow!("connection timed out")),
1005                            ConnectionResult::ConnectionReset => Err(anyhow!("connection reset")),
1006                            ConnectionResult::Result(result) => {
1007                                result.context("client auth and connect")
1008                            }
1009                        }
1010                    } else {
1011                        Ok(())
1012                    }
1013                }
1014            })
1015            .detach_and_log_err(cx);
1016        })
1017        .log_err();
1018
1019        Ok(())
1020    }
1021
1022    pub async fn connect(
1023        self: &Arc<Self>,
1024        try_provider: bool,
1025        cx: &AsyncApp,
1026    ) -> ConnectionResult<()> {
1027        let was_disconnected = match *self.status().borrow() {
1028            Status::SignedOut | Status::Authenticated => true,
1029            Status::ConnectionError
1030            | Status::ConnectionLost
1031            | Status::Authenticating { .. }
1032            | Status::AuthenticationError
1033            | Status::Reauthenticating { .. }
1034            | Status::ReconnectionError { .. } => false,
1035            Status::Connected { .. } | Status::Connecting { .. } | Status::Reconnecting { .. } => {
1036                return ConnectionResult::Result(Ok(()));
1037            }
1038            Status::UpgradeRequired => {
1039                return ConnectionResult::Result(
1040                    Err(EstablishConnectionError::UpgradeRequired)
1041                        .context("client auth and connect"),
1042                );
1043            }
1044        };
1045        let credentials = match self.sign_in(try_provider, cx).await {
1046            Ok(credentials) => credentials,
1047            Err(err) => return ConnectionResult::Result(Err(err)),
1048        };
1049
1050        if was_disconnected {
1051            self.set_status(Status::Connecting, cx);
1052        } else {
1053            self.set_status(Status::Reconnecting, cx);
1054        }
1055
1056        self.connect_with_credentials(credentials, cx).await
1057    }
1058
1059    async fn connect_with_credentials(
1060        self: &Arc<Self>,
1061        credentials: Credentials,
1062        cx: &AsyncApp,
1063    ) -> ConnectionResult<()> {
1064        let mut timeout =
1065            futures::FutureExt::fuse(cx.background_executor().timer(CONNECTION_TIMEOUT));
1066        futures::select_biased! {
1067            connection = self.establish_connection(&credentials, cx).fuse() => {
1068                match connection {
1069                    Ok(conn) => {
1070                        futures::select_biased! {
1071                            result = self.set_connection(conn, cx).fuse() => {
1072                                match result.context("client auth and connect") {
1073                                    Ok(()) => ConnectionResult::Result(Ok(())),
1074                                    Err(err) => {
1075                                        self.set_status(Status::ConnectionError, cx);
1076                                        ConnectionResult::Result(Err(err))
1077                                    },
1078                                }
1079                            },
1080                            _ = timeout => {
1081                                self.set_status(Status::ConnectionError, cx);
1082                                ConnectionResult::Timeout
1083                            }
1084                        }
1085                    }
1086                    Err(EstablishConnectionError::Unauthorized) => {
1087                        self.set_status(Status::ConnectionError, cx);
1088                        ConnectionResult::Result(Err(EstablishConnectionError::Unauthorized).context("client auth and connect"))
1089                    }
1090                    Err(EstablishConnectionError::UpgradeRequired) => {
1091                        self.set_status(Status::UpgradeRequired, cx);
1092                        ConnectionResult::Result(Err(EstablishConnectionError::UpgradeRequired).context("client auth and connect"))
1093                    }
1094                    Err(error) => {
1095                        self.set_status(Status::ConnectionError, cx);
1096                        ConnectionResult::Result(Err(error).context("client auth and connect"))
1097                    }
1098                }
1099            }
1100            _ = &mut timeout => {
1101                self.set_status(Status::ConnectionError, cx);
1102                ConnectionResult::Timeout
1103            }
1104        }
1105    }
1106
1107    async fn set_connection(self: &Arc<Self>, conn: Connection, cx: &AsyncApp) -> Result<()> {
1108        let executor = cx.background_executor();
1109        log::debug!("add connection to peer");
1110        let (connection_id, handle_io, mut incoming) = self.peer.add_connection(conn, {
1111            let executor = executor.clone();
1112            move |duration| executor.timer(duration)
1113        });
1114        let handle_io = executor.spawn(handle_io);
1115
1116        let peer_id = async {
1117            log::debug!("waiting for server hello");
1118            let message = incoming.next().await.context("no hello message received")?;
1119            log::debug!("got server hello");
1120            let hello_message_type_name = message.payload_type_name().to_string();
1121            let hello = message
1122                .into_any()
1123                .downcast::<TypedEnvelope<proto::Hello>>()
1124                .map_err(|_| {
1125                    anyhow!(
1126                        "invalid hello message received: {:?}",
1127                        hello_message_type_name
1128                    )
1129                })?;
1130            let peer_id = hello.payload.peer_id.context("invalid peer id")?;
1131            Ok(peer_id)
1132        };
1133
1134        let peer_id = match peer_id.await {
1135            Ok(peer_id) => peer_id,
1136            Err(error) => {
1137                self.peer.disconnect(connection_id);
1138                return Err(error);
1139            }
1140        };
1141
1142        log::debug!(
1143            "set status to connected (connection id: {:?}, peer id: {:?})",
1144            connection_id,
1145            peer_id
1146        );
1147        self.set_status(
1148            Status::Connected {
1149                peer_id,
1150                connection_id,
1151            },
1152            cx,
1153        );
1154
1155        cx.spawn({
1156            let this = self.clone();
1157            async move |cx| {
1158                while let Some(message) = incoming.next().await {
1159                    this.handle_message(message, cx);
1160                    // Don't starve the main thread when receiving lots of messages at once.
1161                    smol::future::yield_now().await;
1162                }
1163            }
1164        })
1165        .detach();
1166
1167        cx.spawn({
1168            let this = self.clone();
1169            async move |cx| match handle_io.await {
1170                Ok(()) => {
1171                    if *this.status().borrow()
1172                        == (Status::Connected {
1173                            connection_id,
1174                            peer_id,
1175                        })
1176                    {
1177                        this.set_status(Status::SignedOut, cx);
1178                    }
1179                }
1180                Err(err) => {
1181                    log::error!("connection error: {:?}", err);
1182                    this.set_status(Status::ConnectionLost, cx);
1183                }
1184            }
1185        })
1186        .detach();
1187
1188        Ok(())
1189    }
1190
1191    fn authenticate(self: &Arc<Self>, cx: &AsyncApp) -> Task<Result<Credentials>> {
1192        #[cfg(any(test, feature = "test-support"))]
1193        if let Some(callback) = self.authenticate.read().as_ref() {
1194            return callback(cx);
1195        }
1196
1197        self.authenticate_with_browser(cx)
1198    }
1199
1200    fn establish_connection(
1201        self: &Arc<Self>,
1202        credentials: &Credentials,
1203        cx: &AsyncApp,
1204    ) -> Task<Result<Connection, EstablishConnectionError>> {
1205        #[cfg(any(test, feature = "test-support"))]
1206        if let Some(callback) = self.establish_connection.read().as_ref() {
1207            return callback(credentials, cx);
1208        }
1209
1210        self.establish_websocket_connection(credentials, cx)
1211    }
1212
1213    fn rpc_url(
1214        &self,
1215        http: Arc<HttpClientWithUrl>,
1216        release_channel: Option<ReleaseChannel>,
1217    ) -> impl Future<Output = Result<url::Url>> + use<> {
1218        #[cfg(any(test, feature = "test-support"))]
1219        let url_override = self.rpc_url.read().clone();
1220
1221        async move {
1222            #[cfg(any(test, feature = "test-support"))]
1223            if let Some(url) = url_override {
1224                return Ok(url);
1225            }
1226
1227            if let Some(url) = &*ZED_RPC_URL {
1228                return Url::parse(url).context("invalid rpc url");
1229            }
1230
1231            let mut url = http.build_url("/rpc");
1232            if let Some(preview_param) =
1233                release_channel.and_then(|channel| channel.release_query_param())
1234            {
1235                url += "?";
1236                url += preview_param;
1237            }
1238
1239            let response = http.get(&url, Default::default(), false).await?;
1240            anyhow::ensure!(
1241                response.status().is_redirection(),
1242                "unexpected /rpc response status {}",
1243                response.status()
1244            );
1245            let collab_url = response
1246                .headers()
1247                .get("Location")
1248                .context("missing location header in /rpc response")?
1249                .to_str()
1250                .map_err(EstablishConnectionError::other)?
1251                .to_string();
1252            Url::parse(&collab_url).with_context(|| format!("parsing collab rpc url {collab_url}"))
1253        }
1254    }
1255
1256    fn establish_websocket_connection(
1257        self: &Arc<Self>,
1258        credentials: &Credentials,
1259        cx: &AsyncApp,
1260    ) -> Task<Result<Connection, EstablishConnectionError>> {
1261        let release_channel = cx
1262            .update(|cx| ReleaseChannel::try_global(cx))
1263            .ok()
1264            .flatten();
1265        let app_version = cx
1266            .update(|cx| AppVersion::global(cx).to_string())
1267            .ok()
1268            .unwrap_or_default();
1269
1270        let http = self.http.clone();
1271        let proxy = http.proxy().cloned();
1272        let user_agent = http.user_agent().cloned();
1273        let credentials = credentials.clone();
1274        let rpc_url = self.rpc_url(http, release_channel);
1275        let system_id = self.telemetry.system_id();
1276        let metrics_id = self.telemetry.metrics_id();
1277        cx.spawn(async move |cx| {
1278            use HttpOrHttps::*;
1279
1280            #[derive(Debug)]
1281            enum HttpOrHttps {
1282                Http,
1283                Https,
1284            }
1285
1286            let mut rpc_url = rpc_url.await?;
1287            let url_scheme = match rpc_url.scheme() {
1288                "https" => Https,
1289                "http" => Http,
1290                _ => Err(anyhow!("invalid rpc url: {}", rpc_url))?,
1291            };
1292            let rpc_host = rpc_url
1293                .host_str()
1294                .zip(rpc_url.port_or_known_default())
1295                .context("missing host in rpc url")?;
1296
1297            let stream = {
1298                let handle = cx.update(|cx| gpui_tokio::Tokio::handle(cx)).ok().unwrap();
1299                let _guard = handle.enter();
1300                match proxy {
1301                    Some(proxy) => connect_proxy_stream(&proxy, rpc_host).await?,
1302                    None => Box::new(TcpStream::connect(rpc_host).await?),
1303                }
1304            };
1305
1306            log::info!("connected to rpc endpoint {}", rpc_url);
1307
1308            rpc_url
1309                .set_scheme(match url_scheme {
1310                    Https => "wss",
1311                    Http => "ws",
1312                })
1313                .unwrap();
1314
1315            // We call `into_client_request` to let `tungstenite` construct the WebSocket request
1316            // for us from the RPC URL.
1317            //
1318            // Among other things, it will generate and set a `Sec-WebSocket-Key` header for us.
1319            let mut request = IntoClientRequest::into_client_request(rpc_url.as_str())?;
1320
1321            // We then modify the request to add our desired headers.
1322            let request_headers = request.headers_mut();
1323            request_headers.insert(
1324                http::header::AUTHORIZATION,
1325                HeaderValue::from_str(&credentials.authorization_header())?,
1326            );
1327            request_headers.insert(
1328                "x-zed-protocol-version",
1329                HeaderValue::from_str(&rpc::PROTOCOL_VERSION.to_string())?,
1330            );
1331            request_headers.insert("x-zed-app-version", HeaderValue::from_str(&app_version)?);
1332            request_headers.insert(
1333                "x-zed-release-channel",
1334                HeaderValue::from_str(release_channel.map(|r| r.dev_name()).unwrap_or("unknown"))?,
1335            );
1336            if let Some(user_agent) = user_agent {
1337                request_headers.insert(http::header::USER_AGENT, user_agent);
1338            }
1339            if let Some(system_id) = system_id {
1340                request_headers.insert("x-zed-system-id", HeaderValue::from_str(&system_id)?);
1341            }
1342            if let Some(metrics_id) = metrics_id {
1343                request_headers.insert("x-zed-metrics-id", HeaderValue::from_str(&metrics_id)?);
1344            }
1345
1346            let (stream, _) = async_tungstenite::tokio::client_async_tls_with_connector_and_config(
1347                request,
1348                stream,
1349                Some(Arc::new(http_client_tls::tls_config()).into()),
1350                None,
1351            )
1352            .await?;
1353
1354            Ok(Connection::new(
1355                stream
1356                    .map_err(|error| anyhow!(error))
1357                    .sink_map_err(|error| anyhow!(error)),
1358            ))
1359        })
1360    }
1361
1362    pub fn authenticate_with_browser(self: &Arc<Self>, cx: &AsyncApp) -> Task<Result<Credentials>> {
1363        let http = self.http.clone();
1364        let this = self.clone();
1365        cx.spawn(async move |cx| {
1366            let background = cx.background_executor().clone();
1367
1368            let (open_url_tx, open_url_rx) = oneshot::channel::<String>();
1369            cx.update(|cx| {
1370                cx.spawn(async move |cx| {
1371                    let url = open_url_rx.await?;
1372                    cx.update(|cx| cx.open_url(&url))
1373                })
1374                .detach_and_log_err(cx);
1375            })
1376            .log_err();
1377
1378            let credentials = background
1379                .clone()
1380                .spawn(async move {
1381                    // Generate a pair of asymmetric encryption keys. The public key will be used by the
1382                    // zed server to encrypt the user's access token, so that it can'be intercepted by
1383                    // any other app running on the user's device.
1384                    let (public_key, private_key) =
1385                        rpc::auth::keypair().expect("failed to generate keypair for auth");
1386                    let public_key_string = String::try_from(public_key)
1387                        .expect("failed to serialize public key for auth");
1388
1389                    if let Some((login, token)) =
1390                        IMPERSONATE_LOGIN.as_ref().zip(ADMIN_API_TOKEN.as_ref())
1391                    {
1392                        eprintln!("authenticate as admin {login}, {token}");
1393
1394                        return this
1395                            .authenticate_as_admin(http, login.clone(), token.clone())
1396                            .await;
1397                    }
1398
1399                    // Start an HTTP server to receive the redirect from Zed's sign-in page.
1400                    let server =
1401                        tiny_http::Server::http("127.0.0.1:0").expect("failed to find open port");
1402                    let port = server.server_addr().port();
1403
1404                    // Open the Zed sign-in page in the user's browser, with query parameters that indicate
1405                    // that the user is signing in from a Zed app running on the same device.
1406                    let mut url = http.build_url(&format!(
1407                        "/native_app_signin?native_app_port={}&native_app_public_key={}",
1408                        port, public_key_string
1409                    ));
1410
1411                    if let Some(impersonate_login) = IMPERSONATE_LOGIN.as_ref() {
1412                        log::info!("impersonating user @{}", impersonate_login);
1413                        write!(&mut url, "&impersonate={}", impersonate_login).unwrap();
1414                    }
1415
1416                    open_url_tx.send(url).log_err();
1417
1418                    #[derive(Deserialize)]
1419                    struct CallbackParams {
1420                        pub user_id: String,
1421                        pub access_token: String,
1422                    }
1423
1424                    // Receive the HTTP request from the user's browser. Retrieve the user id and encrypted
1425                    // access token from the query params.
1426                    //
1427                    // TODO - Avoid ever starting more than one HTTP server. Maybe switch to using a
1428                    // custom URL scheme instead of this local HTTP server.
1429                    let (user_id, access_token) = background
1430                        .spawn(async move {
1431                            for _ in 0..100 {
1432                                if let Some(req) = server.recv_timeout(Duration::from_secs(1))? {
1433                                    let path = req.url();
1434                                    let url = Url::parse(&format!("http://example.com{}", path))
1435                                        .context("failed to parse login notification url")?;
1436                                    let callback_params: CallbackParams =
1437                                        serde_urlencoded::from_str(url.query().unwrap_or_default())
1438                                            .context(
1439                                                "failed to parse sign-in callback query parameters",
1440                                            )?;
1441
1442                                    let post_auth_url =
1443                                        http.build_url("/native_app_signin_succeeded");
1444                                    req.respond(
1445                                        tiny_http::Response::empty(302).with_header(
1446                                            tiny_http::Header::from_bytes(
1447                                                &b"Location"[..],
1448                                                post_auth_url.as_bytes(),
1449                                            )
1450                                            .unwrap(),
1451                                        ),
1452                                    )
1453                                    .context("failed to respond to login http request")?;
1454                                    return Ok((
1455                                        callback_params.user_id,
1456                                        callback_params.access_token,
1457                                    ));
1458                                }
1459                            }
1460
1461                            anyhow::bail!("didn't receive login redirect");
1462                        })
1463                        .await?;
1464
1465                    let access_token = private_key
1466                        .decrypt_string(&access_token)
1467                        .context("failed to decrypt access token")?;
1468
1469                    Ok(Credentials {
1470                        user_id: user_id.parse()?,
1471                        access_token,
1472                    })
1473                })
1474                .await?;
1475
1476            cx.update(|cx| cx.activate(true))?;
1477            Ok(credentials)
1478        })
1479    }
1480
1481    async fn authenticate_as_admin(
1482        self: &Arc<Self>,
1483        http: Arc<HttpClientWithUrl>,
1484        login: String,
1485        api_token: String,
1486    ) -> Result<Credentials> {
1487        #[derive(Serialize)]
1488        struct ImpersonateUserBody {
1489            github_login: String,
1490        }
1491
1492        #[derive(Deserialize)]
1493        struct ImpersonateUserResponse {
1494            user_id: u64,
1495            access_token: String,
1496        }
1497
1498        let url = self
1499            .http
1500            .build_zed_cloud_url("/internal/users/impersonate", &[])?;
1501        let request = Request::post(url.as_str())
1502            .header("Content-Type", "application/json")
1503            .header("Authorization", format!("Bearer {api_token}"))
1504            .body(
1505                serde_json::to_string(&ImpersonateUserBody {
1506                    github_login: login,
1507                })?
1508                .into(),
1509            )?;
1510
1511        let mut response = http.send(request).await?;
1512        let mut body = String::new();
1513        response.body_mut().read_to_string(&mut body).await?;
1514        anyhow::ensure!(
1515            response.status().is_success(),
1516            "admin user request failed {} - {}",
1517            response.status().as_u16(),
1518            body,
1519        );
1520        let response: ImpersonateUserResponse = serde_json::from_str(&body)?;
1521
1522        Ok(Credentials {
1523            user_id: response.user_id,
1524            access_token: response.access_token,
1525        })
1526    }
1527
1528    pub async fn sign_out(self: &Arc<Self>, cx: &AsyncApp) {
1529        self.state.write().credentials = None;
1530        self.cloud_client.clear_credentials();
1531        self.disconnect(cx);
1532
1533        if self.has_credentials(cx).await {
1534            self.credentials_provider
1535                .delete_credentials(cx)
1536                .await
1537                .log_err();
1538        }
1539    }
1540
1541    pub fn disconnect(self: &Arc<Self>, cx: &AsyncApp) {
1542        self.peer.teardown();
1543        self.set_status(Status::SignedOut, cx);
1544    }
1545
1546    pub fn reconnect(self: &Arc<Self>, cx: &AsyncApp) {
1547        self.peer.teardown();
1548        self.set_status(Status::ConnectionLost, cx);
1549    }
1550
1551    fn connection_id(&self) -> Result<ConnectionId> {
1552        if let Status::Connected { connection_id, .. } = *self.status().borrow() {
1553            Ok(connection_id)
1554        } else {
1555            anyhow::bail!("not connected");
1556        }
1557    }
1558
1559    pub fn send<T: EnvelopedMessage>(&self, message: T) -> Result<()> {
1560        log::debug!("rpc send. client_id:{}, name:{}", self.id(), T::NAME);
1561        self.peer.send(self.connection_id()?, message)
1562    }
1563
1564    pub fn request<T: RequestMessage>(
1565        &self,
1566        request: T,
1567    ) -> impl Future<Output = Result<T::Response>> + use<T> {
1568        self.request_envelope(request)
1569            .map_ok(|envelope| envelope.payload)
1570    }
1571
1572    pub fn request_stream<T: RequestMessage>(
1573        &self,
1574        request: T,
1575    ) -> impl Future<Output = Result<impl Stream<Item = Result<T::Response>>>> {
1576        let client_id = self.id.load(Ordering::SeqCst);
1577        log::debug!(
1578            "rpc request start. client_id:{}. name:{}",
1579            client_id,
1580            T::NAME
1581        );
1582        let response = self
1583            .connection_id()
1584            .map(|conn_id| self.peer.request_stream(conn_id, request));
1585        async move {
1586            let response = response?.await;
1587            log::debug!(
1588                "rpc request finish. client_id:{}. name:{}",
1589                client_id,
1590                T::NAME
1591            );
1592            response
1593        }
1594    }
1595
1596    pub fn request_envelope<T: RequestMessage>(
1597        &self,
1598        request: T,
1599    ) -> impl Future<Output = Result<TypedEnvelope<T::Response>>> + use<T> {
1600        let client_id = self.id();
1601        log::debug!(
1602            "rpc request start. client_id:{}. name:{}",
1603            client_id,
1604            T::NAME
1605        );
1606        let response = self
1607            .connection_id()
1608            .map(|conn_id| self.peer.request_envelope(conn_id, request));
1609        async move {
1610            let response = response?.await;
1611            log::debug!(
1612                "rpc request finish. client_id:{}. name:{}",
1613                client_id,
1614                T::NAME
1615            );
1616            response
1617        }
1618    }
1619
1620    pub fn request_dynamic(
1621        &self,
1622        envelope: proto::Envelope,
1623        request_type: &'static str,
1624    ) -> impl Future<Output = Result<proto::Envelope>> + use<> {
1625        let client_id = self.id();
1626        log::debug!(
1627            "rpc request start. client_id:{}. name:{}",
1628            client_id,
1629            request_type
1630        );
1631        let response = self
1632            .connection_id()
1633            .map(|conn_id| self.peer.request_dynamic(conn_id, envelope, request_type));
1634        async move {
1635            let response = response?.await;
1636            log::debug!(
1637                "rpc request finish. client_id:{}. name:{}",
1638                client_id,
1639                request_type
1640            );
1641            Ok(response?.0)
1642        }
1643    }
1644
1645    fn handle_message(self: &Arc<Client>, message: Box<dyn AnyTypedEnvelope>, cx: &AsyncApp) {
1646        let sender_id = message.sender_id();
1647        let request_id = message.message_id();
1648        let type_name = message.payload_type_name();
1649        let original_sender_id = message.original_sender_id();
1650
1651        if let Some(future) = ProtoMessageHandlerSet::handle_message(
1652            &self.handler_set,
1653            message,
1654            self.clone().into(),
1655            cx.clone(),
1656        ) {
1657            let client_id = self.id();
1658            log::debug!(
1659                "rpc message received. client_id:{}, sender_id:{:?}, type:{}",
1660                client_id,
1661                original_sender_id,
1662                type_name
1663            );
1664            cx.spawn(async move |_| match future.await {
1665                Ok(()) => {
1666                    log::debug!(
1667                        "rpc message handled. client_id:{}, sender_id:{:?}, type:{}",
1668                        client_id,
1669                        original_sender_id,
1670                        type_name
1671                    );
1672                }
1673                Err(error) => {
1674                    log::error!(
1675                        "error handling message. client_id:{}, sender_id:{:?}, type:{}, error:{:?}",
1676                        client_id,
1677                        original_sender_id,
1678                        type_name,
1679                        error
1680                    );
1681                }
1682            })
1683            .detach();
1684        } else {
1685            log::info!("unhandled message {}", type_name);
1686            self.peer
1687                .respond_with_unhandled_message(sender_id.into(), request_id, type_name)
1688                .log_err();
1689        }
1690    }
1691
1692    pub fn add_message_to_client_handler(
1693        self: &Arc<Client>,
1694        handler: impl Fn(&MessageToClient, &mut App) + Send + Sync + 'static,
1695    ) {
1696        self.message_to_client_handlers
1697            .lock()
1698            .push(Box::new(handler));
1699    }
1700
1701    fn handle_message_to_client(self: &Arc<Client>, message: MessageToClient, cx: &AsyncApp) {
1702        cx.update(|cx| {
1703            for handler in self.message_to_client_handlers.lock().iter() {
1704                handler(&message, cx);
1705            }
1706        })
1707        .ok();
1708    }
1709
1710    pub fn telemetry(&self) -> &Arc<Telemetry> {
1711        &self.telemetry
1712    }
1713}
1714
1715impl ProtoClient for Client {
1716    fn request(
1717        &self,
1718        envelope: proto::Envelope,
1719        request_type: &'static str,
1720    ) -> BoxFuture<'static, Result<proto::Envelope>> {
1721        self.request_dynamic(envelope, request_type).boxed()
1722    }
1723
1724    fn send(&self, envelope: proto::Envelope, message_type: &'static str) -> Result<()> {
1725        log::debug!("rpc send. client_id:{}, name:{}", self.id(), message_type);
1726        let connection_id = self.connection_id()?;
1727        self.peer.send_dynamic(connection_id, envelope)
1728    }
1729
1730    fn send_response(&self, envelope: proto::Envelope, message_type: &'static str) -> Result<()> {
1731        log::debug!(
1732            "rpc respond. client_id:{}, name:{}",
1733            self.id(),
1734            message_type
1735        );
1736        let connection_id = self.connection_id()?;
1737        self.peer.send_dynamic(connection_id, envelope)
1738    }
1739
1740    fn message_handler_set(&self) -> &parking_lot::Mutex<ProtoMessageHandlerSet> {
1741        &self.handler_set
1742    }
1743
1744    fn is_via_collab(&self) -> bool {
1745        true
1746    }
1747}
1748
1749/// prefix for the zed:// url scheme
1750pub const ZED_URL_SCHEME: &str = "zed";
1751
1752/// Parses the given link into a Zed link.
1753///
1754/// Returns a [`Some`] containing the unprefixed link if the link is a Zed link.
1755/// Returns [`None`] otherwise.
1756pub fn parse_zed_link<'a>(link: &'a str, cx: &App) -> Option<&'a str> {
1757    let server_url = &ClientSettings::get_global(cx).server_url;
1758    if let Some(stripped) = link
1759        .strip_prefix(server_url)
1760        .and_then(|result| result.strip_prefix('/'))
1761    {
1762        return Some(stripped);
1763    }
1764    if let Some(stripped) = link
1765        .strip_prefix(ZED_URL_SCHEME)
1766        .and_then(|result| result.strip_prefix("://"))
1767    {
1768        return Some(stripped);
1769    }
1770
1771    None
1772}
1773
1774#[cfg(test)]
1775mod tests {
1776    use super::*;
1777    use crate::test::{FakeServer, parse_authorization_header};
1778
1779    use clock::FakeSystemClock;
1780    use gpui::{AppContext as _, BackgroundExecutor, TestAppContext};
1781    use http_client::FakeHttpClient;
1782    use parking_lot::Mutex;
1783    use proto::TypedEnvelope;
1784    use settings::SettingsStore;
1785    use std::future;
1786
1787    #[gpui::test(iterations = 10)]
1788    async fn test_reconnection(cx: &mut TestAppContext) {
1789        init_test(cx);
1790        let user_id = 5;
1791        let client = cx.update(|cx| {
1792            Client::new(
1793                Arc::new(FakeSystemClock::new()),
1794                FakeHttpClient::with_404_response(),
1795                cx,
1796            )
1797        });
1798        let server = FakeServer::for_client(user_id, &client, cx).await;
1799        let mut status = client.status();
1800        assert!(matches!(
1801            status.next().await,
1802            Some(Status::Connected { .. })
1803        ));
1804        assert_eq!(server.auth_count(), 1);
1805
1806        server.forbid_connections();
1807        server.disconnect();
1808        while !matches!(status.next().await, Some(Status::ReconnectionError { .. })) {}
1809
1810        server.allow_connections();
1811        cx.executor().advance_clock(Duration::from_secs(10));
1812        while !matches!(status.next().await, Some(Status::Connected { .. })) {}
1813        assert_eq!(server.auth_count(), 1); // Client reused the cached credentials when reconnecting
1814
1815        server.forbid_connections();
1816        server.disconnect();
1817        while !matches!(status.next().await, Some(Status::ReconnectionError { .. })) {}
1818
1819        // Clear cached credentials after authentication fails
1820        server.roll_access_token();
1821        server.allow_connections();
1822        cx.executor().run_until_parked();
1823        cx.executor().advance_clock(Duration::from_secs(10));
1824        while !matches!(status.next().await, Some(Status::Connected { .. })) {}
1825        assert_eq!(server.auth_count(), 2); // Client re-authenticated due to an invalid token
1826    }
1827
1828    #[gpui::test(iterations = 10)]
1829    async fn test_auth_failure_during_reconnection(cx: &mut TestAppContext) {
1830        init_test(cx);
1831        let http_client = FakeHttpClient::with_200_response();
1832        let client =
1833            cx.update(|cx| Client::new(Arc::new(FakeSystemClock::new()), http_client.clone(), cx));
1834        let server = FakeServer::for_client(42, &client, cx).await;
1835        let mut status = client.status();
1836        assert!(matches!(
1837            status.next().await,
1838            Some(Status::Connected { .. })
1839        ));
1840        assert_eq!(server.auth_count(), 1);
1841
1842        // Simulate an auth failure during reconnection.
1843        http_client
1844            .as_fake()
1845            .replace_handler(|_, _request| async move {
1846                Ok(http_client::Response::builder()
1847                    .status(503)
1848                    .body("".into())
1849                    .unwrap())
1850            });
1851        server.disconnect();
1852        while !matches!(status.next().await, Some(Status::ReconnectionError { .. })) {}
1853
1854        // Restore the ability to authenticate.
1855        http_client
1856            .as_fake()
1857            .replace_handler(|_, _request| async move {
1858                Ok(http_client::Response::builder()
1859                    .status(200)
1860                    .body("".into())
1861                    .unwrap())
1862            });
1863        cx.executor().advance_clock(Duration::from_secs(10));
1864        while !matches!(status.next().await, Some(Status::Connected { .. })) {}
1865        assert_eq!(server.auth_count(), 1); // Client reused the cached credentials when reconnecting
1866    }
1867
1868    #[gpui::test(iterations = 10)]
1869    async fn test_connection_timeout(executor: BackgroundExecutor, cx: &mut TestAppContext) {
1870        init_test(cx);
1871        let user_id = 5;
1872        let client = cx.update(|cx| {
1873            Client::new(
1874                Arc::new(FakeSystemClock::new()),
1875                FakeHttpClient::with_404_response(),
1876                cx,
1877            )
1878        });
1879        let mut status = client.status();
1880
1881        // Time out when client tries to connect.
1882        client.override_authenticate(move |cx| {
1883            cx.background_spawn(async move {
1884                Ok(Credentials {
1885                    user_id,
1886                    access_token: "token".into(),
1887                })
1888            })
1889        });
1890        client.override_establish_connection(|_, cx| {
1891            cx.background_spawn(async move {
1892                future::pending::<()>().await;
1893                unreachable!()
1894            })
1895        });
1896        let auth_and_connect = cx.spawn({
1897            let client = client.clone();
1898            |cx| async move { client.connect(false, &cx).await }
1899        });
1900        executor.run_until_parked();
1901        assert!(matches!(status.next().await, Some(Status::Connecting)));
1902
1903        executor.advance_clock(CONNECTION_TIMEOUT);
1904        assert!(matches!(
1905            status.next().await,
1906            Some(Status::ConnectionError { .. })
1907        ));
1908        auth_and_connect.await.into_response().unwrap_err();
1909
1910        // Allow the connection to be established.
1911        let server = FakeServer::for_client(user_id, &client, cx).await;
1912        assert!(matches!(
1913            status.next().await,
1914            Some(Status::Connected { .. })
1915        ));
1916
1917        // Disconnect client.
1918        server.forbid_connections();
1919        server.disconnect();
1920        while !matches!(status.next().await, Some(Status::ReconnectionError { .. })) {}
1921
1922        // Time out when re-establishing the connection.
1923        server.allow_connections();
1924        client.override_establish_connection(|_, cx| {
1925            cx.background_spawn(async move {
1926                future::pending::<()>().await;
1927                unreachable!()
1928            })
1929        });
1930        executor.advance_clock(2 * INITIAL_RECONNECTION_DELAY);
1931        assert!(matches!(
1932            status.next().await,
1933            Some(Status::Reconnecting { .. })
1934        ));
1935
1936        executor.advance_clock(CONNECTION_TIMEOUT);
1937        assert!(matches!(
1938            status.next().await,
1939            Some(Status::ReconnectionError { .. })
1940        ));
1941    }
1942
1943    #[gpui::test(iterations = 10)]
1944    async fn test_reauthenticate_only_if_unauthorized(cx: &mut TestAppContext) {
1945        init_test(cx);
1946        let auth_count = Arc::new(Mutex::new(0));
1947        let http_client = FakeHttpClient::create(|_request| async move {
1948            Ok(http_client::Response::builder()
1949                .status(200)
1950                .body("".into())
1951                .unwrap())
1952        });
1953        let client =
1954            cx.update(|cx| Client::new(Arc::new(FakeSystemClock::new()), http_client.clone(), cx));
1955        client.override_authenticate({
1956            let auth_count = auth_count.clone();
1957            move |cx| {
1958                let auth_count = auth_count.clone();
1959                cx.background_spawn(async move {
1960                    *auth_count.lock() += 1;
1961                    Ok(Credentials {
1962                        user_id: 1,
1963                        access_token: auth_count.lock().to_string(),
1964                    })
1965                })
1966            }
1967        });
1968
1969        let credentials = client.sign_in(false, &cx.to_async()).await.unwrap();
1970        assert_eq!(*auth_count.lock(), 1);
1971        assert_eq!(credentials.access_token, "1");
1972
1973        // If credentials are still valid, signing in doesn't trigger authentication.
1974        let credentials = client.sign_in(false, &cx.to_async()).await.unwrap();
1975        assert_eq!(*auth_count.lock(), 1);
1976        assert_eq!(credentials.access_token, "1");
1977
1978        // If the server is unavailable, signing in doesn't trigger authentication.
1979        http_client
1980            .as_fake()
1981            .replace_handler(|_, _request| async move {
1982                Ok(http_client::Response::builder()
1983                    .status(503)
1984                    .body("".into())
1985                    .unwrap())
1986            });
1987        client.sign_in(false, &cx.to_async()).await.unwrap_err();
1988        assert_eq!(*auth_count.lock(), 1);
1989
1990        // If credentials became invalid, signing in triggers authentication.
1991        http_client
1992            .as_fake()
1993            .replace_handler(|_, request| async move {
1994                let credentials = parse_authorization_header(&request).unwrap();
1995                if credentials.access_token == "2" {
1996                    Ok(http_client::Response::builder()
1997                        .status(200)
1998                        .body("".into())
1999                        .unwrap())
2000                } else {
2001                    Ok(http_client::Response::builder()
2002                        .status(401)
2003                        .body("".into())
2004                        .unwrap())
2005                }
2006            });
2007        let credentials = client.sign_in(false, &cx.to_async()).await.unwrap();
2008        assert_eq!(*auth_count.lock(), 2);
2009        assert_eq!(credentials.access_token, "2");
2010    }
2011
2012    #[gpui::test(iterations = 10)]
2013    async fn test_authenticating_more_than_once(
2014        cx: &mut TestAppContext,
2015        executor: BackgroundExecutor,
2016    ) {
2017        init_test(cx);
2018        let auth_count = Arc::new(Mutex::new(0));
2019        let dropped_auth_count = Arc::new(Mutex::new(0));
2020        let client = cx.update(|cx| {
2021            Client::new(
2022                Arc::new(FakeSystemClock::new()),
2023                FakeHttpClient::with_404_response(),
2024                cx,
2025            )
2026        });
2027        client.override_authenticate({
2028            let auth_count = auth_count.clone();
2029            let dropped_auth_count = dropped_auth_count.clone();
2030            move |cx| {
2031                let auth_count = auth_count.clone();
2032                let dropped_auth_count = dropped_auth_count.clone();
2033                cx.background_spawn(async move {
2034                    *auth_count.lock() += 1;
2035                    let _drop = util::defer(move || *dropped_auth_count.lock() += 1);
2036                    future::pending::<()>().await;
2037                    unreachable!()
2038                })
2039            }
2040        });
2041
2042        let _authenticate = cx.spawn({
2043            let client = client.clone();
2044            move |cx| async move { client.connect(false, &cx).await }
2045        });
2046        executor.run_until_parked();
2047        assert_eq!(*auth_count.lock(), 1);
2048        assert_eq!(*dropped_auth_count.lock(), 0);
2049
2050        let _authenticate = cx.spawn({
2051            let client = client.clone();
2052            |cx| async move { client.connect(false, &cx).await }
2053        });
2054        executor.run_until_parked();
2055        assert_eq!(*auth_count.lock(), 2);
2056        assert_eq!(*dropped_auth_count.lock(), 1);
2057    }
2058
2059    #[gpui::test]
2060    async fn test_subscribing_to_entity(cx: &mut TestAppContext) {
2061        init_test(cx);
2062        let user_id = 5;
2063        let client = cx.update(|cx| {
2064            Client::new(
2065                Arc::new(FakeSystemClock::new()),
2066                FakeHttpClient::with_404_response(),
2067                cx,
2068            )
2069        });
2070        let server = FakeServer::for_client(user_id, &client, cx).await;
2071
2072        let (done_tx1, done_rx1) = smol::channel::unbounded();
2073        let (done_tx2, done_rx2) = smol::channel::unbounded();
2074        AnyProtoClient::from(client.clone()).add_entity_message_handler(
2075            move |entity: Entity<TestEntity>, _: TypedEnvelope<proto::JoinProject>, mut cx| {
2076                match entity.read_with(&mut cx, |entity, _| entity.id).unwrap() {
2077                    1 => done_tx1.try_send(()).unwrap(),
2078                    2 => done_tx2.try_send(()).unwrap(),
2079                    _ => unreachable!(),
2080                }
2081                async { Ok(()) }
2082            },
2083        );
2084        let entity1 = cx.new(|_| TestEntity {
2085            id: 1,
2086            subscription: None,
2087        });
2088        let entity2 = cx.new(|_| TestEntity {
2089            id: 2,
2090            subscription: None,
2091        });
2092        let entity3 = cx.new(|_| TestEntity {
2093            id: 3,
2094            subscription: None,
2095        });
2096
2097        let _subscription1 = client
2098            .subscribe_to_entity(1)
2099            .unwrap()
2100            .set_entity(&entity1, &mut cx.to_async());
2101        let _subscription2 = client
2102            .subscribe_to_entity(2)
2103            .unwrap()
2104            .set_entity(&entity2, &mut cx.to_async());
2105        // Ensure dropping a subscription for the same entity type still allows receiving of
2106        // messages for other entity IDs of the same type.
2107        let subscription3 = client
2108            .subscribe_to_entity(3)
2109            .unwrap()
2110            .set_entity(&entity3, &mut cx.to_async());
2111        drop(subscription3);
2112
2113        server.send(proto::JoinProject {
2114            project_id: 1,
2115            committer_name: None,
2116            committer_email: None,
2117        });
2118        server.send(proto::JoinProject {
2119            project_id: 2,
2120            committer_name: None,
2121            committer_email: None,
2122        });
2123        done_rx1.recv().await.unwrap();
2124        done_rx2.recv().await.unwrap();
2125    }
2126
2127    #[gpui::test]
2128    async fn test_subscribing_after_dropping_subscription(cx: &mut TestAppContext) {
2129        init_test(cx);
2130        let user_id = 5;
2131        let client = cx.update(|cx| {
2132            Client::new(
2133                Arc::new(FakeSystemClock::new()),
2134                FakeHttpClient::with_404_response(),
2135                cx,
2136            )
2137        });
2138        let server = FakeServer::for_client(user_id, &client, cx).await;
2139
2140        let entity = cx.new(|_| TestEntity::default());
2141        let (done_tx1, _done_rx1) = smol::channel::unbounded();
2142        let (done_tx2, done_rx2) = smol::channel::unbounded();
2143        let subscription1 = client.add_message_handler(
2144            entity.downgrade(),
2145            move |_, _: TypedEnvelope<proto::Ping>, _| {
2146                done_tx1.try_send(()).unwrap();
2147                async { Ok(()) }
2148            },
2149        );
2150        drop(subscription1);
2151        let _subscription2 = client.add_message_handler(
2152            entity.downgrade(),
2153            move |_, _: TypedEnvelope<proto::Ping>, _| {
2154                done_tx2.try_send(()).unwrap();
2155                async { Ok(()) }
2156            },
2157        );
2158        server.send(proto::Ping {});
2159        done_rx2.recv().await.unwrap();
2160    }
2161
2162    #[gpui::test]
2163    async fn test_dropping_subscription_in_handler(cx: &mut TestAppContext) {
2164        init_test(cx);
2165        let user_id = 5;
2166        let client = cx.update(|cx| {
2167            Client::new(
2168                Arc::new(FakeSystemClock::new()),
2169                FakeHttpClient::with_404_response(),
2170                cx,
2171            )
2172        });
2173        let server = FakeServer::for_client(user_id, &client, cx).await;
2174
2175        let entity = cx.new(|_| TestEntity::default());
2176        let (done_tx, done_rx) = smol::channel::unbounded();
2177        let subscription = client.add_message_handler(
2178            entity.clone().downgrade(),
2179            move |entity: Entity<TestEntity>, _: TypedEnvelope<proto::Ping>, mut cx| {
2180                entity
2181                    .update(&mut cx, |entity, _| entity.subscription.take())
2182                    .unwrap();
2183                done_tx.try_send(()).unwrap();
2184                async { Ok(()) }
2185            },
2186        );
2187        entity.update(cx, |entity, _| {
2188            entity.subscription = Some(subscription);
2189        });
2190        server.send(proto::Ping {});
2191        done_rx.recv().await.unwrap();
2192    }
2193
2194    #[derive(Default)]
2195    struct TestEntity {
2196        id: usize,
2197        subscription: Option<Subscription>,
2198    }
2199
2200    fn init_test(cx: &mut TestAppContext) {
2201        cx.update(|cx| {
2202            let settings_store = SettingsStore::test(cx);
2203            cx.set_global(settings_store);
2204            init_settings(cx);
2205        });
2206    }
2207}