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
/* -------------------------------------------------------------------------- *\
 *        Apache 2.0 License Copyright © 2022-2023 The Aurae Authors          *
 *                                                                            *
 *                +--------------------------------------------+              *
 *                |   █████╗ ██╗   ██╗██████╗  █████╗ ███████╗ |              *
 *                |  ██╔══██╗██║   ██║██╔══██╗██╔══██╗██╔════╝ |              *
 *                |  ███████║██║   ██║██████╔╝███████║█████╗   |              *
 *                |  ██╔══██║██║   ██║██╔══██╗██╔══██║██╔══╝   |              *
 *                |  ██║  ██║╚██████╔╝██║  ██║██║  ██║███████╗ |              *
 *                |  ╚═╝  ╚═╝ ╚═════╝ ╚═╝  ╚═╝╚═╝  ╚═╝╚══════╝ |              *
 *                +--------------------------------------------+              *
 *                                                                            *
 *                         Distributed Systems Runtime                        *
 *                                                                            *
 * -------------------------------------------------------------------------- *
 *                                                                            *
 *   Licensed under the Apache License, Version 2.0 (the "License");          *
 *   you may not use this file except in compliance with the License.         *
 *   You may obtain a copy of the License at                                  *
 *                                                                            *
 *       http://www.apache.org/licenses/LICENSE-2.0                           *
 *                                                                            *
 *   Unless required by applicable law or agreed to in writing, software      *
 *   distributed under the License is distributed on an "AS IS" BASIS,        *
 *   WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. *
 *   See the License for the specific language governing permissions and      *
 *   limitations under the License.                                           *
 *                                                                            *
\* -------------------------------------------------------------------------- */
//! # Aurae Daemon
//!
//! Systems daemon built for higher order simple, safe, secure multi-tenant
//! distributed systems.
//!
//! Whether run as pid 1 (init), or a Container, or a Pod it serves standard library
//! functionality over an mTLS backed gRPC server.
//!
//! The Aurae Daemon (auraed) is the main server implementation of the Aurae
//! Standard Library.
//!
//! The Aurae Daemon runs as a gRPC server which listens over a unix domain socket by default.
//!
//! ```bash
//! /var/run/aurae/aurae.sock
//! ```
//!
//! ## Running Auraed
//!
//! Running as `/init` is currently under active development.
//!
//! To run auraed as a standard library server you can run the daemon alongside your current init system.
//!
//! ```bash
//! sudo -E auraed
//! ```
//!
//! See [`The Aurae Standard Library`] for API reference.
//!
//! [`The Aurae Standard Library`]: https://aurae.io/stdlib
// Lint groups: https://doc.rust-lang.org/rustc/lints/groups.html
#![warn(future_incompatible, nonstandard_style, unused)]
#![warn(
    improper_ctypes,
    non_shorthand_field_patterns,
    no_mangle_generic_items,
    unconditional_recursion,
    unused_comparisons,
    while_true
)]
#![warn(
    missing_debug_implementations,
    missing_docs,
    trivial_casts,
    trivial_numeric_casts,
    unused_extern_crates,
    unused_import_braces,
    unused_results
)]
#![warn(clippy::unwrap_used)]

pub use crate::auraed_path::AuraedPath;
use crate::ebpf::{
    BpfContext, SchedProcessForkTracepointProgram,
    SignalSignalGenerateTracepointProgram, TaskstatsExitKProbeProgram,
};
use crate::{
    cells::CellService, cri::oci::AuraeOCIBuilder,
    cri::runtime_service::RuntimeService, discovery::DiscoveryService,
    init::Context as AuraeContext, init::SocketStream,
    logging::log_channel::LogChannel, observe::ObserveService,
    spawn::spawn_auraed_oci_to,
};
use anyhow::{anyhow, Context};
use aurae_ebpf_shared::{ForkedProcess, ProcessExit, Signal};
use once_cell::sync::OnceCell;
use proto::{
    cells::cell_service_server::CellServiceServer,
    cri::runtime_service_server::RuntimeServiceServer,
    discovery::discovery_service_server::DiscoveryServiceServer,
    observe::observe_service_server::ObserveServiceServer,
};
use std::path::{Path, PathBuf};
use std::sync::Arc;
use tokio::io::AsyncRead;
use tokio::io::AsyncWrite;
use tokio::task::JoinHandle;
use tonic::transport::server::Connected;
use tonic::transport::{Certificate, Identity, Server, ServerTlsConfig};
use tracing::{error, info, trace, warn};

mod auraed_path;
mod cells;
mod cri;
mod discovery;
mod ebpf;
mod graceful_shutdown;
mod init;
mod logging;
mod observe;
mod spawn;
mod vms;

