artisan_middleware/
git_actions.rs

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
use std::fs::{File, OpenOptions};
use std::future::Future;
use std::io::{Read, Write};
use std::pin::Pin;
use std::process::Output;

use serde::{Deserialize, Serialize};
use tokio::process::Command;

use dusa_collection_utils::{
    errors::{ErrorArrayItem, Errors},
    functions::{create_hash, truncate},
    stringy::Stringy,
    types::PathType,
};

use crate::encryption::{decrypt_text, encrypt_text};

pub const ARTISANCF: &str = "/opt/artisan/artisan.cf";

/// Represents the Git server to interact with.
#[derive(Debug, PartialEq, Eq, PartialOrd, Ord, Serialize, Deserialize, Clone)]
pub enum GitServer {
    GitHub,
    GitLab,
    Custom(String), // Custom server URL
}

/// Represents Git authentication information for a repository.
#[derive(Serialize, Deserialize, Debug, Clone, PartialEq, PartialOrd, Eq, Ord)]
pub struct GitAuth {
    /// The username or owner of the repository.
    pub user: Stringy,
    /// The name of the repository.
    pub repo: Stringy,
    /// The branch of the repository.
    pub branch: Stringy,
    /// The service where the repo is located.
    pub server: GitServer,
    /// The authentication token (optional, remove if not used).
    pub token: Option<Stringy>, // Changed to Option to allow absence
}

/// Represents Git credentials, containing a list of authentication items.
#[derive(Serialize, Deserialize, Debug, Clone, PartialEq, PartialOrd)]
pub struct GitCredentials {
    /// A vector of `GitAuth` items.
    pub auth_items: Vec<GitAuth>,
}

/// Represents various Git actions that can be performed.
#[derive(Debug)]
pub enum GitAction {
    Clone {
        repo_name: Stringy,
        repo_owner: Stringy,
        destination: PathType,
        repo_branch: Stringy,
        server: GitServer,
    },
    Pull {
        target_branch: Stringy,
        destination: PathType,
    },
    Push {
        directory: PathType,
    },
    Stage {
        directory: PathType,
        files: Vec<String>,
    },
    Commit {
        directory: PathType,
        message: Stringy,
    },
    CheckRemoteAhead {
        directory: PathType,
    },
    Switch {
        branch: Stringy,
        destination: PathType,
    },
    SetSafe {
        directory: PathType,
    },
    SetTrack {
        directory: PathType,
    },
    Branch {
        directory: PathType,
    },
    Fetch {
        destination: PathType,
    },
}

impl GitCredentials {
    /// Creates a new instance of `GitCredentials` by reading and decrypting the credentials file.
    ///
    /// # Returns
    ///
    /// Returns a `GitCredentials` instance if successful.
    ///
    /// # Errors
    ///
    /// Returns an `ErrorArrayItem` if reading, decrypting, or deserializing fails.
    pub fn new(file: Option<&PathType>) -> Result<Self, ErrorArrayItem> {
        match file {
            Some(file) => {
                if file.exists() {
                    let encrypted_credentials = Self::read_file(file)?;
                    let decrypted_string = decrypt_text(encrypted_credentials)?.replace('\n', "");
                    let data: GitCredentials = serde_json::from_str(&decrypted_string)?;
                    Ok(data)
                } else {
                    Err(ErrorArrayItem::new(
                        Errors::InvalidFile,
                        "No such file or directory".to_owned(),
                    ))
                }
            }
            None => {
                let encrypted_credentials = Self::read_file(&PathType::Str(ARTISANCF.into()))?;
                let decrypted_string = decrypt_text(encrypted_credentials)?.replace('\n', "");
                let data: GitCredentials = serde_json::from_str(&decrypted_string)?;
                Ok(data)
            }
        }
    }

    /// Creates a new vector of `GitAuth` items by loading the credentials.
    ///
    /// # Returns
    ///
    /// Returns a vector of `GitAuth` items if successful.
    ///
    /// # Errors
    ///
    /// Returns an `ErrorArrayItem` if loading the credentials fails.
    pub fn new_vec(file: Option<&PathType>) -> Result<Vec<GitAuth>, ErrorArrayItem> {
        let git_credentials = Self::new(file)?;
        Ok(git_credentials.auth_items.clone())
    }

    /// Converts `GitCredentials` into a vector of `GitAuth` items.
    pub fn to_vec(self) -> Vec<GitAuth> {
        self.auth_items
    }

