1mod ids;
2mod queries;
3mod tables;
4#[cfg(test)]
5pub mod tests;
6
7use crate::{executor::Executor, Error, Result};
8use anyhow::anyhow;
9use collections::{BTreeMap, HashMap, HashSet};
10use dashmap::DashMap;
11use futures::StreamExt;
12use rand::{prelude::StdRng, Rng, SeedableRng};
13use rpc::{
14 proto::{self},
15 ConnectionId, ExtensionMetadata,
16};
17use sea_orm::{
18 entity::prelude::*,
19 sea_query::{Alias, Expr, OnConflict},
20 ActiveValue, Condition, ConnectionTrait, DatabaseConnection, DatabaseTransaction, DbErr,
21 FromQueryResult, IntoActiveModel, IsolationLevel, JoinType, QueryOrder, QuerySelect, Statement,
22 TransactionTrait,
23};
24use semantic_version::SemanticVersion;
25use serde::{Deserialize, Serialize};
26use sqlx::{
27 migrate::{Migrate, Migration, MigrationSource},
28 Connection,
29};
30use std::ops::RangeInclusive;
31use std::{
32 fmt::Write as _,
33 future::Future,
34 marker::PhantomData,
35 ops::{Deref, DerefMut},
36 path::Path,
37 rc::Rc,
38 sync::Arc,
39 time::Duration,
40};
41use time::PrimitiveDateTime;
42use tokio::sync::{Mutex, OwnedMutexGuard};
43
44#[cfg(test)]
45pub use tests::TestDb;
46
47pub use ids::*;
48pub use queries::contributors::ContributorSelector;
49pub use sea_orm::ConnectOptions;
50pub use tables::user::Model as User;
51pub use tables::*;
52
53/// Database gives you a handle that lets you access the database.
54/// It handles pooling internally.
55pub struct Database {
56 options: ConnectOptions,
57 pool: DatabaseConnection,
58 rooms: DashMap<RoomId, Arc<Mutex<()>>>,
59 projects: DashMap<ProjectId, Arc<Mutex<()>>>,
60 rng: Mutex<StdRng>,
61 executor: Executor,
62 notification_kinds_by_id: HashMap<NotificationKindId, &'static str>,
63 notification_kinds_by_name: HashMap<String, NotificationKindId>,
64 #[cfg(test)]
65 runtime: Option<tokio::runtime::Runtime>,
66}
67
68// The `Database` type has so many methods that its impl blocks are split into
69// separate files in the `queries` folder.
70impl Database {
71 /// Connects to the database with the given options
72 pub async fn new(options: ConnectOptions, executor: Executor) -> Result<Self> {
73 sqlx::any::install_default_drivers();
74 Ok(Self {
75 options: options.clone(),
76 pool: sea_orm::Database::connect(options).await?,
77 rooms: DashMap::with_capacity(16384),
78 projects: DashMap::with_capacity(16384),
79 rng: Mutex::new(StdRng::seed_from_u64(0)),
80 notification_kinds_by_id: HashMap::default(),
81 notification_kinds_by_name: HashMap::default(),
82 executor,
83 #[cfg(test)]
84 runtime: None,
85 })
86 }
87
88 #[cfg(test)]
89 pub fn reset(&self) {
90 self.rooms.clear();
91 self.projects.clear();
92 }
93
94 /// Runs the database migrations.
95 pub async fn migrate(
96 &self,
97 migrations_path: &Path,
98 ignore_checksum_mismatch: bool,
99 ) -> anyhow::Result<Vec<(Migration, Duration)>> {
100 let migrations = MigrationSource::resolve(migrations_path)
101 .await
102 .map_err(|err| anyhow!("failed to load migrations: {err:?}"))?;
103
104 let mut connection = sqlx::AnyConnection::connect(self.options.get_url()).await?;
105
106 connection.ensure_migrations_table().await?;
107 let applied_migrations: HashMap<_, _> = connection
108 .list_applied_migrations()
109 .await?
110 .into_iter()
111 .map(|m| (m.version, m))
112 .collect();
113
114 let mut new_migrations = Vec::new();
115 for migration in migrations {
116 match applied_migrations.get(&migration.version) {
117 Some(applied_migration) => {
118 if migration.checksum != applied_migration.checksum && !ignore_checksum_mismatch
119 {
120 Err(anyhow!(
121 "checksum mismatch for applied migration {}",
122 migration.description
123 ))?;
124 }
125 }
126 None => {
127 let elapsed = connection.apply(&migration).await?;
128 new_migrations.push((migration, elapsed));
129 }
130 }
131 }
132
133 Ok(new_migrations)
134 }
135
136 /// Transaction runs things in a transaction. If you want to call other methods
137 /// and pass the transaction around you need to reborrow the transaction at each
138 /// call site with: `&*tx`.
139 pub async fn transaction<F, Fut, T>(&self, f: F) -> Result<T>
140 where
141 F: Send + Fn(TransactionHandle) -> Fut,
142 Fut: Send + Future<Output = Result<T>>,
143 {
144 let body = async {
145 let mut i = 0;
146 loop {
147 let (tx, result) = self.with_transaction(&f).await?;
148 match result {
149 Ok(result) => match tx.commit().await.map_err(Into::into) {
150 Ok(()) => return Ok(result),
151 Err(error) => {
152 if !self.retry_on_serialization_error(&error, i).await {
153 return Err(error);
154 }
155 }
156 },
157 Err(error) => {
158 tx.rollback().await?;
159 if !self.retry_on_serialization_error(&error, i).await {
160 return Err(error);
161 }
162 }
163 }
164 i += 1;
165 }
166 };
167
168 self.run(body).await
169 }
170
171 pub async fn weak_transaction<F, Fut, T>(&self, f: F) -> Result<T>
172 where
173 F: Send + Fn(TransactionHandle) -> Fut,
174 Fut: Send + Future<Output = Result<T>>,
175 {
176 let body = async {
177 let (tx, result) = self.with_weak_transaction(&f).await?;
178 match result {
179 Ok(result) => match tx.commit().await.map_err(Into::into) {
180 Ok(()) => return Ok(result),
181 Err(error) => {
182 return Err(error);
183 }
184 },
185 Err(error) => {
186 tx.rollback().await?;
187 return Err(error);
188 }
189 }
190 };
191
192 self.run(body).await
193 }
194
195 /// The same as room_transaction, but if you need to only optionally return a Room.
196 async fn optional_room_transaction<F, Fut, T>(
197 &self,
198 f: F,
199 ) -> Result<Option<TransactionGuard<T>>>
200 where
201 F: Send + Fn(TransactionHandle) -> Fut,
202 Fut: Send + Future<Output = Result<Option<(RoomId, T)>>>,
203 {
204 let body = async {
205 let mut i = 0;
206 loop {
207 let (tx, result) = self.with_transaction(&f).await?;
208 match result {
209 Ok(Some((room_id, data))) => {
210 let lock = self.rooms.entry(room_id).or_default().clone();
211 let _guard = lock.lock_owned().await;
212 match tx.commit().await.map_err(Into::into) {
213 Ok(()) => {
214 return Ok(Some(TransactionGuard {
215 data,
216 _guard,
217 _not_send: PhantomData,
218 }));
219 }
220 Err(error) => {
221 if !self.retry_on_serialization_error(&error, i).await {
222 return Err(error);
223 }
224 }
225 }
226 }
227 Ok(None) => match tx.commit().await.map_err(Into::into) {
228 Ok(()) => return Ok(None),
229 Err(error) => {
230 if !self.retry_on_serialization_error(&error, i).await {
231 return Err(error);
232 }
233 }
234 },
235 Err(error) => {
236 tx.rollback().await?;
237 if !self.retry_on_serialization_error(&error, i).await {
238 return Err(error);
239 }
240 }
241 }
242 i += 1;
243 }
244 };
245
246 self.run(body).await
247 }
248
249 async fn project_transaction<F, Fut, T>(
250 &self,
251 project_id: ProjectId,
252 f: F,
253 ) -> Result<TransactionGuard<T>>
254 where
255 F: Send + Fn(TransactionHandle) -> Fut,
256 Fut: Send + Future<Output = Result<T>>,
257 {
258 let room_id = Database::room_id_for_project(&self, project_id).await?;
259 let body = async {
260 let mut i = 0;
261 loop {
262 let lock = if let Some(room_id) = room_id {
263 self.rooms.entry(room_id).or_default().clone()
264 } else {
265 self.projects.entry(project_id).or_default().clone()
266 };
267 let _guard = lock.lock_owned().await;
268 let (tx, result) = self.with_transaction(&f).await?;
269 match result {
270 Ok(data) => match tx.commit().await.map_err(Into::into) {
271 Ok(()) => {
272 return Ok(TransactionGuard {
273 data,
274 _guard,
275 _not_send: PhantomData,
276 });
277 }
278 Err(error) => {
279 if !self.retry_on_serialization_error(&error, i).await {
280 return Err(error);
281 }
282 }
283 },
284 Err(error) => {
285 tx.rollback().await?;
286 if !self.retry_on_serialization_error(&error, i).await {
287 return Err(error);
288 }
289 }
290 }
291 i += 1;
292 }
293 };
294
295 self.run(body).await
296 }
297
298 /// room_transaction runs the block in a transaction. It returns a RoomGuard, that keeps
299 /// the database locked until it is dropped. This ensures that updates sent to clients are
300 /// properly serialized with respect to database changes.
301 async fn room_transaction<F, Fut, T>(
302 &self,
303 room_id: RoomId,
304 f: F,
305 ) -> Result<TransactionGuard<T>>
306 where
307 F: Send + Fn(TransactionHandle) -> Fut,
308 Fut: Send + Future<Output = Result<T>>,
309 {
310 let body = async {
311 let mut i = 0;
312 loop {
313 let lock = self.rooms.entry(room_id).or_default().clone();
314 let _guard = lock.lock_owned().await;
315 let (tx, result) = self.with_transaction(&f).await?;
316 match result {
317 Ok(data) => match tx.commit().await.map_err(Into::into) {
318 Ok(()) => {
319 return Ok(TransactionGuard {
320 data,
321 _guard,
322 _not_send: PhantomData,
323 });
324 }
325 Err(error) => {
326 if !self.retry_on_serialization_error(&error, i).await {
327 return Err(error);
328 }
329 }
330 },
331 Err(error) => {
332 tx.rollback().await?;
333 if !self.retry_on_serialization_error(&error, i).await {
334 return Err(error);
335 }
336 }
337 }
338 i += 1;
339 }
340 };
341
342 self.run(body).await
343 }
344
345 async fn with_transaction<F, Fut, T>(&self, f: &F) -> Result<(DatabaseTransaction, Result<T>)>
346 where
347 F: Send + Fn(TransactionHandle) -> Fut,
348 Fut: Send + Future<Output = Result<T>>,
349 {
350 let tx = self
351 .pool
352 .begin_with_config(Some(IsolationLevel::Serializable), None)
353 .await?;
354
355 let mut tx = Arc::new(Some(tx));
356 let result = f(TransactionHandle(tx.clone())).await;
357 let Some(tx) = Arc::get_mut(&mut tx).and_then(|tx| tx.take()) else {
358 return Err(anyhow!(
359 "couldn't complete transaction because it's still in use"
360 ))?;
361 };
362
363 Ok((tx, result))
364 }
365
366 async fn with_weak_transaction<F, Fut, T>(
367 &self,
368 f: &F,
369 ) -> Result<(DatabaseTransaction, Result<T>)>
370 where
371 F: Send + Fn(TransactionHandle) -> Fut,
372 Fut: Send + Future<Output = Result<T>>,
373 {
374 let tx = self
375 .pool
376 .begin_with_config(Some(IsolationLevel::ReadCommitted), None)
377 .await?;
378
379 let mut tx = Arc::new(Some(tx));
380 let result = f(TransactionHandle(tx.clone())).await;
381 let Some(tx) = Arc::get_mut(&mut tx).and_then(|tx| tx.take()) else {
382 return Err(anyhow!(
383 "couldn't complete transaction because it's still in use"
384 ))?;
385 };
386
387 Ok((tx, result))
388 }
389
390 async fn run<F, T>(&self, future: F) -> Result<T>
391 where
392 F: Future<Output = Result<T>>,
393 {
394 #[cfg(test)]
395 {
396 if let Executor::Deterministic(executor) = &self.executor {
397 executor.simulate_random_delay().await;
398 }
399
400 self.runtime.as_ref().unwrap().block_on(future)
401 }
402
403 #[cfg(not(test))]
404 {
405 future.await
406 }
407 }
408
409 async fn retry_on_serialization_error(&self, error: &Error, prev_attempt_count: usize) -> bool {
410 // If the error is due to a failure to serialize concurrent transactions, then retry
411 // this transaction after a delay. With each subsequent retry, double the delay duration.
412 // Also vary the delay randomly in order to ensure different database connections retry
413 // at different times.
414 const SLEEPS: [f32; 10] = [10., 20., 40., 80., 160., 320., 640., 1280., 2560., 5120.];
415 if is_serialization_error(error) && prev_attempt_count < SLEEPS.len() {
416 let base_delay = SLEEPS[prev_attempt_count];
417 let randomized_delay = base_delay * self.rng.lock().await.gen_range(0.5..=2.0);
418 log::info!(
419 "retrying transaction after serialization error. delay: {} ms.",
420 randomized_delay
421 );
422 self.executor
423 .sleep(Duration::from_millis(randomized_delay as u64))
424 .await;
425 true
426 } else {
427 false
428 }
429 }
430}
431
432fn is_serialization_error(error: &Error) -> bool {
433 const SERIALIZATION_FAILURE_CODE: &str = "40001";
434 match error {
435 Error::Database(
436 DbErr::Exec(sea_orm::RuntimeErr::SqlxError(error))
437 | DbErr::Query(sea_orm::RuntimeErr::SqlxError(error)),
438 ) if error
439 .as_database_error()
440 .and_then(|error| error.code())
441 .as_deref()
442 == Some(SERIALIZATION_FAILURE_CODE) =>
443 {
444 true
445 }
446 _ => false,
447 }
448}
449
450/// A handle to a [`DatabaseTransaction`].
451pub struct TransactionHandle(Arc<Option<DatabaseTransaction>>);
452
453impl Deref for TransactionHandle {
454 type Target = DatabaseTransaction;
455
456 fn deref(&self) -> &Self::Target {
457 self.0.as_ref().as_ref().unwrap()
458 }
459}
460
461/// [`TransactionGuard`] keeps a database transaction alive until it is dropped.
462/// It wraps data that depends on the state of the database and prevents an additional
463/// transaction from starting that would invalidate that data.
464pub struct TransactionGuard<T> {
465 data: T,
466 _guard: OwnedMutexGuard<()>,
467 _not_send: PhantomData<Rc<()>>,
468}
469
470impl<T> Deref for TransactionGuard<T> {
471 type Target = T;
472
473 fn deref(&self) -> &T {
474 &self.data
475 }
476}
477
478impl<T> DerefMut for TransactionGuard<T> {
479 fn deref_mut(&mut self) -> &mut T {
480 &mut self.data
481 }
482}
483
484impl<T> TransactionGuard<T> {
485 /// Returns the inner value of the guard.
486 pub fn into_inner(self) -> T {
487 self.data
488 }
489}
490
491#[derive(Clone, Debug, PartialEq, Eq)]
492pub enum Contact {
493 Accepted { user_id: UserId, busy: bool },
494 Outgoing { user_id: UserId },
495 Incoming { user_id: UserId },
496}
497
498impl Contact {
499 pub fn user_id(&self) -> UserId {
500 match self {
501 Contact::Accepted { user_id, .. } => *user_id,
502 Contact::Outgoing { user_id } => *user_id,
503 Contact::Incoming { user_id, .. } => *user_id,
504 }
505 }
506}
507
508pub type NotificationBatch = Vec<(UserId, proto::Notification)>;
509
510pub struct CreatedChannelMessage {
511 pub message_id: MessageId,
512 pub participant_connection_ids: Vec<ConnectionId>,
513 pub channel_members: Vec<UserId>,
514 pub notifications: NotificationBatch,
515}
516
517pub struct UpdatedChannelMessage {
518 pub message_id: MessageId,
519 pub participant_connection_ids: Vec<ConnectionId>,
520 pub notifications: NotificationBatch,
521 pub reply_to_message_id: Option<MessageId>,
522 pub timestamp: PrimitiveDateTime,
523 pub deleted_mention_notification_ids: Vec<NotificationId>,
524 pub updated_mention_notifications: Vec<rpc::proto::Notification>,
525}
526
527#[derive(Clone, Debug, PartialEq, Eq, FromQueryResult, Serialize, Deserialize)]
528pub struct Invite {
529 pub email_address: String,
530 pub email_confirmation_code: String,
531}
532
533#[derive(Clone, Debug, Deserialize)]
534pub struct NewSignup {
535 pub email_address: String,
536 pub platform_mac: bool,
537 pub platform_windows: bool,
538 pub platform_linux: bool,
539 pub editor_features: Vec<String>,
540 pub programming_languages: Vec<String>,
541 pub device_id: Option<String>,
542 pub added_to_mailing_list: bool,
543 pub created_at: Option<DateTime>,
544}
545
546#[derive(Clone, Debug, PartialEq, Deserialize, Serialize, FromQueryResult)]
547pub struct WaitlistSummary {
548 pub count: i64,
549 pub linux_count: i64,
550 pub mac_count: i64,
551 pub windows_count: i64,
552 pub unknown_count: i64,
553}
554
555/// The parameters to create a new user.
556#[derive(Debug, Serialize, Deserialize)]
557pub struct NewUserParams {
558 pub github_login: String,
559 pub github_user_id: i32,
560}
561
562/// The result of creating a new user.
563#[derive(Debug)]
564pub struct NewUserResult {
565 pub user_id: UserId,
566 pub metrics_id: String,
567 pub inviting_user_id: Option<UserId>,
568 pub signup_device_id: Option<String>,
569}
570
571/// The result of updating a channel membership.
572#[derive(Debug)]
573pub struct MembershipUpdated {
574 pub channel_id: ChannelId,
575 pub new_channels: ChannelsForUser,
576 pub removed_channels: Vec<ChannelId>,
577}
578
579/// The result of setting a member's role.
580#[derive(Debug)]
581#[allow(clippy::large_enum_variant)]
582pub enum SetMemberRoleResult {
583 InviteUpdated(Channel),
584 MembershipUpdated(MembershipUpdated),
585}
586
587/// The result of inviting a member to a channel.
588#[derive(Debug)]
589pub struct InviteMemberResult {
590 pub channel: Channel,
591 pub notifications: NotificationBatch,
592}
593
594#[derive(Debug)]
595pub struct RespondToChannelInvite {
596 pub membership_update: Option<MembershipUpdated>,
597 pub notifications: NotificationBatch,
598}
599
600#[derive(Debug)]
601pub struct RemoveChannelMemberResult {
602 pub membership_update: MembershipUpdated,
603 pub notification_id: Option<NotificationId>,
604}
605
606#[derive(Debug, PartialEq, Eq, Hash)]
607pub struct Channel {
608 pub id: ChannelId,
609 pub name: String,
610 pub visibility: ChannelVisibility,
611 /// parent_path is the channel ids from the root to this one (not including this one)
612 pub parent_path: Vec<ChannelId>,
613}
614
615impl Channel {
616 pub fn from_model(value: channel::Model) -> Self {
617 Channel {
618 id: value.id,
619 visibility: value.visibility,
620 name: value.clone().name,
621 parent_path: value.ancestors().collect(),
622 }
623 }
624
625 pub fn to_proto(&self) -> proto::Channel {
626 proto::Channel {
627 id: self.id.to_proto(),
628 name: self.name.clone(),
629 visibility: self.visibility.into(),
630 parent_path: self.parent_path.iter().map(|c| c.to_proto()).collect(),
631 }
632 }
633}
634
635#[derive(Debug, PartialEq, Eq, Hash)]
636pub struct ChannelMember {
637 pub role: ChannelRole,
638 pub user_id: UserId,
639 pub kind: proto::channel_member::Kind,
640}
641
642impl ChannelMember {
643 pub fn to_proto(&self) -> proto::ChannelMember {
644 proto::ChannelMember {
645 role: self.role.into(),
646 user_id: self.user_id.to_proto(),
647 kind: self.kind.into(),
648 }
649 }
650}
651
652#[derive(Debug, PartialEq)]
653pub struct ChannelsForUser {
654 pub channels: Vec<Channel>,
655 pub channel_memberships: Vec<channel_member::Model>,
656 pub channel_participants: HashMap<ChannelId, Vec<UserId>>,
657 pub hosted_projects: Vec<proto::HostedProject>,
658 pub dev_servers: Vec<dev_server::Model>,
659 pub remote_projects: Vec<proto::RemoteProject>,
660
661 pub observed_buffer_versions: Vec<proto::ChannelBufferVersion>,
662 pub observed_channel_messages: Vec<proto::ChannelMessageId>,
663 pub latest_buffer_versions: Vec<proto::ChannelBufferVersion>,
664 pub latest_channel_messages: Vec<proto::ChannelMessageId>,
665}
666
667#[derive(Debug)]
668pub struct RejoinedChannelBuffer {
669 pub buffer: proto::RejoinedChannelBuffer,
670 pub old_connection_id: ConnectionId,
671}
672
673#[derive(Clone)]
674pub struct JoinRoom {
675 pub room: proto::Room,
676 pub channel: Option<channel::Model>,
677}
678
679pub struct RejoinedRoom {
680 pub room: proto::Room,
681 pub rejoined_projects: Vec<RejoinedProject>,
682 pub reshared_projects: Vec<ResharedProject>,
683 pub channel: Option<channel::Model>,
684}
685
686pub struct ResharedProject {
687 pub id: ProjectId,
688 pub old_connection_id: ConnectionId,
689 pub collaborators: Vec<ProjectCollaborator>,
690 pub worktrees: Vec<proto::WorktreeMetadata>,
691}
692
693pub struct RejoinedProject {
694 pub id: ProjectId,
695 pub old_connection_id: ConnectionId,
696 pub collaborators: Vec<ProjectCollaborator>,
697 pub worktrees: Vec<RejoinedWorktree>,
698 pub language_servers: Vec<proto::LanguageServer>,
699}
700
701impl RejoinedProject {
702 pub fn to_proto(&self) -> proto::RejoinedProject {
703 proto::RejoinedProject {
704 id: self.id.to_proto(),
705 worktrees: self
706 .worktrees
707 .iter()
708 .map(|worktree| proto::WorktreeMetadata {
709 id: worktree.id,
710 root_name: worktree.root_name.clone(),
711 visible: worktree.visible,
712 abs_path: worktree.abs_path.clone(),
713 })
714 .collect(),
715 collaborators: self
716 .collaborators
717 .iter()
718 .map(|collaborator| collaborator.to_proto())
719 .collect(),
720 language_servers: self.language_servers.clone(),
721 }
722 }
723}
724
725#[derive(Debug)]
726pub struct RejoinedWorktree {
727 pub id: u64,
728 pub abs_path: String,
729 pub root_name: String,
730 pub visible: bool,
731 pub updated_entries: Vec<proto::Entry>,
732 pub removed_entries: Vec<u64>,
733 pub updated_repositories: Vec<proto::RepositoryEntry>,
734 pub removed_repositories: Vec<u64>,
735 pub diagnostic_summaries: Vec<proto::DiagnosticSummary>,
736 pub settings_files: Vec<WorktreeSettingsFile>,
737 pub scan_id: u64,
738 pub completed_scan_id: u64,
739}
740
741pub struct LeftRoom {
742 pub room: proto::Room,
743 pub channel: Option<channel::Model>,
744 pub left_projects: HashMap<ProjectId, LeftProject>,
745 pub canceled_calls_to_user_ids: Vec<UserId>,
746 pub deleted: bool,
747}
748
749pub struct RefreshedRoom {
750 pub room: proto::Room,
751 pub channel: Option<channel::Model>,
752 pub stale_participant_user_ids: Vec<UserId>,
753 pub canceled_calls_to_user_ids: Vec<UserId>,
754}
755
756pub struct RefreshedChannelBuffer {
757 pub connection_ids: Vec<ConnectionId>,
758 pub collaborators: Vec<proto::Collaborator>,
759}
760
761pub struct Project {
762 pub id: ProjectId,
763 pub role: ChannelRole,
764 pub collaborators: Vec<ProjectCollaborator>,
765 pub worktrees: BTreeMap<u64, Worktree>,
766 pub language_servers: Vec<proto::LanguageServer>,
767}
768
769pub struct ProjectCollaborator {
770 pub connection_id: ConnectionId,
771 pub user_id: UserId,
772 pub replica_id: ReplicaId,
773 pub is_host: bool,
774}
775
776impl ProjectCollaborator {
777 pub fn to_proto(&self) -> proto::Collaborator {
778 proto::Collaborator {
779 peer_id: Some(self.connection_id.into()),
780 replica_id: self.replica_id.0 as u32,
781 user_id: self.user_id.to_proto(),
782 }
783 }
784}
785
786#[derive(Debug)]
787pub struct LeftProject {
788 pub id: ProjectId,
789 pub host_user_id: Option<UserId>,
790 pub host_connection_id: Option<ConnectionId>,
791 pub connection_ids: Vec<ConnectionId>,
792}
793
794pub struct Worktree {
795 pub id: u64,
796 pub abs_path: String,
797 pub root_name: String,
798 pub visible: bool,
799 pub entries: Vec<proto::Entry>,
800 pub repository_entries: BTreeMap<u64, proto::RepositoryEntry>,
801 pub diagnostic_summaries: Vec<proto::DiagnosticSummary>,
802 pub settings_files: Vec<WorktreeSettingsFile>,
803 pub scan_id: u64,
804 pub completed_scan_id: u64,
805}
806
807#[derive(Debug)]
808pub struct WorktreeSettingsFile {
809 pub path: String,
810 pub content: String,
811}
812
813pub struct NewExtensionVersion {
814 pub name: String,
815 pub version: semver::Version,
816 pub description: String,
817 pub authors: Vec<String>,
818 pub repository: String,
819 pub schema_version: i32,
820 pub wasm_api_version: Option<String>,
821 pub published_at: PrimitiveDateTime,
822}
823
824pub struct ExtensionVersionConstraints {
825 pub schema_versions: RangeInclusive<i32>,
826 pub wasm_api_versions: RangeInclusive<SemanticVersion>,
827}