static AURAED_RUNTIME: OnceCell<AuraedRuntime> = OnceCell::new();

/// Each instance of Aurae holds internal state in memory. Below are the
/// settings which can be configured for a given Aurae daemon instance.
///
/// Note: These fields represent file paths and not the actual authentication
/// material. Each new instance of a subsystem will read these from the local
/// filesystem at runtime in order to authenticate.
#[derive(Debug)]
pub struct AuraedRuntime {
    /// Path to the auraed binary. Defaults to the symbolic link from /proc/self/exe.
    pub auraed: AuraedPath,
    /// Certificate Authority for an organization or mesh of Aurae instances.
    pub ca_crt: PathBuf,
    /// The signed server X509 certificate for this unique instance.
    pub server_crt: PathBuf,
    /// The secret key for this unique instance.
    pub server_key: PathBuf,
    /// Configurable runtime directory. Defaults to /var/run/aurae.
    pub runtime_dir: PathBuf,
    /// Configurable library directory. Defaults to /var/lib/aurae.
    pub library_dir: PathBuf,
    // /// Provides logging channels to expose auraed logging via grpc
    //pub log_collector: Arc<LogChannel>,
}

impl AuraedRuntime {
    pub(crate) fn bundles_dir(&self) -> PathBuf {
        self.runtime_dir.join("bundles")
    }

    pub(crate) fn pods_dir(&self) -> PathBuf {
        self.runtime_dir.join("pods")
    }

    pub(crate) fn default_socket_address(&self) -> PathBuf {
        self.runtime_dir.join("aurae.sock")
    }
}

impl Default for AuraedRuntime {
    fn default() -> Self {
        // In order to prevent their use from other areas, do not make these values into constants.
        AuraedRuntime {
            auraed: AuraedPath::default(),
            ca_crt: PathBuf::from("/etc/aurae/pki/ca.crt"),
            server_crt: PathBuf::from("/etc/aurae/pki/_signed.server.crt"),
            server_key: PathBuf::from("/etc/aurae/pki/server.key"),
            runtime_dir: PathBuf::from("/var/run/aurae"),
            library_dir: PathBuf::from("/var/lib/aurae"),
        }
    }
}