    /// Saves the `GitCredentials` to the specified file path by serializing and encrypting the data.
    ///
    /// # Arguments
    ///
    /// * `file_path` - The path to the file where credentials will be saved.
    ///
    /// # Errors
    ///
    /// Returns an `ErrorArrayItem` if serialization, encryption, or file writing fails.
    pub fn save(&self, file_path: &PathType) -> Result<(), ErrorArrayItem> {
        // Convert PathType to Path
        let binding = file_path.clone().to_path_buf();
        let path = binding.as_path();

        // Serialize GitCredentials to JSON
        let json_data = serde_json::to_string(self).map_err(|e| {
            ErrorArrayItem::new(Errors::GeneralError, format!("Serialization error: {}", e))
        })?;

        // Encrypt the JSON data
        let encrypted_data = encrypt_text(Stringy::new(&json_data)).map_err(|e| {
            ErrorArrayItem::new(Errors::GeneralError, format!("Encryption error: {:?}", e))
        })?;

        // Write the encrypted data to the file
        let mut file = OpenOptions::new()
            .write(true)
            .create(true)
            .truncate(true) // Ensure the file is truncated to avoid leftover data
            .open(path)
            .map_err(|e| {
                ErrorArrayItem::new(
                    Errors::InvalidFile,
                    format!(
                        "Unable to create or open the file: {:?}, error: {}",
                        path, e
                    ),
                )
            })?;

        file.write_all(encrypted_data.as_bytes()).map_err(|e| {
            ErrorArrayItem::new(
                Errors::ReadingFile,
                format!("Unable to write to the file: {:?}, error: {}", path, e),
            )
        })?;

        // Ensure data is flushed to disk
        file.sync_all().map_err(|e| {
            ErrorArrayItem::new(
                Errors::ReadingFile,
                format!("Unable to sync data to the file: {:?}, error: {}", path, e),
            )
        })?;

        Ok(())
    }

    /// Reads the contents of a file and returns it as a `Stringy`, removing any newline characters.
    ///
    /// # Arguments
    ///
    /// * `file_path` - The path to the file to read.
    ///
    /// # Returns
    ///
    /// Returns the file contents as a `Stringy`.
    ///
    /// # Errors
    ///
    /// Returns an `ErrorArrayItem` if reading the file fails.
    pub fn read_file(file_path: &PathType) -> Result<Stringy, ErrorArrayItem> {
        let mut file = File::open(file_path)?;
        let mut file_contents = String::new();
        file.read_to_string(&mut file_contents)?;
        Ok(Stringy::new(&file_contents.replace('\n', "")))
    }

    /// Adds a new `GitAuth` item to the credentials.
    ///
    /// # Arguments
    ///
    /// * `auth` - The `GitAuth` item to add.
    pub fn add_auth(&mut self, auth: GitAuth) {
        self.auth_items.push(auth);
    }

    /// Bootstraps Git credentials by attempting to load existing credentials or creating a new default set.
    ///
    /// # Returns
    ///
    /// Returns a `GitCredentials` instance.
    ///
    /// # Errors
    ///
    /// Returns an `ErrorArrayItem` if saving new credentials fails.
    pub fn bootstrap_git_credentials() -> Result<GitCredentials, ErrorArrayItem> {
        match GitCredentials::new(None) {
            Ok(creds) => Ok(creds),
            Err(_) => {
                let default_creds = GitCredentials {
                    auth_items: Vec::new(),
                };
                Ok(default_creds)
            }
        }
    }
}

