-
Notifications
You must be signed in to change notification settings - Fork 20
/
pipelines.rs
84 lines (71 loc) · 2.74 KB
/
pipelines.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
// Copyright (c) Microsoft Corporation.
// Licensed under the MIT License.
// pipelines.rs
// Pipelines example.
use anyhow::Result;
use azure_devops_rust_api::pipelines;
use azure_devops_rust_api::pipelines::models::Pipeline;
use std::env;
mod utils;
#[tokio::main]
async fn main() -> Result<()> {
// Get authentication credential
let credential = utils::get_credential()?;
// Get ADO server configuration via environment variables
let organization = env::var("ADO_ORGANIZATION").expect("Must define ADO_ORGANIZATION");
let project = env::var("ADO_PROJECT").expect("Must define ADO_PROJECT");
let pipeline_name = env::args().nth(1).expect("Usage: pipelines <name>");
// Create a pipelines client
let pipelines_client = pipelines::ClientBuilder::new(credential).build();
// List all pipelines in the specified organization/project
let pipelines = pipelines_client
.pipelines_client()
.list(&organization, &project)
.await?
.value;
println!("Total pipelines: {}", pipelines.len());
// Filter the pipelines to just those that contain the specified name
println!("\nMatched pipelines:");
let matched_pipelines: Vec<Pipeline> = pipelines
.iter()
.filter(|pipeline| pipeline.name.contains(&pipeline_name))
.cloned()
.collect();
for pipeline in matched_pipelines.iter() {
println!("{:4} {}", pipeline.id, pipeline.name);
}
if let Some(pipeline) = matched_pipelines.first() {
println!("\nExample pipeline struct from list:");
println!("{:#?}", pipeline);
// The pipeline struct returned from list is different from that returned by get.
// Query and display the struct returned by get for comparison.
let pipeline = pipelines_client
.pipelines_client()
.get(&organization, &project, pipeline.id)
.await?;
println!("\nExample pipeline struct from get:");
println!("{:#?}", pipeline);
// Use the client to list all runs of the selected pipeline
let runs = pipelines_client
.runs_client()
.list(&organization, &project, pipeline.id)
.await?
.value;
println!("\nPipeline runs: {}", runs.len());
// Display [result, state] for each pipeline run
for run in runs.iter() {
let result = match &run.result {
Some(result) => format!("{:?}", result),
None => "-".to_string(),
};
println!(
"{:8} {:16} {:16} {:14}",
run.run_reference.id,
run.run_reference.name,
result,
format!("{:?}", run.state)
);
}
}
Ok(())
}