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
/* -------------------------------------------------------------------------- *\
 *        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.                                           *
 *                                                                            *
\* -------------------------------------------------------------------------- */

use futures::stream::TryStreamExt;
use ipnetwork::{IpNetwork, Ipv4Network, Ipv6Network};
use netlink_packet_route::rtnl::link::nlas::Nla;
use rtnetlink::Handle;
use std::collections::HashMap;
use std::net::IpAddr;
use std::str;
use std::thread;
use std::time::Duration;
use tracing::{error, info, trace, warn};

mod sriov;

#[derive(thiserror::Error, Debug)]
pub(crate) enum NetworkError {
    #[error("Failed to initialize network: {0}")]
    FailedToConnect(#[from] std::io::Error),
    #[error("Could not find link `{iface}`")]
    DeviceNotFound { iface: String },
    #[error("Error adding address `{ip}` to link `{iface}`: {source}")]
    ErrorAddingAddress {
        iface: String,
        ip: IpNetwork,
        source: rtnetlink::Error,
    },
    #[error("Failed to set link up for device `{iface}`: {source}")]
    ErrorSettingLinkUp { iface: String, source: rtnetlink::Error },
    #[error("Failed to set link down for device `{iface}`: {source}")]
    ErrorSettingLinkDown { iface: String, source: rtnetlink::Error },
    #[error("Error adding route from `{route_source}` to {route_destination}` for device `{iface}`: {source}")]
    ErrorAddingRoute {
        iface: String,
        route_source: IpNetwork,
        route_destination: IpNetwork,
        source: rtnetlink::Error,
    },
    #[error(transparent)]
    Other(#[from] rtnetlink::Error),
}

pub(crate) struct Network(Handle);

impl Network {
    pub(crate) fn connect() -> Result<Network, NetworkError> {
        let (connection, handle, _) = rtnetlink::new_connection()?;
        let _ignored = tokio::spawn(connection);
        Ok(Self(handle))
    }

    pub(crate) async fn init(&self) -> Result<(), NetworkError> {
        configure_loopback(&self.0).await?;
        configure_nic(&self.0).await?;
        Ok(())
    }

    pub(crate) async fn show_network_info(&self) {
        info!("=== Network Interfaces ===");

        info!("Addresses:");
        let links_result = get_links(&self.0).await;

        match links_result {
            Ok(links) => {
                for (_, iface) in links {
                    if let Err(e) = dump_addresses(&self.0, &iface).await {
                        error!(
                            "Could not dump addresses for iface {iface}. Error={e:?}"
                        );
                    };
                }
            }
            Err(e) => {
                error!("{e:?}");
            }
        }
        info!("==========================");
    }
}

async fn configure_loopback(handle: &Handle) -> Result<(), NetworkError> {
    const LOOPBACK_DEV: &str = "lo";
    const LOOPBACK_IPV6: &str = "::1";
    const LOOPBACK_IPV6_SUBNET: &str = "/128";
    const LOOPBACK_IPV4: &str = "127.0.0.1";
    const LOOPBACK_IPV4_SUBNET: &str = "/8";

    trace!("configure {LOOPBACK_DEV}");

    add_address(
        handle,
        LOOPBACK_DEV.to_owned(),
        format!("{LOOPBACK_IPV6}{LOOPBACK_IPV6_SUBNET}")
            .parse::<Ipv6Network>()
            .expect("valid ipv6 address"),
    )
    .await?;

    add_address(
        handle,
        LOOPBACK_DEV.to_owned(),
        format!("{LOOPBACK_IPV4}{LOOPBACK_IPV4_SUBNET}")
            .parse::<Ipv4Network>()
            .expect("valid ipv4 address"),
    )
    .await?;

    set_link_up(handle, LOOPBACK_DEV.to_owned()).await?;

    info!("Successfully configured {}", LOOPBACK_DEV);
    Ok(())
}

// TODO: design network config struct
async fn configure_nic(handle: &Handle) -> Result<(), NetworkError> {
    const DEFAULT_NET_DEV: &str = "eth0";
    const DEFAULT_NET_DEV_IPV6: &str = "fe80::2";
    const DEFAULT_NET_DEV_IPV6_GATEWAY: &str = "fe80::1";
    const DEFAULT_NET_DEV_IPV6_SUBNET: &str = "/64";

    trace!("configure {DEFAULT_NET_DEV}");

    let ipv6_addr =
        format!("{DEFAULT_NET_DEV_IPV6}{DEFAULT_NET_DEV_IPV6_SUBNET}")
            .parse::<Ipv6Network>()
            .expect("valid ipv6 address");

    let gateway = DEFAULT_NET_DEV_IPV6_GATEWAY
        .to_string()
        .parse::<Ipv6Network>()
        .expect("gateway");

    add_address(handle, DEFAULT_NET_DEV.to_owned(), ipv6_addr).await?;

    set_link_up(handle, DEFAULT_NET_DEV.to_owned()).await?;

    add_route_v6(
        handle,
        DEFAULT_NET_DEV.to_owned(),
        "::/0".parse::<Ipv6Network>().expect("valid ipv6 address"),
        gateway,
    )
    .await?;

    info!("Successfully configured {DEFAULT_NET_DEV}");
    Ok(())
}

async fn add_address(
    handle: &Handle,
    iface: String,
    ip: impl Into<IpNetwork>,
) -> Result<(), NetworkError> {
    let ip = ip.into();
    let link_index = get_link_index(handle, iface.clone()).await?;

    handle
        .address()
        .add(link_index, ip.ip(), ip.prefix())
        .execute()
        .await
        .map(|_| {
            trace!("Added address to link {iface}");
        })
        .map_err(|e| NetworkError::ErrorAddingAddress {
            iface,
            ip,
            source: e,
        })?;

    Ok(())
}

async fn set_link_up(
    handle: &Handle,
    iface: String,
) -> Result<(), NetworkError> {
    let link_index = get_link_index(handle, iface.clone()).await?;

    handle
        .link()
        .set(link_index)
        .up()
        .execute()
        .await
        .map(|_| {
            // TODO: replace sleep with an await mechanism that checks if device is up (with a timeout)
            // TODO: https://github.com/aurae-runtime/auraed/issues/40
            info!("Waiting for link '{iface}' to become up");
            thread::sleep(Duration::from_secs(3));
            info!("Waited 3 seconds, assuming link '{iface}' is up");
        })
        .map_err(|e| NetworkError::ErrorSettingLinkUp { iface, source: e })
}

#[allow(unused)]
async fn set_link_down(
    handle: &Handle,
    iface: String,
) -> Result<(), NetworkError> {
    let link_index = get_link_index(handle, iface.clone()).await?;

    handle
        .link()
        .set(link_index)
        .down()
        .execute()
        .await
        .map(|_| {
            trace!("Set link {iface} down");
        })
        .map_err(|e| NetworkError::ErrorSettingLinkDown { iface, source: e })
}

async fn get_link_index(
    handle: &Handle,
    iface: String,
) -> Result<u32, NetworkError> {
    let link = handle
        .link()
        .get()
        .match_name(iface.clone())
        .execute()
        .try_next()
        .await;

    if let Ok(Some(link)) = link {
        Ok(link.header.index)
    } else {
        Err(NetworkError::DeviceNotFound { iface })
    }
}

#[allow(unused)]
async fn add_route_v4(
    handle: &Handle,
    iface: String,
    source: Ipv4Network,
    dest: Ipv4Network,
) -> Result<(), NetworkError> {
    let link_index = get_link_index(handle, iface.clone()).await?;

    handle
        .route()
        .add()
        .v4()
        .destination_prefix(dest.ip(), dest.prefix())
        .output_interface(link_index)
        .pref_source(source.ip())
        .execute()
        .await
        .map_err(|e| NetworkError::ErrorAddingRoute {
            iface,
            route_source: source.into(),
            route_destination: dest.into(),
            source: e,
        })?;

    Ok(())
}

async fn add_route_v6(
    handle: &Handle,
    iface: String,
    source: Ipv6Network,
    dest: Ipv6Network,
) -> Result<(), NetworkError> {
    let link_index = get_link_index(handle, iface.clone()).await?;

    handle
        .route()
        .add()
        .v6()
        .source_prefix(source.ip(), source.prefix())
        .gateway(dest.ip())
        .output_interface(link_index)
        .execute()
        .await
        .map_err(|e| NetworkError::ErrorAddingRoute {
            iface,
            route_source: source.into(),
            route_destination: dest.into(),
            source: e,
        })?;

    Ok(())
}

async fn get_links(
    handle: &Handle,
) -> Result<HashMap<u32, String>, NetworkError> {
    let mut result = HashMap::new();
    let mut links = handle.link().get().execute();

    'outer: while let Some(link_msg) = links.try_next().await? {
        for nla in link_msg.nlas.into_iter() {
            if let Nla::IfName(name) = nla {
                let _ = result.insert(link_msg.header.index, name);
                continue 'outer;
            }
        }
        warn!("link with index {} has no name", link_msg.header.index);
    }

    Ok(result)
}

async fn dump_addresses(
    handle: &Handle,
    iface: &str,
) -> Result<(), NetworkError> {
    let mut links = handle.link().get().match_name(iface.to_string()).execute();
    if let Some(link_msg) = links.try_next().await? {
        info!("{}:", iface);
        for nla in link_msg.nlas.into_iter() {
            if let Nla::IfName(name) = nla {
                info!("\tindex: {}", link_msg.header.index);
                info!("\tname: {name}");
            }
        }

        let mut address_msg = handle
            .address()
            .get()
            .set_link_index_filter(link_msg.header.index)
            .execute();

        while let Some(msg) = address_msg.try_next().await? {
            for nla_address in msg.nlas.into_iter() {
                if let netlink_packet_route::address::Nla::Address(addr) =
                    nla_address
                {
                    let ip_addr = addr.try_into()
                        .map(|ip: [u8; 4]| Some(IpAddr::from(ip)))
                        .unwrap_or_else(|addr| {
                            addr.try_into()
                                .map(|ip: [u8; 16]| Some(IpAddr::from(ip)))
                                .unwrap_or_else(|addr| {
                                    warn!("Could not Convert vec: {addr:?} to ipv4 or ipv6");
                                    None
                                })
                        });

                    match &ip_addr {
                        Some(IpAddr::V4(ip_addr)) => {
                            info!("\t ipv4: {ip_addr}");
                        }
                        Some(IpAddr::V6(ip_addr)) => {
                            info!("\t ipv6: {ip_addr}");
                        }
                        None => {}
                    }
                }
            }
        }
        Ok(())
    } else {
        Err(NetworkError::DeviceNotFound { iface: iface.to_string() })
    }
}