impl GitAction {
    /// Executes the specified Git action asynchronously.
    ///
    /// # Returns
    ///
    /// Returns an `Option<Output>` containing the output of the command if applicable.
    ///
    /// # Errors
    ///
    /// Returns an `ErrorArrayItem` if the action fails.
    pub fn execute(
        &self,
    ) -> Pin<Box<dyn Future<Output = Result<Option<Output>, ErrorArrayItem>> + '_>> {
        Box::pin(async move {
            check_git_installed().await?;

            match self {
                GitAction::Clone {
                    repo_name,
                    repo_owner,
                    destination,
                    repo_branch,
                    server,
                } => {
                    let url = match server {
                        GitServer::GitHub => {
                            format!("https://github.com/{}/{}.git", repo_owner, repo_name)
                        }
                        GitServer::GitLab => {
                            format!("https://gitlab.com/{}/{}.git", repo_owner, repo_name)
                        }
                        GitServer::Custom(base_url) => {
                            format!(
                                "{}/{}/{}.git",
                                base_url.trim_end_matches('/'),
                                repo_owner,
                                repo_name
                            )
                        }
                    };

                    execute_git_command(&[
                        "clone",
                        "-b",
                        repo_branch,
                        &url,
                        &destination.to_string(),
                    ])
                    .await
                    .map(Some)
                }
                GitAction::Pull {
                    target_branch,
                    destination,
                } => {
                    if destination.exists() {
                        execute_git_command(&["-C", &destination.to_string(), "pull"]).await?;
                        execute_git_command(&[
                            "-C",
                            &destination.to_string(),
                            "switch",
                            target_branch,
                        ])
                        .await
                        .map(Some)
                    } else {
                        Err(ErrorArrayItem::new(
                            Errors::InvalidFile,
                            "Repository path not found".to_string(),
                        ))
                    }
                }
                GitAction::Push { directory } => {
                    if directory.exists() {
                        execute_git_command(&["-C", &directory.to_string(), "push"])
                            .await
                            .map(Some)
                    } else {
                        Err(ErrorArrayItem::new(
                            Errors::InvalidFile,
                            "Repository path not found".to_string(),
                        ))
                    }
                }
                GitAction::Stage { directory, files } => {
                    let dir = directory.clone().to_string();
                    if directory.exists() {
                        let mut args = vec!["-C", &dir, "add"];
                        args.extend(files.iter().map(|s| s.as_str()));
                        execute_git_command(&args).await.map(Some)
                    } else {
                        Err(ErrorArrayItem::new(
                            Errors::InvalidFile,
                            "Repository path not found".to_string(),
                        ))
                    }
                }
                GitAction::Commit { directory, message } => {
                    if directory.exists() {
                        execute_git_command(&[
                            "-C",
                            &directory.to_string(),
                            "commit",
                            "-m",
                            message,
                        ])
                        .await
                        .map(Some)
                    } else {
                        Err(ErrorArrayItem::new(
                            Errors::InvalidFile,
                            "Repository path not found".to_string(),
                        ))
                    }
                }
                GitAction::CheckRemoteAhead { directory } => {
                    let is_ahead = check_remote_ahead(directory).await?;
                    if is_ahead {
                        Ok(Some(
                            Command::new("echo")
                                .arg("Remote is ahead")
                                .output()
                                .await
                                .map_err(ErrorArrayItem::from)?,
                        ))
                    } else {
                        Ok(None)
                    }
                }
                GitAction::Fetch { destination } => {
                    if destination.exists() {
                        execute_git_command(&["-C", &destination.to_string(), "fetch", "--all"])
                            .await
                            .map(|_| None)
                    } else {
                        Err(ErrorArrayItem::new(
                            Errors::InvalidFile,
                            "Repository path not found".to_string(),
                        ))
                    }
                }
                GitAction::Switch {
                    branch,
                    destination,
                } => {
                    if destination.exists() {
                        execute_git_command(&["-C", &destination.to_string(), "switch", branch])
                            .await
                            .map(Some)
                    } else {
                        Err(ErrorArrayItem::new(
                            Errors::InvalidFile,
                            "Repository path not found".to_string(),
                        ))
                    }
                }
                GitAction::SetSafe { directory } => execute_git_command(&[
                    "config",
                    "--global",
                    "--add",
                    "safe.directory",
                    &directory.to_string(),
                ])
                .await
                .map(Some),
                GitAction::SetTrack { directory } => {
                    if directory.exists() {
                        execute_git_command(&["-C", &directory.to_string(), "fetch"]).await?;
                        let branch_output = Self::Branch {
                            directory: directory.clone(),
                        }
                        .execute()
                        .await?;

                        if let Some(output) = branch_output {
                            let output_str = String::from_utf8_lossy(&output.stdout);
                            let branches: Vec<&str> = output_str
                                .lines()
                                .filter(|line| !line.contains("->"))
                                .map(|line| line.trim())
                                .collect();

                            for remote in branches {
                                let clean_remote = remote.replace("origin/", "");
                                if !clean_remote.is_empty() {
                                    execute_git_command(&[
                                        "-C",
                                        &directory.to_string(),
                                        "branch",
                                        "--track",
                                        &clean_remote,
                                        remote,
                                    ])
                                    .await?;
                                }
                            }
                            Ok(None)
                        } else {
                            Err(ErrorArrayItem::new(
                                Errors::Git,
                                "Invalid branch data from the current repository".to_string(),
                            ))
                        }
                    } else {
                        Err(ErrorArrayItem::new(
                            Errors::InvalidFile,
                            "Repository path not found".to_string(),
                        ))
                    }
                }
                GitAction::Branch { directory } => {
                    if directory.exists() {
                        execute_git_command(&["-C", &directory.to_string(), "branch", "-r"])
                            .await
                            .map(Some)
                    } else {
                        Err(ErrorArrayItem::new(
                            Errors::InvalidFile,
                            "Repository path not found".to_string(),
                        ))
                    }
                }
            }
        })
    }
}