/// Starts the runtime loop for the daemon.
pub async fn run(
    runtime: AuraedRuntime,
    socket: Option<String>,
    verbose: bool,
    nested: bool,
) -> Result<(), Box<dyn std::error::Error>> {
    async fn inner<T, IO, IE>(
        runtime: &AuraedRuntime,
        context: AuraeContext,
        socket_stream: T,
    ) -> Result<(), Box<dyn std::error::Error>>
    where
        T: tokio_stream::Stream<Item = Result<IO, IE>> + Send + 'static,
        IO: AsyncRead + AsyncWrite + Connected + Unpin + Send + 'static,
        IE: Into<Box<dyn std::error::Error + Send + Sync>>,
    {
        trace!("{:#?}", runtime);

        let runtime_dir = Path::new(&runtime.runtime_dir);
        // Create runtime directory
        tokio::fs::create_dir_all(runtime_dir).await.with_context(|| {
            format!(
                "Failed to create runtime directory: {}",
                runtime.runtime_dir.display()
            )
        })?;

        // We don't want TLS in cell context
        let mut server = if context != AuraeContext::Cell {
            let server_crt =
                tokio::fs::read(&runtime.server_crt).await.with_context(|| {
                    format!(
                        "Aurae requires a signed TLS certificate to run as a server, but failed to
                        load: '{}'. Please see https://aurae.io/certs/ for information on best
                        practices to quickly generate one.",
                        runtime.server_crt.display()
                    )
                })?;
            let server_key = tokio::fs::read(&runtime.server_key).await?;
            let server_identity = Identity::from_pem(server_crt, server_key);
            info!("Register Server SSL Identity");

            let ca_crt = tokio::fs::read(&runtime.ca_crt).await?;
            let ca_crt_pem = Certificate::from_pem(ca_crt);

            let tls = ServerTlsConfig::new()
                .identity(server_identity)
                .client_ca_root(ca_crt_pem);

            info!(
                "Validating SSL Identity and Root Certificate Authority (CA)"
            );
            //let _log_collector = self.log_collector.clone();

            Server::builder()
                .tls_config(tls)
                .with_context(|| "gRPC server failed to configure tls")?
        } else {
            Server::builder()
        };

        // Install eBPF probes in the host Aurae daemon
        let (_bpf_handle, perf_events) = if context == AuraeContext::Cell
            || context == AuraeContext::Container
        {
            (None, (None, None, None))
        } else {
            // TODO: Add flags/options to "opt-out" of the various BPF probes
            info!("Loading eBPF probes");

            let mut bpf_handle = BpfContext::new();
            let process_fork_listener = bpf_handle.load_and_attach_tracepoint_program::<SchedProcessForkTracepointProgram, ForkedProcess>().ok();
            let process_exit_listener = bpf_handle.load_and_attach_kprobe_program::<TaskstatsExitKProbeProgram, ProcessExit>().ok();
            let posix_signals_listener = bpf_handle.load_and_attach_tracepoint_program::<SignalSignalGenerateTracepointProgram, Signal>().ok();

            (
                Some(bpf_handle),
                (
                    process_fork_listener,
                    process_exit_listener,
                    posix_signals_listener,
                ),
            )
        };

        // Build gRPC Services
        let (mut health_reporter, health_service) =
            tonic_health::server::health_reporter();

        let observe_service = ObserveService::new(
            Arc::new(LogChannel::new(String::from("TODO"))),
            perf_events,
        );
        let observe_service_server =
            ObserveServiceServer::new(observe_service.clone());

        let cell_service = CellService::new(observe_service.clone());
        let cell_service_server = CellServiceServer::new(cell_service.clone());
        health_reporter.set_serving::<CellServiceServer<CellService>>().await;

        let discovery_service = DiscoveryService::new();
        let discovery_service_server =
            DiscoveryServiceServer::new(discovery_service);
        health_reporter
            .set_serving::<DiscoveryServiceServer<DiscoveryService>>()
            .await;

        health_reporter
            .set_serving::<ObserveServiceServer<ObserveService>>()
            .await;

        // let pod_service = PodService::new(self.runtime_dir.clone());
        // let pod_service_server = PodServiceServer::new(pod_service.clone());
        // health_reporter.set_serving::<PodServiceServer<PodService>>().await;
        let runtime_service = RuntimeService::new();
        let runtime_service_server =
            RuntimeServiceServer::new(runtime_service.clone());
        health_reporter
            .set_serving::<RuntimeServiceServer<RuntimeService>>()
            .await;

        // let vm_service = VmService::new();
        // let vm_service_server = VmServiceServer::new(vm_service.clone());
        // health_reporter.set_serving::<VmServiceServer<VmService>>().await;

        let graceful_shutdown = graceful_shutdown::GracefulShutdown::new(
            health_reporter,
            cell_service,
        );
        let graceful_shutdown_signal = graceful_shutdown.subscribe();

        // Run the server concurrently
        // TODO: pass a known-good path to CellService to store any runtime data.
        let server_handle = tokio::spawn(async move {
            server
                .add_service(health_service)
                .add_service(cell_service_server)
                .add_service(discovery_service_server)
                .add_service(observe_service_server)
                // .add_service(pod_service_server)
                .add_service(runtime_service_server)
                // .add_service(vm_service_server)
                .serve_with_incoming_shutdown(socket_stream, async {
                    let mut graceful_shutdown_signal = graceful_shutdown_signal;
                    let _ = graceful_shutdown_signal.changed().await;
                    info!("gRPC server received shutdown signal...");
                })
                .await
                .with_context(|| "gRPC server exited with error")?;

            info!("gRPC server exited successfully");

            Ok(())
        });

        // Event loop
        let graceful_shutdown_handle = tokio::spawn(async {
            graceful_shutdown.wait().await;
            Ok(())
        });

        // Flatten function adapted from `try_join` docs.
        async fn flatten<T>(
            handle: JoinHandle<Result<T, anyhow::Error>>,
        ) -> Result<T, anyhow::Error> {
            match handle.await {
                Ok(x) => Ok(x?),
                Err(e) => Err(anyhow!("failed to join task: {e:?}")),
            }
        }

        if let Err(e) = tokio::try_join!(
            flatten(server_handle),
            flatten(graceful_shutdown_handle)
        ) {
            error!("exiting due to error: {e:?}");
        }

        Ok(())
    }

    let runtime = AURAED_RUNTIME.get_or_init(|| runtime);

    let (context, stream) = init::init(verbose, nested, socket).await;
    match stream {
        SocketStream::Tcp(stream) => inner(runtime, context, stream).await,
        SocketStream::Unix(stream) => inner(runtime, context, stream).await,
    }
}

/// Write the container OCI spec to the filesystem in preparation for spawning Auraed using a container runtime.
pub fn prep_oci_spec_for_spawn(output: &str) {
    spawn_auraed_oci_to(
        PathBuf::from(output),
        AuraeOCIBuilder::new().build().expect("building default oci spec"),
    )
    .expect("spawning");
}