/// Checks if Git is installed on the system.
///
/// # Errors
///
/// Returns an `ErrorArrayItem` if Git is not installed or not found.
async fn check_git_installed() -> Result<(), ErrorArrayItem> {
    let output = Command::new("git")
        .arg("--version")
        .output()
        .await
        .map_err(ErrorArrayItem::from)?;

    if output.status.success() {
        Ok(())
    } else {
        Err(ErrorArrayItem::new(
            Errors::GeneralError,
            "Git not installed or not found".to_string(),
        ))
    }
}

/// Executes a Git command with the provided arguments.
///
/// # Arguments
///
/// * `args` - A slice of command-line arguments to pass to Git.
///
/// # Returns
///
/// Returns the `Output` of the command if successful.
///
/// # Errors
///
/// Returns an `ErrorArrayItem` if the command execution fails.
async fn execute_git_command(args: &[&str]) -> Result<Output, ErrorArrayItem> {
    let output = Command::new("git")
        .args(args)
        .output()
        .await
        .map_err(|e| ErrorArrayItem::from(e))?;

    if output.status.success() {
        Ok(output)
    } else {
        let stderr = String::from_utf8_lossy(&output.stderr).to_string();
        Err(ErrorArrayItem::new(Errors::GeneralError, stderr))
    }
}

/// Checks if the remote repository is ahead of the local repository.
///
/// # Arguments
///
/// * `directory` - The local repository directory to check.
///
/// # Returns
///
/// Returns `true` if the remote is ahead, `false` otherwise.
///
/// # Errors
///
/// Returns an `ErrorArrayItem` if the Git commands fail.
async fn check_remote_ahead(directory: &PathType) -> Result<bool, ErrorArrayItem> {
    execute_git_command(&["-C", &directory.to_string(), "fetch"]).await?;

    let local_hash =
        execute_git_hash_command(&["-C", &directory.to_string(), "rev-parse", "@"]).await?;
    let remote_hash =
        execute_git_hash_command(&["-C", &directory.to_string(), "rev-parse", "@{u}"]).await?;

    Ok(remote_hash != local_hash)
}

/// Executes a Git command that returns a hash.
///
/// # Arguments
///
/// * `args` - A slice of command-line arguments to pass to Git.
///
/// # Returns
///
/// Returns the hash as a `String` if successful.
///
/// # Errors
///
/// Returns an `ErrorArrayItem` if the command execution fails.
async fn execute_git_hash_command(args: &[&str]) -> Result<String, ErrorArrayItem> {
    let output = Command::new("git")
        .args(args)
        .output()
        .await
        .map_err(ErrorArrayItem::from)?;

    if output.status.success() {
        Ok(String::from_utf8_lossy(&output.stdout).trim().to_string())
    } else {
        let stderr = String::from_utf8_lossy(&output.stderr).to_string();
        Err(ErrorArrayItem::new(Errors::Git, stderr))
    }
}

/// Generates the project path based on the Git authentication information.
///
/// # Arguments
///
/// * `auth` - A reference to `GitAuth` containing branch, repository, and user information.
///
/// # Returns
///
/// Returns a `PathType` representing the project path.
pub fn generate_git_project_path(auth: &GitAuth) -> PathType {
    PathType::Content(format!("/var/www/ais/{}", generate_git_project_id(auth)))
}

/// Generates a unique project ID based on the Git authentication information.
///
/// # Arguments
///
/// * `auth` - A reference to `GitAuth` containing branch, repository, and user information.
///
/// # Returns
///
/// Returns a `Stringy` representing the truncated hash of the project ID.
pub fn generate_git_project_id(auth: &GitAuth) -> Stringy {
    let hash_input = format!("{}-{}-{}", auth.branch, auth.repo, auth.user);
    let hash = create_hash(hash_input);
    let truncated_hash = truncate(&hash, 8);
    truncated_hash.into()
}