brane_job/
worker.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
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
1001
1002
1003
1004
1005
1006
1007
1008
1009
1010
1011
1012
1013
1014
1015
1016
1017
1018
1019
1020
1021
1022
1023
1024
1025
1026
1027
1028
1029
1030
1031
1032
1033
1034
1035
1036
1037
1038
1039
1040
1041
1042
1043
1044
1045
1046
1047
1048
1049
1050
1051
1052
1053
1054
1055
1056
1057
1058
1059
1060
1061
1062
1063
1064
1065
1066
1067
1068
1069
1070
1071
1072
1073
1074
1075
1076
1077
1078
1079
1080
1081
1082
1083
1084
1085
1086
1087
1088
1089
1090
1091
1092
1093
1094
1095
1096
1097
1098
1099
1100
1101
1102
1103
1104
1105
1106
1107
1108
1109
1110
1111
1112
1113
1114
1115
1116
1117
1118
1119
1120
1121
1122
1123
1124
1125
1126
1127
1128
1129
1130
1131
1132
1133
1134
1135
1136
1137
1138
1139
1140
1141
1142
1143
1144
1145
1146
1147
1148
1149
1150
1151
1152
1153
1154
1155
1156
1157
1158
1159
1160
1161
1162
1163
1164
1165
1166
1167
1168
1169
1170
1171
1172
1173
1174
1175
1176
1177
1178
1179
1180
1181
1182
1183
1184
1185
1186
1187
1188
1189
1190
1191
1192
1193
1194
1195
1196
1197
1198
1199
1200
1201
1202
1203
1204
1205
1206
1207
1208
1209
1210
1211
1212
1213
1214
1215
1216
1217
1218
1219
1220
1221
1222
1223
1224
1225
1226
1227
1228
1229
1230
1231
1232
1233
1234
1235
1236
1237
1238
1239
1240
1241
1242
1243
1244
1245
1246
1247
1248
1249
1250
1251
1252
1253
1254
1255
1256
1257
1258
1259
1260
1261
1262
1263
1264
1265
1266
1267
1268
1269
1270
1271
1272
1273
1274
1275
1276
1277
1278
1279
1280
1281
1282
1283
1284
1285
1286
1287
1288
1289
1290
1291
1292
1293
1294
1295
1296
1297
1298
1299
1300
1301
1302
1303
1304
1305
1306
1307
1308
1309
1310
1311
1312
1313
1314
1315
1316
1317
1318
1319
1320
1321
1322
1323
1324
1325
1326
1327
1328
1329
1330
1331
1332
1333
1334
1335
1336
1337
1338
1339
1340
1341
1342
1343
1344
1345
1346
1347
1348
1349
1350
1351
1352
1353
1354
1355
1356
1357
1358
1359
1360
1361
1362
1363
1364
1365
1366
1367
1368
1369
1370
1371
1372
1373
1374
1375
1376
1377
1378
1379
1380
1381
1382
1383
1384
1385
1386
1387
1388
1389
1390
1391
1392
1393
1394
1395
1396
1397
1398
1399
1400
1401
1402
1403
1404
1405
1406
1407
1408
1409
1410
1411
1412
1413
1414
1415
1416
1417
1418
1419
1420
1421
1422
1423
1424
1425
1426
1427
1428
1429
1430
1431
1432
1433
1434
1435
1436
1437
1438
1439
1440
1441
1442
1443
1444
1445
1446
1447
1448
1449
1450
1451
1452
1453
1454
1455
1456
1457
1458
1459
1460
1461
1462
1463
1464
1465
1466
1467
1468
1469
1470
1471
1472
1473
1474
1475
1476
1477
1478
1479
1480
1481
1482
1483
1484
1485
1486
1487
1488
1489
1490
1491
1492
1493
1494
1495
1496
1497
1498
1499
1500
1501
1502
1503
1504
1505
1506
1507
1508
1509
1510
1511
1512
1513
1514
1515
1516
1517
1518
1519
1520
1521
1522
1523
1524
1525
1526
1527
1528
1529
1530
1531
1532
1533
1534
1535
1536
1537
1538
1539
1540
1541
1542
1543
1544
1545
1546
1547
1548
1549
1550
1551
1552
1553
1554
1555
1556
1557
1558
1559
1560
1561
1562
1563
1564
1565
1566
1567
1568
1569
1570
1571
1572
1573
1574
1575
1576
1577
1578
1579
1580
1581
1582
1583
1584
1585
1586
1587
1588
1589
1590
1591
1592
1593
1594
1595
1596
1597
1598
1599
1600
1601
1602
1603
1604
1605
1606
1607
1608
1609
1610
1611
1612
1613
1614
1615
1616
1617
1618
1619
1620
1621
1622
1623
1624
1625
1626
1627
1628
1629
1630
1631
1632
1633
1634
1635
1636
1637
1638
1639
1640
1641
1642
1643
1644
1645
1646
1647
1648
1649
1650
1651
1652
1653
1654
1655
1656
1657
1658
1659
1660
1661
1662
1663
1664
1665
1666
1667
1668
1669
1670
1671
1672
1673
1674
1675
1676
1677
1678
1679
1680
1681
1682
1683
1684
1685
1686
1687
1688
1689
1690
1691
1692
1693
1694
1695
1696
1697
1698
1699
1700
1701
1702
1703
1704
1705
1706
1707
1708
1709
1710
1711
1712
1713
1714
1715
1716
1717
1718
1719
1720
1721
1722
1723
1724
1725
1726
1727
1728
1729
1730
1731
1732
1733
1734
1735
1736
1737
1738
1739
1740
1741
1742
1743
1744
1745
1746
1747
1748
1749
1750
1751
1752
1753
1754
1755
1756
1757
1758
1759
1760
1761
1762
1763
1764
1765
1766
1767
1768
1769
1770
1771
1772
1773
1774
1775
1776
1777
1778
1779
1780
1781
1782
1783
1784
1785
1786
1787
1788
1789
1790
1791
1792
1793
1794
1795
1796
1797
1798
1799
1800
1801
1802
1803
1804
1805
1806
1807
1808
1809
1810
1811
1812
1813
1814
1815
1816
1817
1818
1819
1820
1821
1822
1823
1824
1825
1826
1827
1828
1829
1830
1831
1832
1833
1834
1835
1836
1837
1838
1839
1840
1841
1842
1843
1844
1845
1846
1847
1848
1849
1850
1851
1852
1853
1854
1855
1856
1857
1858
1859
1860
1861
1862
1863
1864
1865
1866
1867
1868
1869
1870
1871
1872
1873
1874
1875
1876
1877
1878
1879
1880
1881
1882
1883
1884
1885
1886
1887
1888
1889
1890
1891
1892
1893
1894
1895
1896
1897
1898
1899
1900
1901
1902
1903
1904
1905
1906
1907
1908
1909
1910
1911
1912
1913
1914
1915
1916
1917
1918
1919
1920
1921
1922
1923
1924
1925
1926
1927
1928
1929
1930
1931
1932
1933
1934
1935
1936
1937
1938
1939
1940
1941
1942
1943
1944
1945
1946
1947
1948
1949
1950
1951
1952
1953
1954
1955
1956
1957
1958
1959
1960
1961
1962
1963
1964
1965
1966
1967
1968
1969
1970
1971
1972
1973
1974
1975
1976
1977
1978
1979
1980
1981
1982
1983
1984
1985
1986
1987
1988
1989
1990
1991
1992
1993
1994
1995
1996
1997
1998
1999
2000
2001
2002
2003
2004
2005
2006
2007
2008
2009
2010
2011
2012
2013
2014
2015
2016
2017
2018
2019
2020
2021
2022
2023
2024
2025
2026
2027
2028
2029
2030
2031
2032
2033
2034
2035
2036
2037
2038
2039
2040
2041
2042
2043
2044
2045
2046
2047
2048
2049
2050
2051
2052
2053
2054
2055
2056
2057
2058
2059
2060
2061
2062
2063
2064
2065
2066
2067
2068
2069
2070
2071
2072
2073
2074
2075
2076
2077
2078
2079
2080
2081
2082
2083
2084
2085
2086
2087
2088
2089
2090
2091
2092
2093
2094
2095
2096
2097
2098
2099
2100
2101
2102
2103
2104
2105
2106
2107
2108
2109
2110
2111
2112
2113
2114
2115
2116
2117
2118
2119
2120
2121
2122
2123
2124
2125
2126
2127
2128
2129
2130
2131
2132
2133
2134
2135
2136
2137
2138
2139
2140
2141
2142
2143
2144
2145
2146
2147
2148
2149
2150
2151
2152
2153
2154
2155
2156
2157
2158
2159
2160
2161
2162
2163
2164
//  WORKER.rs
//    by Lut99
//
//  Created:
//    31 Oct 2022, 11:21:14
//  Last edited:
//    01 May 2024, 10:39:39
//  Auto updated?
//    Yes
//
//  Description:
//!   Implements the worker side of the communication. This is the other
//!   side for all sorts of things, from execution to preprocessing to
//!   execution to publicizing/committing.
//

use std::collections::{HashMap, HashSet};
use std::error;
use std::ffi::OsStr;
use std::fmt::{Display, Formatter, Result as FResult};
use std::path::{Path, PathBuf};
use std::str::FromStr as _;
use std::sync::Arc;
use std::time::Duration;

use base64::Engine as _;
use base64::engine::general_purpose::STANDARD;
use bollard::API_DEFAULT_VERSION;
use brane_ast::Workflow;
use brane_ast::ast::{ComputeTaskDef, TaskDef};
use brane_ast::func_id::FunctionId;
use brane_ast::locations::Location;
use brane_cfg::backend::{BackendFile, Credentials};
use brane_cfg::info::Info as _;
use brane_cfg::node::{NodeConfig, NodeSpecificConfig, WorkerConfig};
use brane_exe::FullValue;
use brane_exe::pc::ProgramCounter;
use brane_prx::client::ProxyClient;
use brane_prx::spec::NewPathRequestTlsOptions;
use brane_shr::formatters::BlockFormatter;
use brane_shr::fs::{copy_dir_recursively_async, unarchive_async};
use brane_tsk::caches::DomainRegistryCache;
use brane_tsk::docker::{self, ClientVersion, DockerOptions, ExecuteInfo, ImageSource, Network};
use brane_tsk::errors::{AuthorizeError, CommitError, ExecuteError, PreprocessError};
use brane_tsk::spec::JobStatus;
use brane_tsk::tools::decode_base64;
use chrono::Utc;
use deliberation::spec::Verdict;
// use deliberation::spec::ExecuteTaskRequest;
use enum_debug::EnumDebug as _;
use error_trace::{ErrorTrace as _, trace};
use futures_util::StreamExt;
use hyper::body::Bytes;
use hyper::header;
// use kube::config::Kubeconfig;
use log::{debug, error, info, warn};
use reqwest::Method;
use serde::{Deserialize, Serialize};
use serde_json_any_key::json_to_map;
use specifications::address::Address;
// use brane_tsk::k8s::{self, K8sOptions};
use specifications::checking::{DELIBERATION_API_EXECUTE_TASK, DELIBERATION_API_WORKFLOW};
use specifications::container::{Image, VolumeBind};
use specifications::data::{AccessKind, AssetInfo, DataName};
use specifications::package::{Capability, PackageIndex, PackageInfo, PackageKind};
use specifications::profiling::{ProfileReport, ProfileScopeHandle};
use specifications::registering::DownloadAssetRequest;
use specifications::version::Version;
use specifications::working::{
    CheckReply, CheckTaskRequest, CheckWorkflowRequest, CommitReply, CommitRequest, ExecuteReply, ExecuteRequest, JobService, PreprocessReply,
    PreprocessRequest, TaskStatus,
};
use tokio::fs as tfs;
use tokio::io::AsyncWriteExt;
use tokio::sync::mpsc::{self, Sender};
use tokio_stream::wrappers::ReceiverStream;
use tonic::{Request, Response, Status};


/***** CONSTANTS *****/
/// Path to the temporary folder.
pub const TEMPORARY_DIR: &str = "/tmp";





/***** HELPER MACROS *****/
/// Translates the given error into a log message, updates the client _and_ returns it.
macro_rules! err {
    ($tx:ident, $err:expr) => {
        err!($tx, JobStatus::CreationFailed, $err)
    };

    ($tx:ident,JobStatus:: $status:ident, $err:expr) => {{
        let err = $err;
        log::error!("{}", err.trace());
        if let Err(err) = update_client(&$tx, JobStatus::$status(format!("{}", err))).await {
            log::error!("{}", trace!(("Failed to update client on error"), err));
        }
        Err(err)
    }};
}





/***** HELPER FUNCTIONS *****/
/// Updates the client with a status update.
///
/// # Arguments
/// - `tx`: The channel to update the client on.
/// - `status`: The status to update the client with.
///
/// # Errors
/// This function may error if we failed to update the client.
async fn update_client(tx: &Sender<Result<ExecuteReply, Status>>, status: JobStatus) -> Result<(), ExecuteError> {
    // Convert the JobStatus into a code and (possible) value
    let (status, value): (TaskStatus, Option<String>) = status.into();

    // Put that in an ExecuteReply
    let reply: ExecuteReply = ExecuteReply { status: status as i32, value };

    // Send it over the wire
    debug!("Updating client on '{:?}'...", status);
    if let Err(err) = tx.send(Ok(reply)).await {
        return Err(ExecuteError::ClientUpdateError { status, err });
    }

    // Done
    Ok(())
}





/***** ERRORS *****/
// /// Defines errors that occur when preprocessing transfer tarballs through Kubernetes.
// #[derive(Debug)]
// pub enum PreprocessTransferTarK8sError {
//     /// Failed to load the Kubernetes config file.
//     LoadConfig{ err: k8s::ConfigError },
// }
// impl Display for PreprocessTransferTarK8sError {
//     fn fmt(&self, f: &mut Formatter<'_>) -> FResult {
//         use PreprocessTransferTarK8sError::*;
//         match self {
//             LoadConfig{ .. } => write!(f, "Failed to load Kubernetes client config file"),
//         }
//     }
// }
// impl error::Error for PreprocessTransferTarK8sError {
//     fn source(&self) -> Option<&(dyn error::Error + 'static)> {
//         use PreprocessTransferTarK8sError::*;
//         match self {
//             LoadConfig { err } => Some(err),
//         }
//     }
// }

/// Defines errors occuring from the [`WorkerServer`] itself.
#[derive(Debug)]
pub enum Error {
    /// Failed to load the node.yml file from disk
    NodeConfigLoad { path: PathBuf, err: brane_cfg::info::YamlError },
    /// The given node.yml file was not of the correct kind.
    NodeConfigWrongKind { path: PathBuf, got: String, expected: String },
}
impl Display for Error {
    fn fmt(&self, f: &mut Formatter<'_>) -> FResult {
        use Error::*;
        match self {
            NodeConfigLoad { path, .. } => write!(f, "Failed to load node config file '{}'", path.display()),
            NodeConfigWrongKind { path, got, expected } => {
                write!(f, "Given node config file '{}' is of the wrong kind; got a {} config, expected a {} config", path.display(), got, expected)
            },
        }
    }
}
impl error::Error for Error {
    fn source(&self) -> Option<&(dyn error::Error + 'static)> {
        use Error::*;
        match self {
            NodeConfigLoad { err, .. } => Some(err),
            NodeConfigWrongKind { .. } => None,
        }
    }
}





/***** HELPER STRUCTURES *****/
/// Manual copy of the [policy-reasoner](https://github.com/epi-project/policy-reasoner)'s `ExecuteTaskRequest`-struct.
///
/// This is necessary because, when we pull the dependency directly, we get conflicts because that repository depends on the git version of this repository, meaning its notion of a Workflow is always (practically) outdated.
#[derive(Clone, Debug, Deserialize, Serialize)]
struct PolicyExecuteRequest {
    /// Some identifier that allows the policy reasoner to assume a different context.
    ///
    /// Note that not any identifier is accepted. Which are depends on which plugins used.
    pub use_case: String,
    /// The workflow that is being examined.
    pub workflow: Workflow,
    /// The ID (i.e., program counter) of the call that we want to authorize.
    pub task_id:  ProgramCounter,
}

/// Manual copy of the [policy-reasoner](https://github.com/epi-project/policy-reasoner)'s `WorkflowValidationRequest`-struct.
///
/// This is necessary because, when we pull the dependency directly, we get conflicts because that repository depends on the git version of this repository, meaning its notion of a Workflow is always (practically) outdated.
#[derive(Clone, Debug, Deserialize, Serialize)]
struct PolicyValidateRequest {
    /// Some identifier that allows the policy reasoner to assume a different context.
    ///
    /// Note that not any identifier is accepted. Which are depends on which plugins used.
    pub use_case: String,
    /// Workflow definition
    pub workflow: Workflow,
}





/***** AUXILLARY STRUCTURES *****/
/// Helper structure for grouping together task-dependent "constants", but that are not part of the task itself.
#[derive(Clone, Debug)]
pub struct CentralNodeInfo {
    /// The address of the API service.
    pub api_endpoint: String,
}
impl CentralNodeInfo {
    /// Constructor for the CentralNodeInfo.
    ///
    /// # Arguments
    /// - `api_endpoint`: The address of the API service.
    ///
    /// # Returns
    /// A new CentralNodeInfo instance.
    #[inline]
    pub fn new(api_endpoint: impl Into<String>) -> Self { Self { api_endpoint: api_endpoint.into() } }
}

/// Helper structure for grouping together task information.
#[derive(Clone, Debug)]
pub struct TaskInfo {
    /// The name of the task to execute.
    pub name: String,
    /// The identifier of the call to the task we're executing.
    pub pc:   ProgramCounter,

    /// The name of the task's parent package.
    pub package_name: String,
    /// The version of the task's parent package.
    pub package_version: Version,
    /// The kind of the task to execute.
    pub kind: Option<PackageKind>,
    /// The image name of the package where the task is from. Note: won't be populated until later.
    pub image: Option<Image>,

    /// The input datasets/results to this task, if any.
    pub input:  HashMap<DataName, AccessKind>,
    /// If this call returns an intermediate result, its name is defined here.
    pub result: Option<String>,

    /// The input arguments to the task. Still need to be resolved before running.
    pub args: HashMap<String, FullValue>,
    /// The requirements for this task.
    pub requirements: HashSet<Capability>,
}
impl TaskInfo {
    /// Constructor for the TaskInfo.
    ///
    /// # Arguments
    /// - `name`: The name of the task to execute.
    /// - `pc`: The identifier of the call to the task we're executing.
    /// - `package_name`: The name of the task's parent package.
    /// - `package_version`: The version of the task's parent package.
    /// - `input`: The input datasets/results to this task, if any.
    /// - `result`: If this call returns an intermediate result, its name is defined here.
    /// - `args`: The input arguments to the task. Still need to be resolved before running.
    /// - `requirements`: The list of required capabilities for this task.
    ///
    /// # Returns
    /// A new TaskInfo instance.
    #[inline]
    #[allow(clippy::too_many_arguments)]
    pub fn new(
        name: impl Into<String>,
        pc: ProgramCounter,
        package_name: impl Into<String>,
        package_version: impl Into<Version>,
        input: HashMap<DataName, AccessKind>,
        result: Option<String>,
        args: HashMap<String, FullValue>,
        requirements: HashSet<Capability>,
    ) -> Self {
        Self {
            name: name.into(),
            pc,

            package_name: package_name.into(),
            package_version: package_version.into(),
            kind: None,
            image: None,

            input,
            result,

            args,
            requirements,
        }
    }
}





/***** PLANNING FUNCTIONS *****/
/// Function that preprocesses the given tar by downloading it to the local machine and extracting it.
///
/// # Arguments
/// - `location_cache`: A cache that is used to efficiently resolve location IDs to registry addresses.
/// - `worker_cfg`: The configuration for this node's environment. For us, contains the path where we may find certificates and where to download data & result files to.
/// - `proxy`: The proxy client we use to proxy the data transfer.
/// - `use_case`: A string denoting which use-case (registry) we're using.
/// - `pc`: The ProgramCounter of the edge that provides context for this preprocessing. If omitted, should be interpreted as that the context is retrieving the workflow result instead.
/// - `workflow`: A [`Workflow`] that is given as context to the registry.
/// - `location`: The location to download the tarball from.
/// - `dataname`: The name of the dataset to preprocess.
/// - `prof`: A ProfileScope to provide more detailled information about the time it takes to preprocess a TAR-file.
///
/// # Returns
/// The AccessKind to access the extracted data.
///
/// # Errors
/// This function can error for literally a million reasons - but they mostly relate to IO (file access, request success etc).
#[allow(clippy::too_many_arguments)]
async fn preprocess_transfer_tar_local(
    location_cache: &DomainRegistryCache,
    worker_cfg: &WorkerConfig,
    proxy: Arc<ProxyClient>,
    use_case: &str,
    pc: Option<ProgramCounter>,
    workflow: Workflow,
    location: Location,
    dataname: DataName,
    prof: ProfileScopeHandle<'_>,
) -> Result<AccessKind, PreprocessError> {
    debug!("Preprocessing by executing a data transfer");
    debug!("Downloading '{location}' from '{dataname}' to local machine");



    // Resolve the address from the API, if not in the cache
    debug!("Resolving location ID '{location}' to registry...");
    let address: Address = match prof.time_fut("location resolution", location_cache.get(&location)).await {
        Ok(addr) => addr,
        Err(err) => return Err(PreprocessError::LocationResolve { id: location, err }),
    };



    // Prepare the folder where we will download the data to
    debug!("Preparing filesystem...");
    let pre = prof.time("Filesystem preparation");
    let tar_path: PathBuf = PathBuf::from("/tmp/tars");
    if !tar_path.is_dir() {
        if tar_path.exists() {
            return Err(PreprocessError::DirNotADirError { what: "temporary tarball", path: tar_path });
        }
        if let Err(err) = tfs::create_dir_all(&tar_path).await {
            return Err(PreprocessError::DirCreateError { what: "temporary tarball", path: tar_path, err });
        }
    }

    // Make sure the data folder is there
    let temp_data_path: &Path = &worker_cfg.paths.temp_data;
    if temp_data_path.exists() && !temp_data_path.is_dir() {
        return Err(PreprocessError::DirNotADirError { what: "temporary data", path: temp_data_path.into() });
    } else if !temp_data_path.exists() {
        return Err(PreprocessError::DirNotExistsError { what: "temporary data", path: temp_data_path.into() });
    }

    // Also make sure the results folder is there
    let temp_results_path: &Path = &worker_cfg.paths.temp_results;
    if temp_results_path.exists() && !temp_results_path.is_dir() {
        return Err(PreprocessError::DirNotADirError { what: "temporary results", path: temp_results_path.into() });
    } else if !temp_results_path.exists() {
        return Err(PreprocessError::DirNotExistsError { what: "temporary results", path: temp_results_path.into() });
    }

    // Also compute the final file path
    let (tar_path, data_path): (PathBuf, PathBuf) = match &dataname {
        DataName::Data(name) => {
            // Make sure the data path exists but is clean
            let data_path: PathBuf = temp_data_path.join(name);
            if data_path.exists() {
                if !data_path.is_dir() {
                    return Err(PreprocessError::DirNotADirError { what: "temporary data", path: data_path });
                }
                if let Err(err) = tfs::remove_dir_all(&data_path).await {
                    return Err(PreprocessError::DirRemoveError { what: "temporary data", path: data_path, err });
                }
            }

            // Add the name of the file as the final result path
            (tar_path.join(format!("data_{name}.tar.gz")), data_path)
        },

        DataName::IntermediateResult(name) => {
            // Make sure the result path exists
            let res_path: PathBuf = temp_results_path.join(name);
            if res_path.exists() {
                if !res_path.is_dir() {
                    return Err(PreprocessError::DirNotADirError { what: "temporary result", path: res_path });
                }
                if let Err(err) = tfs::remove_dir_all(&res_path).await {
                    return Err(PreprocessError::DirRemoveError { what: "temporary result", path: res_path, err });
                }
            }

            // Add the name of the file as the final result path
            (tar_path.join(format!("res_{name}.tar.gz")), res_path)
        },
    };
    pre.stop();



    // Send a reqwest
    debug!("Sending download request...");
    let download = prof.time("Downloading");
    let url: String = format!("{}/{}/download/{}", address, if dataname.is_data() { "data" } else { "results" }, dataname.name());
    let res = match proxy
        .get_with_body(&url, Some(NewPathRequestTlsOptions { location: location.clone(), use_client_auth: true }), &DownloadAssetRequest {
            use_case: use_case.into(),
            workflow: serde_json::to_value(&workflow).unwrap(),
            task:     pc.map(|pc| (if let FunctionId::Func(id) = pc.func_id { Some(id as u64) } else { None }, pc.edge_idx as u64)),
        })
        .await
    {
        Ok(result) => match result {
            Ok(res) => res,
            Err(err) => {
                return Err(PreprocessError::DownloadRequestError { address: url, err });
            },
        },
        Err(err) => {
            return Err(PreprocessError::ProxyError { err: Box::new(err) });
        },
    };
    if !res.status().is_success() {
        return Err(PreprocessError::DownloadRequestFailure { address: url, code: res.status(), message: res.text().await.ok() });
    }



    // With the request success, download it in parts
    debug!("Downloading file to '{}'...", tar_path.display());
    {
        let mut handle: tfs::File = match tfs::File::create(&tar_path).await {
            Ok(handle) => handle,
            Err(err) => {
                return Err(PreprocessError::TarCreateError { path: tar_path, err });
            },
        };
        let mut stream = res.bytes_stream();
        while let Some(chunk) = stream.next().await {
            // Unwrap the chunk
            let mut chunk: Bytes = match chunk {
                Ok(chunk) => chunk,
                Err(err) => {
                    return Err(PreprocessError::DownloadStreamError { address: url, err });
                },
            };

            // Write it to the file
            if let Err(err) = handle.write_all_buf(&mut chunk).await {
                return Err(PreprocessError::TarWriteError { path: tar_path, err });
            }
        }
    }
    download.stop();



    // It took a while, but we now have the tar file; extract it
    debug!("Unpacking '{}' to '{}'...", tar_path.display(), data_path.display());
    if let Err(err) = prof.time_fut("unarchiving", unarchive_async(tar_path, &data_path)).await {
        return Err(PreprocessError::DataExtractError { err });
    }



    // Done; send back the reply
    Ok(AccessKind::File { path: data_path })
}

// /// Function that preprocesses the given tar by downloading it to the backend Kubernetes cluster and preparing it as a mountable volume.
// ///
// /// # Arguments
// /// - `kinfo`: The [`K8sOptions`] that describe the remote Kubernetes cluster and how to connect to it.
// /// - `location`: The location to download the tarball from.
// /// - `address`: The address to download the tarball from.
// /// - `prof`: A ProfileScope to provide more detailled information about the time it takes to preprocess a TAR-file.
// ///
// /// # Returns
// /// The AccessKind to access the extracted data.
// ///
// /// # Errors
// /// This function can error for literally a million reasons - but they mostly relate to IO (file access, request success etc).
// async fn preprocess_transfer_tar_k8s(kinfo: K8sOptions, location: Location, address: impl AsRef<str>, prof: ProfileScopeHandle<'_>) -> Result<AccessKind, PreprocessError> {
//     debug!("Preprocessing by executing a data transfer");
//     let address: &str  = address.as_ref();
//     debug!("Downloading from {} ({}) to Kubernetes cluster", location, address);



//     // Done
//     Ok(())
// }

/// Function that preprocesses by downloading the given tar and extracting it.
///
/// # Arguments
/// - `location_cache`: A cache that is used to efficiently resolve location IDs to registry addresses.
/// - `worker_cfg`: The configuration for this node's environment. For us, contains the path where we may find certificates and where to download data & result files to.
/// - `proxy`: The proxy client we use to proxy the data transfer.
/// - `use_case`: A string denoting which use-case (registry) we're using.
/// - `pc`: The ProgramCounter of the edge that provides context for this preprocessing. If omitted, should be interpreted as that the context is retrieving the workflow result instead.
/// - `workflow`: A [`Workflow`] that is given as context to the registry.
/// - `location`: The location to download the tarball from.
/// - `dataname`: The name of the dataset to download.
/// - `prof`: A ProfileScope to provide more detailled information about the time it takes to preprocess a TAR-file.
///
/// # Returns
/// The AccessKind to access the extracted data.
///
/// # Errors
/// This function can error for literally a million reasons - but they mostly relate to IO (file access, request success etc).
#[allow(clippy::too_many_arguments)]
pub async fn preprocess_transfer_tar(
    location_cache: &DomainRegistryCache,
    worker_cfg: &WorkerConfig,
    proxy: Arc<ProxyClient>,
    use_case: &str,
    pc: Option<ProgramCounter>,
    workflow: Workflow,
    location: Location,
    dataname: DataName,
    prof: ProfileScopeHandle<'_>,
) -> Result<AccessKind, PreprocessError> {
    debug!("Preprocessing tar...");

    // Load the local backend file
    let backend: BackendFile = match BackendFile::from_path_async(&worker_cfg.paths.backend).await {
        Ok(backend) => backend,
        Err(err) => {
            return Err(PreprocessError::BackendFileError { err });
        },
    };

    // Now match the credential type
    match backend.method {
        Credentials::Local { .. } => {
            // Download the container locally
            preprocess_transfer_tar_local(location_cache, worker_cfg, proxy, use_case, pc, workflow, location, dataname, prof).await
        },

        Credentials::Ssh { .. } => Err(PreprocessError::UnsupportedBackend { what: "SSH" }),

        Credentials::Kubernetes { registry_address: _, config: _ } => {
            Err(PreprocessError::UnsupportedBackend { what: "Kubernetes" })

            // // Prepare the Kubernetes options
            // let kinfo: K8sOptions = K8sOptions { registry_address, config };

            // // Call the function
            // preprocess_transfer_tar_k8s(kinfo, location, address, prof).await
        },
        Credentials::Slurm { .. } => Err(PreprocessError::UnsupportedBackend { what: "SSH" }),
    }
}





/***** EXECUTION FUNCTIONS *****/
/// Runs the given (call to a) task in the given workflow by the checker to see if it's authorized.
///
/// # Arguments
/// - `worker_cfg`: The configuration for this node's environment. For us, contains if and where we should proxy the request through and where we may find the checker.
/// - `use_case`: A string denoting which use-case (registry) we're using.
/// - `workflow`: The workflow to check.
/// - `call`: A program counter that identifies which call in the workflow we'll be checkin'.
///
/// # Returns
/// Whether the workflow has been accepted or not.
///
/// # Errors
/// This function errors if we failed to reach the checker, or the checker itself crashed.
async fn assert_task_permission(
    worker_cfg: &WorkerConfig,
    use_case: &str,
    workflow: &Workflow,
    call: ProgramCounter,
) -> Result<bool, AuthorizeError> {
    info!("Checking task '{}' execution permission with checker '{}'...", call, worker_cfg.services.chk.address);

    // Alrighty tighty, let's begin by building the request for the checker
    debug!("Constructing checker request...");
    let body: PolicyExecuteRequest = PolicyExecuteRequest { use_case: use_case.into(), workflow: workflow.clone(), task_id: call };

    // Next, generate a JWT to inject in the request
    let jwt: String = match specifications::policy::generate_policy_token(
        if let Some(user) = &*workflow.user { user.as_str() } else { "UNKNOWN" },
        &worker_cfg.name,
        Duration::from_secs(60),
        &worker_cfg.paths.policy_deliberation_secret,
    ) {
        Ok(token) => token,
        Err(err) => return Err(AuthorizeError::TokenGenerate { secret: worker_cfg.paths.policy_deliberation_secret.clone(), err }),
    };

    // Prepare the request to send
    let client: reqwest::Client = match reqwest::Client::builder().build() {
        Ok(client) => client,
        Err(err) => return Err(AuthorizeError::ClientBuild { err }),
    };
    let addr: String = format!("{}/{}", worker_cfg.services.chk.address, DELIBERATION_API_EXECUTE_TASK.1);
    let req: reqwest::Request =
        match client.request(DELIBERATION_API_EXECUTE_TASK.0, &addr).header(header::AUTHORIZATION, format!("Bearer {jwt}")).json(&body).build() {
            Ok(req) => req,
            Err(err) => return Err(AuthorizeError::ExecuteRequestBuild { addr, err }),
        };

    // Send it
    debug!("Sending request to '{addr}'...");
    let res: reqwest::Response = match client.execute(req).await {
        Ok(res) => res,
        Err(err) => {
            return Err(AuthorizeError::ExecuteRequestSend { addr, err });
        },
    };

    // Match on the status code to find if it's OK
    debug!("Waiting for checker response...");
    if !res.status().is_success() {
        return Err(AuthorizeError::ExecuteRequestFailure { addr, code: res.status(), err: res.text().await.ok() });
    }
    let res: String = match res.text().await {
        Ok(res) => res,
        Err(err) => return Err(AuthorizeError::ExecuteBodyDownload { addr, err }),
    };
    let res: Verdict = match serde_json::from_str(&res) {
        Ok(res) => res,
        Err(err) => return Err(AuthorizeError::ExecuteBodyDeserialize { addr, raw: res, err }),
    };

    // Now match the checker's response
    match res {
        Verdict::Allow(_) => {
            info!("Checker ALLOWED execution of task {}", call);
            Ok(true)
        },

        Verdict::Deny(_) => {
            info!("Checker DENIED execution of task {}", call);
            Ok(false)
        },
    }
}

/// Abstracts over the kinds of questions this worker handles ~ workflow-global validation requests or task-specific.
///
/// # Arguments
/// -` node_config_path`: The path to a `node.yml` file that defines the environment (such as checker location).
/// - `request`: The body of the request, which is either a [`CheckWorkflowRequest`] or a [`CheckTaskRequest`].
///
/// # Returns
/// A [`CheckReply`] containing the checker's response (wrapped in a [`tonic::Response`]).
///
/// # Errors
/// This function may error if we failed to read the `node.yml` file or if we failed to contact the checker.
async fn check_workflow_or_task(node_config_path: &Path, request: CheckRequest) -> Result<Response<CheckReply>, Status> {
    let (use_case, workflow, task_id): (String, String, Option<String>) = match request {
        CheckRequest::Workflow(CheckWorkflowRequest { use_case, workflow }) => (use_case, workflow, None),
        CheckRequest::Task(CheckTaskRequest { use_case, workflow, task_id }) => (use_case, workflow, Some(task_id)),
    };
    debug!("Consulting checker to find validity for use-case '{use_case}'");

    // Load the worker config from the node config to setup the profiler
    let worker_cfg: WorkerConfig = match NodeConfig::from_path(node_config_path) {
        Ok(node_config) => match node_config.node.try_into_worker() {
            Some(node) => node,
            None => {
                error!("Provided a non-worker `node.yml` file; please change to include worker services");
                return Err(Status::internal("An internal error occurred"));
            },
        },
        Err(err) => {
            error!("{}", trace!(("Could not load `node.yml` file '{}'", node_config_path.display()), err));
            return Err(Status::internal("An internal error occurred"));
        },
    };
    let report =
        ProfileReport::auto_reporting_file("brane-job WorkerServer::check-workflow", format!("brane-job_{}_check-workflow", worker_cfg.name));

    // Attempt to parse the workflow
    let par = report.time("Parsing");
    let workflow: Workflow = match serde_json::from_str(&workflow) {
        Ok(workflow) => workflow,
        Err(err) => {
            error!("{}", trace!(("Failed to deserialize workflow"), err));
            debug!("Workflow:\n{}\n{}\n{}\n", (0..80).map(|_| '-').collect::<String>(), workflow, (0..80).map(|_| '-').collect::<String>());
            return Err(Status::invalid_argument(format!("{}", trace!(("Failed to deserialize workflow"), err))));
        },
    };
    par.stop();

    // Alrighty tighty, let's begin by building the request for the checker
    let send = report.time("Checker request");
    debug!("Constructing checker request...");
    let (method, url, body): (Method, String, String) = if let Some(task_id) = task_id {
        // Parse the task ID as a ProgramCounter
        let pc: ProgramCounter = match ProgramCounter::from_str(&task_id) {
            Ok(pc) => pc,
            Err(err) => {
                debug!("{}", trace!(("Failed to parse '{task_id}' as program counter"), err));
                return Err(Status::invalid_argument(format!("{}", trace!(("Failed to parse '{task_id}' as program counter"), err))));
            },
        };

        // It's a task request
        (
            DELIBERATION_API_EXECUTE_TASK.0,
            format!("{}/{}", worker_cfg.services.chk.address, DELIBERATION_API_EXECUTE_TASK.1),
            match serde_json::to_string(&PolicyExecuteRequest { use_case: use_case.clone(), workflow: workflow.clone(), task_id: pc }) {
                Ok(req) => req,
                Err(err) => {
                    error!("{}", trace!(("Could not deserialize PolicyExecuteRequest"), err));
                    return Err(Status::internal("An internal error occurred"));
                },
            },
        )
    } else {
        // It's a workflow request
        (
            DELIBERATION_API_WORKFLOW.0,
            format!("{}/{}", worker_cfg.services.chk.address, DELIBERATION_API_WORKFLOW.1),
            match serde_json::to_string(&PolicyValidateRequest { use_case: use_case.clone(), workflow: workflow.clone() }) {
                Ok(req) => req,
                Err(err) => {
                    error!("{}", trace!(("Could not deserialize PolicyExecuteRequest"), err));
                    return Err(Status::internal("An internal error occurred"));
                },
            },
        )
    };

    // Next, generate a JWT to inject in the request
    let jwt: String = match specifications::policy::generate_policy_token(
        if let Some(user) = &*workflow.user { user.as_str() } else { "UNKNOWN" },
        &worker_cfg.name,
        Duration::from_secs(60),
        &worker_cfg.paths.policy_deliberation_secret,
    ) {
        Ok(token) => token,
        Err(err) => {
            let err = AuthorizeError::TokenGenerate { secret: worker_cfg.paths.policy_deliberation_secret.clone(), err };
            error!("{}", err.trace());
            return Err(Status::internal("An internal error occurred"));
        },
    };

    // Prepare the request to send
    let client: reqwest::Client = match reqwest::Client::builder().build() {
        Ok(client) => client,
        Err(err) => {
            let err = AuthorizeError::ClientBuild { err };
            error!("{}", err.trace());
            return Err(Status::internal("An internal error occurred"));
        },
    };
    let req: reqwest::Request = match client.request(method, &url).header(header::AUTHORIZATION, format!("Bearer {jwt}")).body(body).build() {
        Ok(req) => req,
        Err(err) => {
            let err = AuthorizeError::ExecuteRequestBuild { addr: url, err };
            error!("{}", err.trace());
            return Err(Status::internal("An internal error occurred"));
        },
    };

    // Send it
    debug!("Sending request to '{url}'...");
    let res: reqwest::Response = match client.execute(req).await {
        Ok(res) => res,
        Err(err) => {
            let err = AuthorizeError::ExecuteRequestSend { addr: url, err };
            error!("{}", err.trace());
            return Err(Status::internal("An internal error occurred"));
        },
    };

    // Match on the status code to find if it's OK
    debug!("Waiting for checker response...");
    if !res.status().is_success() {
        let err = AuthorizeError::ExecuteRequestFailure { addr: url, code: res.status(), err: res.text().await.ok() };
        error!("{}", err.trace());
        return Err(Status::internal("An internal error occurred"));
    }
    let res: String = match res.text().await {
        Ok(res) => res,
        Err(err) => {
            let err = AuthorizeError::ExecuteBodyDownload { addr: url, err };
            error!("{}", err.trace());
            return Err(Status::internal("An internal error occurred"));
        },
    };
    let res: Verdict = match serde_json::from_str(&res) {
        Ok(res) => res,
        Err(err) => {
            let err = AuthorizeError::ExecuteBodyDeserialize { addr: url, raw: res, err };
            error!("{}", err.trace());
            return Err(Status::internal("An internal error occurred"));
        },
    };
    send.stop();

    // Now match the checker's response
    match res {
        Verdict::Allow(_) => {
            info!("Checker ALLOWED execution of workflow");
            Ok(Response::new(CheckReply { verdict: true, reasons: vec![] }))
        },

        Verdict::Deny(deny) => {
            info!("Checker DENIED execution of workflow");
            Ok(Response::new(CheckReply { verdict: false, reasons: deny.reasons_for_denial.unwrap_or_else(Vec::new) }))
        },
    }
}



/// Returns the path of a cached container file if it is cached.
///
/// # Arguments
/// - `worker_cfg`: The configuration for this node's environment. For us, contains if and where we should proxy the request through and where we may download package images to.
/// - `image`: The image name of the image we want to have.
///
/// # Returns
/// The path to the file if it exists (and is thus cached), or `None` otherwise. Note that the existance of the image file itself does not mean the hash and ID cache files are there too.
#[inline]
fn get_cached_container(worker_cfg: &WorkerConfig, image: &Image) -> Option<PathBuf> {
    // Generate the path
    let image_path: PathBuf = worker_cfg.paths.packages.join(format!("{}-{}.tar", image.name, image.version.as_ref().unwrap_or(&"latest".into())));

    // Whether we return it determines if it exists
    if image_path.exists() { Some(image_path) } else { None }
}

/// Downloads a container to the local registry.
///
/// # Arguments
/// - `worker_cfg`: The configuration for this node's environment. For us, contains if and where we should proxy the request through and where we may download package images to.
/// - `proxy`: The proxy client we use to proxy the data transfer.
/// - `endpoint`: The address where to download the container from.
/// - `image`: The image name (including digest, for caching) to download.
///
/// # Returns
/// The path of the downloaded image file combined with the hash of the image. It's very good practise to use this one, since the actual path is subject to change.
///
/// The given Image is also updated with any new digests if none are given.
///
/// # Errors
/// This function may error if we failed to reach the remote host, download the file or write the file.
async fn get_container(
    worker_cfg: &WorkerConfig,
    proxy: Arc<ProxyClient>,
    endpoint: impl AsRef<str>,
    image: &Image,
) -> Result<PathBuf, ExecuteError> {
    let endpoint: &str = endpoint.as_ref();
    debug!("Downloading image '{}' from '{}'...", image, endpoint);

    // Send a GET-request to the correct location
    let address: String = format!("{}/packages/{}/{}", endpoint, image.name, image.version.as_ref().unwrap_or(&"latest".into()));
    debug!("Performing request to '{}'...", address);
    let res = match proxy.get(&address, None).await {
        Ok(result) => match result {
            Ok(res) => res,
            Err(err) => {
                return Err(ExecuteError::DownloadRequestError { address, err });
            },
        },
        Err(err) => {
            return Err(ExecuteError::ProxyError { err: Box::new(err) });
        },
    };
    if !res.status().is_success() {
        return Err(ExecuteError::DownloadRequestFailure { address, code: res.status(), message: res.text().await.ok() });
    }

    // With the request success, download it in parts
    let image_path: PathBuf = worker_cfg.paths.packages.join(format!("{}-{}.tar", image.name, image.version.as_ref().unwrap_or(&"latest".into())));
    debug!("Writing request stream to '{}'...", image_path.display());
    {
        let mut handle: tfs::File = match tfs::File::create(&image_path).await {
            Ok(handle) => handle,
            Err(err) => {
                return Err(ExecuteError::ImageCreateError { path: image_path, err });
            },
        };
        let mut stream = res.bytes_stream();
        while let Some(chunk) = stream.next().await {
            // Unwrap the chunk
            let mut chunk: Bytes = match chunk {
                Ok(chunk) => chunk,
                Err(err) => {
                    return Err(ExecuteError::DownloadStreamError { address, err });
                },
            };

            // Write it to the file
            if let Err(err) = handle.write_all_buf(&mut chunk).await {
                return Err(ExecuteError::ImageWriteError { path: image_path, err });
            }
        }
    }

    // That's OK - now return
    Ok(image_path)
}

/// Returns the hash and identifier of the given image file.
///
/// The hash is meant to represent some cryptographically secure footprint, whereas the identifier is the Docker ID of the image we can use to refer to this unique instance in the Docker daemon.
///
/// Note that the ID itself is _not_ cryptographically secure, since it is not computed but read from the image file. It may thus be tempered with by the sender.
///
/// # Arguments
/// - `node_config`: The configuration for this node's environment. For us, contains the location to the `backend` file that determines if we need to compute a hash or not.
/// - `image_path`: The path to the image file to compute the hash and ID of.
/// - `prof`: A ProfileScope to provide more detailled information about the time it takes to retrieve the container identifiers.
///
/// # Returns
/// The ID and hash of this container, respectively. Note that the hash may be empty, in which case the system admin disabled container security.
///
/// Also note that, for performance reasons, the function generates cache files alongside the image file if they are not present already.
///
/// # Errors
/// This function errors if we failed to read the given image file or any other associated cache file.
async fn get_container_ids(
    worker_cfg: &WorkerConfig,
    image_path: impl AsRef<Path>,
    prof: ProfileScopeHandle<'_>,
) -> Result<(String, Option<String>), ExecuteError> {
    let image_path: &Path = image_path.as_ref();
    debug!("Computing ID and hash for '{}'...", image_path.display());

    // Open the backend file
    let disk = prof.time("File loading");
    let backend: BackendFile = match BackendFile::from_path(&worker_cfg.paths.backend) {
        Ok(backend) => backend,
        Err(err) => {
            return Err(ExecuteError::BackendFileError { path: worker_cfg.paths.backend.clone(), err });
        },
    };
    disk.stop();

    // Get the directory of the image
    let dir: &Path = image_path.parent().unwrap_or(image_path);
    let file_name: &OsStr = image_path.file_stem().unwrap_or_else(|| OsStr::new(""));

    // Check the image ID
    let id: String = {
        // Check if the cache file exists
        let cache_file: PathBuf = dir.join(format!("{}-id.sha256", file_name.to_string_lossy()));
        if cache_file.exists() {
            // Attempt to read it
            let _cache = prof.time("ID cache file reading");
            match tfs::read_to_string(&cache_file).await {
                Ok(id) => id,
                Err(err) => {
                    return Err(ExecuteError::IdReadError { path: cache_file, err });
                },
            }
        } else {
            // Get the ID from the image
            let _ext = prof.time("ID extraction");
            let id: String = match docker::get_digest(image_path).await {
                Ok(id) => id,
                Err(err) => {
                    return Err(ExecuteError::DigestError { path: image_path.into(), err });
                },
            };

            // Write it to the cache file
            if let Err(err) = tfs::write(&cache_file, &id).await {
                return Err(ExecuteError::IdWriteError { path: cache_file, err });
            }

            // Return the ID
            id
        }
    };

    // Check the image hash
    let hash: Option<String> = if backend.hash_containers() {
        // Check if the hash file exists
        let cache_file: PathBuf = dir.join(format!("{}-hash.sha256", file_name.to_string_lossy()));
        if cache_file.exists() {
            // Attempt to read it
            let _cache = prof.time("Hash cache file reading");
            match tfs::read_to_string(&cache_file).await {
                Ok(hash) => Some(hash),
                Err(err) => {
                    return Err(ExecuteError::HashReadError { path: cache_file, err });
                },
            }
        } else {
            // Compute the hash
            let _ext = prof.time("Hash computation");
            let hash: String = match docker::hash_container(image_path).await {
                Ok(hash) => hash,
                Err(err) => {
                    return Err(ExecuteError::HashError { err });
                },
            };

            // Write it to the cache file
            if let Err(err) = tfs::write(&cache_file, &hash).await {
                return Err(ExecuteError::HashWriteError { path: cache_file, err });
            }

            // Return the hash
            Some(hash)
        }
    } else {
        None
    };

    // Done
    Ok((id, hash))
}

/// Ensures the given image exists, either by finding it in the local cache or by downloading it from the central node.
///
/// # Arguments
/// - `worker_cfg`: The configuration for this node's environment. For us, contains if and where we should proxy the request through and where we may download package images to.
/// - `proxy`: The proxy client we use to proxy the data transfer.
/// - `endpoint`: The address where to download the container from.
/// - `image`: The image name (including digest, for caching) to download.
/// - `prof`: A ProfileScope to provide more detailled information about the time it takes to ensure a container exists.
///
/// # Returns
/// The path of the downloaded image file combined with the ID of the image and the hash of the image, respectively.
///
/// It's very good practise to use this path, since the cached path might be changed in this function.
///
/// The ID may be used to communicate the container to Docker, but it is not cryptographically secure (it is provided by the remote party as-is). Use the hash instead for policies.
///
/// Also note that if the hash is missing (`None`), then the system administrator disabled container security and no consulting of the checker on this respect should occur.
///
/// # Errors
/// This function may error if we failed to reach the remote host, download the file or write the file. If it is cached, then we may fail if we failed to read any of the cached files.
async fn ensure_container(
    worker_cfg: &WorkerConfig,
    proxy: Arc<ProxyClient>,
    endpoint: impl AsRef<str>,
    image: &Image,
    prof: ProfileScopeHandle<'_>,
) -> Result<(PathBuf, String, Option<String>), ExecuteError> {
    // Download the file if we don't have it locally already
    let image_path: PathBuf = match prof.time_func("cache checking", || get_cached_container(worker_cfg, image)) {
        Some(path) => path,
        None => prof.time_fut("container downloading", get_container(worker_cfg, proxy, endpoint, image)).await?,
    };

    // Compute the ID and hash for it
    let (id, hash): (String, Option<String>) =
        prof.nest_fut("container ID & hash computation", |scope| get_container_ids(worker_cfg, &image_path, scope)).await?;

    // Done, return
    Ok((image_path, id, hash))
}



/// Runs the given task on a local backend.
///
/// # Arguments
/// - `worker_cfg`: The configuration for this node's environment. For us, contains the location ID of this location and where to find data & intermediate results.
/// - `dinfo`: Information that determines where and how to connect to the local Docker deamon.
/// - `tx`: The transmission channel over which we should update the client of our progress.
/// - `container_path`: The path of the downloaded container that we should execute.
/// - `tinfo`: The TaskInfo that describes the task itself to execute.
/// - `keep_container`: Whether to keep the container after execution or not.
/// - `prof`: A ProfileScope to provide more detailled information about the time it takes to execute a local task.
///
/// # Returns
/// The return value of the task when it completes..
///
/// # Errors
/// This function errors if the task fails for whatever reason or we didn't even manage to launch it.
async fn execute_task_local(
    worker_cfg: &WorkerConfig,
    dinfo: DockerOptions,
    tx: &Sender<Result<ExecuteReply, Status>>,
    container_path: impl AsRef<Path>,
    tinfo: TaskInfo,
    keep_container: bool,
    prof: ProfileScopeHandle<'_>,
) -> Result<FullValue, JobStatus> {
    let container_path: &Path = container_path.as_ref();
    let mut tinfo: TaskInfo = tinfo;
    let image: Image = tinfo.image.clone().unwrap();
    debug!("Spawning container '{}' as a local container...", image);

    // First, we preprocess the arguments
    let binds: Vec<VolumeBind> = match prof
        .time_fut(
            "preprocessing",
            docker::preprocess_args(&mut tinfo.args, &tinfo.input, &tinfo.result, Some(&worker_cfg.paths.data), &worker_cfg.paths.results),
        )
        .await
    {
        Ok(binds) => binds,
        Err(err) => {
            return Err(JobStatus::CreationFailed(format!("Failed to preprocess arguments: {err}")));
        },
    };

    // Serialize them next
    let ser = prof.time("Serialization");
    let params: String = match serde_json::to_string(&tinfo.args) {
        Ok(params) => params,
        Err(err) => {
            return Err(JobStatus::CreationFailed(format!("Failed to serialize arguments: {err}")));
        },
    };
    ser.stop();

    // Prepare the ExecuteInfo
    let info: ExecuteInfo = ExecuteInfo::new(
        &tinfo.name,
        image,
        ImageSource::Path(container_path.into()),
        vec![
            "-d".into(),
            "--application-id".into(),
            "unspecified".into(),
            "--location-id".into(),
            worker_cfg.name.clone(),
            "--job-id".into(),
            "unspecified".into(),
            tinfo.kind.unwrap().into(),
            tinfo.name.clone(),
            STANDARD.encode(params),
        ],
        binds,
        tinfo.requirements,
        Network::None,
    );

    // Now we can launch the container...
    let exec = prof.nest("execution");
    let total = prof.time("Total");
    let name: String = match exec.time_fut("spawn overhead", docker::launch(&dinfo, info)).await {
        Ok(name) => name,
        Err(err) => {
            return Err(JobStatus::CreationFailed(format!("Failed to spawn container: {err}")));
        },
    };
    if let Err(err) = update_client(tx, JobStatus::Created).await {
        error!("{}", err.trace());
    }
    if let Err(err) = update_client(tx, JobStatus::Started).await {
        error!("{}", err.trace());
    }

    // ...and wait for it to complete
    let (code, stdout, stderr): (i32, String, String) = match exec.time_fut("join overhead", docker::join(dinfo, name, keep_container)).await {
        Ok(name) => name,
        Err(err) => {
            return Err(JobStatus::CompletionFailed(format!("Failed to join container: {err}")));
        },
    };
    total.stop();
    exec.finish();

    // Let the client know it was done
    debug!("Container return code: {}", code);
    debug!("Container stdout/stderr:\n\nstdout:\n{}\n\nstderr:\n{}\n", BlockFormatter::new(&stdout), BlockFormatter::new(&stderr));
    if let Err(err) = update_client(tx, JobStatus::Completed).await {
        error!("{}", err.trace());
    }

    // If the return code is no bueno, error and show stderr
    if code != 0 {
        return Err(JobStatus::Failed(code, stdout, stderr));
    }

    // Otherwise, decode the output of branelet to the value returned
    let decode = prof.time("Decode");
    let output = stdout.lines().last().unwrap_or_default().to_string();
    let raw: String = match decode_base64(output) {
        Ok(raw) => raw,
        Err(err) => {
            return Err(JobStatus::DecodingFailed(format!("Failed to decode output ase base64: {err}")));
        },
    };
    let value: FullValue = match serde_json::from_str::<Option<FullValue>>(&raw) {
        Ok(value) => value.unwrap_or(FullValue::Void),
        Err(err) => {
            return Err(JobStatus::DecodingFailed(format!("Failed to decode output as JSON: {err}")));
        },
    };
    decode.stop();

    // Done
    debug!("Task '{}' returned value: '{:?}'", tinfo.name, value);
    Ok(value)
}

// /// Runs the given task on a Kubernetes backend.
// ///
// /// # Arguments
// /// - `worker_cfg`: The configuration for this node's environment. For us, contains the location ID of this location and where to find data & intermediate results.
// /// - `kinfo`: Information that determines where and how to connect to the Kubernetes cluster.
// /// - `tx`: The transmission channel over which we should update the client of our progress.
// /// - `container_path`: The path of the downloaded container that we should execute.
// /// - `tinfo`: The TaskInfo that describes the task itself to execute.
// /// - `prof`: A ProfileScope to provide more detailled information about the time it takes to execute a local task.
// ///
// /// # Returns
// /// The return value of the task when it completes..
// ///
// /// # Errors
// /// This function errors if the task fails for whatever reason or we didn't even manage to launch it.
// async fn execute_task_k8s(worker_cfg: &WorkerConfig, kinfo: K8sOptions, tx: &Sender<Result<ExecuteReply, Status>>, container_path: impl AsRef<Path>, tinfo: TaskInfo, prof: ProfileScopeHandle<'_>) -> Result<FullValue, JobStatus> {
//     let container_path : &Path    = container_path.as_ref();
//     let mut tinfo      : TaskInfo = tinfo;
//     let image          : Image    = tinfo.image.clone().unwrap();
//     debug!("Spawning container '{}' as a Kubernetes container...", image);

//     // First, let's read the Kubernetes file
//     let config: k8s::Config = match k8s::read_config(&kinfo.config).await {
//         Ok(config) => config,
//         Err(err)   => { return Err(JobStatus::CreationFailed(format!("Failed to parse Kubernetes configuration file: {err}"))); },
//     };



//     // Let us preprocess the arguments
//     let binds: Vec<VolumeBind> = match prof.time_fut("preprocessing", docker::preprocess_args(&mut tinfo.args, &tinfo.input, &tinfo.result, Some(&worker_cfg.paths.data), &worker_cfg.paths.results)).await {
//         Ok(binds) => binds,
//         Err(err)  => { return Err(JobStatus::CreationFailed(format!("Failed to preprocess arguments: {err}"))); },
//     };

//     // Serialize them next
//     let ser = prof.time("Serialization");
//     let params: String = match serde_json::to_string(&tinfo.args) {
//         Ok(params) => params,
//         Err(err)   => { return Err(JobStatus::CreationFailed(format!("Failed to serialize arguments: {err}"))); },
//     };
//     ser.stop();

//     // Prepare the ExecuteInfo
//     let info: ExecuteInfo = ExecuteInfo::new(
//         &tinfo.name,
//         image,
//         ImageSource::Path(container_path.into()),
//         vec![
//             "-d".into(),
//             "--application-id".into(),
//             "unspecified".into(),
//             "--location-id".into(),
//             worker_cfg.name.clone(),
//             "--job-id".into(),
//             "unspecified".into(),
//             tinfo.kind.unwrap().into(),
//             tinfo.name.clone(),
//             base64::encode(params),
//         ],
//         binds,
//         tinfo.requirements,
//         Network::None,
//     );

//     // Now we can launch the container...
//     let exec = prof.nest("execution");
//     let total = prof.time("Total");
//     let name: String = match exec.time_fut("spawn overhead", docker::launch(&dinfo, info)).await {
//         Ok(name) => name,
//         Err(err) => { return Err(JobStatus::CreationFailed(format!("Failed to spawn container: {err}"))); },
//     };
//     if let Err(err) = update_client(tx, JobStatus::Created).await { error!("{}", err.trace()); }
//     if let Err(err) = update_client(tx, JobStatus::Started).await { error!("{}", err.trace()); }

//     // ...and wait for it to complete
//     let (code, stdout, stderr): (i32, String, String) = match exec.time_fut("join overhead", docker::join(dinfo, name, keep_container)).await {
//         Ok(name) => name,
//         Err(err) => { return Err(JobStatus::CompletionFailed(format!("Failed to join container: {err}"))); },
//     };
//     total.stop();
//     exec.finish();

//     // Let the client know it was done
//     debug!("Container return code: {}", code);
//     debug!("Container stdout/stderr:\n\nstdout:\n{}\n\nstderr:\n{}\n", BlockFormatter::new(&stdout), BlockFormatter::new(&stderr));
//     if let Err(err) = update_client(tx, JobStatus::Completed).await { error!("{}", err.trace()); }

//     // If the return code is no bueno, error and show stderr
//     if code != 0 {
//         return Err(JobStatus::Failed(code, stdout, stderr));
//     }

//     // Otherwise, decode the output of branelet to the value returned
//     let decode = prof.time("Decode");
//     let output = stdout.lines().last().unwrap_or_default().to_string();
//     let raw: String = match decode_base64(output) {
//         Ok(raw)  => raw,
//         Err(err) => { return Err(JobStatus::DecodingFailed(format!("Failed to decode output ase base64: {err}"))); },
//     };
//     let value: FullValue = match serde_json::from_str::<Option<FullValue>>(&raw) {
//         Ok(value) => value.unwrap_or(FullValue::Void),
//         Err(err)  => { return Err(JobStatus::DecodingFailed(format!("Failed to decode output as JSON: {err}"))); },
//     };
//     decode.stop();

//     // Done
//     debug!("Task '{}' returned value: '{:?}'", tinfo.name, value);
//     Ok(value)
// }



/// Runs the given task on the backend.
///
/// # Arguments
/// - `worker_cfg`: The configuration for this node's environment. For us, contains the location ID of this location and where to find data & intermediate results.
/// - `proxy`: The proxy client we use to proxy the data transfer.
/// - `tx`: The channel to transmit stuff back to the client on.
/// - `use_case`: A string denoting which use-case (registry) we're using.
/// - `workflow`: The Workflow that we're executing. Useful for communicating with the eFLINT backend.
/// - `cinfo`: The CentralNodeInfo that specifies where to find services over at the central node.
/// - `tinfo`: The TaskInfo that describes the task itself to execute.
/// - `keep_container`: Whether to keep the container after execution or not.
/// - `prof`: A ProfileScope to provide more detailled information about the time it takes to execute a task.
///
/// # Returns
/// Nothing directly, although it does communicate updates, results and errors back to the client via the given `tx`.
///
/// # Errors
/// This fnction may error for many many reasons, but chief among those are unavailable backends or a crashing task.
#[allow(clippy::too_many_arguments)]
async fn execute_task(
    worker_cfg: &WorkerConfig,
    proxy: Arc<ProxyClient>,
    tx: Sender<Result<ExecuteReply, Status>>,
    use_case: &str,
    workflow: Workflow,
    cinfo: CentralNodeInfo,
    tinfo: TaskInfo,
    keep_container: bool,
    prof: ProfileScopeHandle<'_>,
) -> Result<(), ExecuteError> {
    let mut tinfo = tinfo;

    // We update the user first on that the job has been received
    info!("Starting execution of task '{}'", tinfo.name);
    if let Err(err) = update_client(&tx, JobStatus::Received).await {
        error!("{}", err.trace());
    }



    /* CALL PREPARATION */
    // Next, query the API for a package index.
    let idx = prof.time("Index retrieval");
    let index: PackageIndex = match proxy.get_package_index(&format!("{}/graphql", cinfo.api_endpoint)).await {
        Ok(result) => match result {
            Ok(index) => index,
            Err(err) => {
                return err!(tx, ExecuteError::PackageIndexError { endpoint: cinfo.api_endpoint.clone(), err });
            },
        },
        Err(err) => {
            return err!(tx, ExecuteError::ProxyError { err: Box::new(err) });
        },
    };

    // Get the info
    let info: &PackageInfo = match index.get(&tinfo.package_name, Some(&tinfo.package_version)) {
        Some(info) => info,
        None => {
            return err!(tx, ExecuteError::UnknownPackage { name: tinfo.package_name.clone(), version: tinfo.package_version });
        },
    };
    idx.stop();

    // Deduce the image name from that
    tinfo.kind = Some(info.kind);
    tinfo.image = Some(Image::new(&tinfo.package_name, Some(tinfo.package_version), info.digest.clone()));

    // Now load the credentials file to get things going
    let disk = prof.time("File loading");
    let creds: BackendFile = match BackendFile::from_path(&worker_cfg.paths.backend) {
        Ok(creds) => creds,
        Err(err) => {
            return err!(tx, ExecuteError::BackendFileError { path: worker_cfg.paths.backend.clone(), err });
        },
    };
    disk.stop();

    // Download the container from the central node
    let (container_path, container_id, container_hash): (PathBuf, String, Option<String>) = prof
        .nest_fut(format!("container {:?} downloading", tinfo.image.as_ref()), |scope| {
            ensure_container(worker_cfg, proxy, &cinfo.api_endpoint, tinfo.image.as_ref().unwrap(), scope)
        })
        .await?;
    tinfo.image.as_mut().unwrap().digest = Some(container_id);



    /* AUTHORIZATION */
    // We only do the container security thing if the user told us to; otherwise, the hash will be empty
    if let Some(_container_hash) = container_hash {
        let _auth = prof.time("Authorization");

        // First: make sure that the workflow is allowed by the checker
        match assert_task_permission(worker_cfg, use_case, &workflow, tinfo.pc).await {
            Ok(true) => {
                debug!("Checker accepted incoming workflow");
                if let Err(err) = update_client(&tx, JobStatus::Authorized).await {
                    error!("{}", err.trace());
                }
            },
            Ok(false) => {
                debug!("Checker rejected incoming workflow");
                if let Err(err) = update_client(&tx, JobStatus::Denied).await {
                    error!("{}", err.trace());
                }
                return Err(ExecuteError::AuthorizationFailure { checker: worker_cfg.services.reg.address.clone() });
            },

            Err(err) => {
                return err!(tx, JobStatus::AuthorizationFailed, ExecuteError::AuthorizationError {
                    checker: worker_cfg.services.reg.address.clone(),
                    err
                });
            },
        }
    }



    /* SCHEDULE */
    // Match on the specific type to find the specific backend
    let value: FullValue = match creds.method {
        Credentials::Local { path, version } => {
            // Prepare the DockerInfo
            let dinfo: DockerOptions = DockerOptions {
                socket:  path.unwrap_or_else(|| PathBuf::from("/var/run/docker.sock")),
                version: ClientVersion(
                    version
                        .map(|(major, minor)| bollard::ClientVersion { major_version: major, minor_version: minor })
                        .unwrap_or(*API_DEFAULT_VERSION),
                ),
            };

            // Do the call
            match prof
                .nest_fut("execution (local)", |scope| execute_task_local(worker_cfg, dinfo, &tx, container_path, tinfo, keep_container, scope))
                .await
            {
                Ok(value) => value,
                Err(status) => {
                    error!("Job failed with status: {:?}", status);
                    if let Err(err) = update_client(&tx, status).await {
                        error!("{}", err.trace());
                    }
                    return Ok(());
                },
            }
        },

        Credentials::Ssh { .. } => {
            error!("SSH backend is not yet supported");
            if let Err(err) = update_client(&tx, JobStatus::CreationFailed("SSH backend is not yet supported".into())).await {
                error!("{}", err.trace());
            }
            return Ok(());
        },

        Credentials::Kubernetes { registry_address: _, config: _ } => {
            error!("Kubernetes backend is not yet supported");
            if let Err(err) = update_client(&tx, JobStatus::CreationFailed("Kubernetes backend is not yet supported".into())).await {
                error!("{}", err.trace());
            }
            return Ok(());

            // // Prepare the options for the Kubernetes client
            // let kinfo: K8sOptions = K8sOptions {
            //     registry_address,
            //     config,
            // };

            // // Prepare the options we want to pass to Kubernetes
            // match prof.nest_fut("execution (k8s)", |scope| execute_task_k8s(worker_cfg, kinfo, &tx, container_path, tinfo, scope)).await {
            //     Ok(value)   => value,
            //     Err(status) => {
            //         error!("Job failed with status: {:?}", status);
            //         if let Err(err) = update_client(&tx, status).await { error!("{}", err.trace()); }
            //         return Ok(());
            //     }
            // }
        },
        Credentials::Slurm { .. } => {
            error!("Slurm backend is not yet supported");
            if let Err(err) = update_client(&tx, JobStatus::CreationFailed("Slurm backend is not yet supported".into())).await {
                error!("{}", err.trace());
            }
            return Ok(());
        },
    };
    debug!("Job completed");



    /* RETURN */
    // Alright, we are done; the rest is up to the little branelet itself.
    if let Err(err) = update_client(&tx, JobStatus::Finished(value)).await {
        error!("{}", err.trace());
    }
    Ok(())
}



/// Commits the given intermediate result.
///
/// # Arguments
/// - `worker_cfg`: The configuration for this node's environment. For us, contains where to read intermediate results from and data to.
/// - `results_path`: Path to the shared data results directory. This is where the results live.
/// - `name`: The name of the intermediate result to promote.
/// - `data_name`: The name of the intermediate result to promote it as.
/// - `prof`: A ProfileScope to provide more detailled information about the time it takes to commit a result.
///
/// # Errors
/// This function may error for many many reasons, but chief among those are unavailable registries and such.
async fn commit_result(
    worker_cfg: &WorkerConfig,
    name: impl AsRef<str>,
    data_name: impl AsRef<str>,
    prof: ProfileScopeHandle<'_>,
) -> Result<(), CommitError> {
    let name: &str = name.as_ref();
    let data_name: &str = data_name.as_ref();
    debug!("Commit intermediate result '{}' as '{}'...", name, data_name);



    // Step 1: Check if the dataset already exists (locally)
    let data_path: &Path = &worker_cfg.paths.data;
    let info: Option<AssetInfo> = {
        let _reg = prof.time("Local registry scan");

        // Get the entries in the dataset directory
        let mut entries: tfs::ReadDir = match tfs::read_dir(data_path).await {
            Ok(entries) => entries,
            Err(err) => {
                return Err(CommitError::DirReadError { path: data_path.into(), err });
            },
        };

        // Iterate through them
        let mut found_info: Option<AssetInfo> = None;
        let mut i: usize = 0;
        #[allow(irrefutable_let_patterns)]
        while let entry = entries.next_entry().await {
            // Unwrap it
            let entry: tfs::DirEntry = match entry {
                Ok(Some(entry)) => entry,
                Ok(None) => {
                    break;
                },
                Err(err) => {
                    return Err(CommitError::DirEntryReadError { path: data_path.into(), i, err });
                },
            };

            // Match on directory or not
            let entry_path: PathBuf = entry.path();
            if entry_path.is_dir() {
                // Try to find the data.yml
                let info_path: PathBuf = entry_path.join("data.yml");
                if !info_path.exists() {
                    warn!("Directory '{}' is in the data folder, but does not have a `data.yml` file", entry_path.display());
                    continue;
                }
                if !info_path.is_file() {
                    warn!("Directory '{}' is in the data folder, but the nested `data.yml` file is not a file", entry_path.display());
                    continue;
                }

                // Load it
                let mut info: AssetInfo = match AssetInfo::from_path(&info_path) {
                    Ok(info) => info,
                    Err(err) => {
                        return Err(CommitError::AssetInfoReadError { path: info_path, err });
                    },
                };

                // Canonicalize the assetinfo's path
                match &mut info.access {
                    AccessKind::File { path } => {
                        if path.is_relative() {
                            *path = entry_path.join(&path);
                        }
                    },
                }

                // Keep it if it has the target name
                if info.name == data_name {
                    found_info = Some(info);
                    break;
                }
            }

            // Continue
            i += 1;
        }

        // Done, return the option
        found_info
    };



    // Step 2: Match on whether it already exists or not and copy the file
    let copy = prof.time("Data copying");
    let results_path: &Path = &worker_cfg.paths.results;
    if let Some(info) = info {
        debug!("Dataset '{}' already exists; overwriting file...", data_name);

        // Copy the source to the target destination (file, in this case)
        match &info.access {
            AccessKind::File { path: data_path } => {
                // Remove the old directory first (or file)
                if data_path.is_file() {
                    if let Err(err) = tfs::remove_file(&data_path).await {
                        return Err(CommitError::FileRemoveError { path: data_path.clone(), err });
                    }
                } else if data_path.is_dir() {
                    if let Err(err) = tfs::remove_dir_all(&data_path).await {
                        return Err(CommitError::DirRemoveError { path: data_path.clone(), err });
                    }
                } else if data_path.exists() {
                    return Err(CommitError::PathNotFileNotDir { path: data_path.clone() });
                } else {
                    // Nothing to remove
                    warn!("Previous dataset '{}' is marked as existing, but its data doesn't exist", data_path.display());
                }

                // Simply copy the one directory over the other and it's updated
                if let Err(err) = copy_dir_recursively_async(results_path.join(name), data_path).await {
                    return Err(CommitError::DataCopyError { err });
                };
            },
        }
    } else {
        debug!("Dataset '{}' doesn't exist; creating new entry...", data_name);

        // Prepare the package directory by creating it if it doesn't exist yet
        let dir: PathBuf = data_path.join(data_name);
        if !dir.is_dir() {
            if dir.exists() {
                return Err(CommitError::DataDirNotADir { path: dir });
            }
            if let Err(err) = tfs::create_dir_all(&dir).await {
                return Err(CommitError::DataDirCreateError { path: dir, err });
            }
        }

        // Copy the directory first, to not have the registry use it yet while copying
        if let Err(err) = copy_dir_recursively_async(results_path.join(name), dir.join("data")).await {
            return Err(CommitError::DataCopyError { err });
        };

        // Create a new AssetInfo struct
        let info: AssetInfo = AssetInfo {
            name: data_name.into(),
            owners: None,      // TODO: Merge parent datasets??
            description: None, // TODO: Add parents & algorithm in description??
            created: Utc::now(),

            access: AccessKind::File { path: dir.join("data") },
        };

        // Now write that
        let info_path: PathBuf = dir.join("data.yml");
        let mut handle: tfs::File = match tfs::File::create(&info_path).await {
            Ok(handle) => handle,
            Err(err) => {
                return Err(CommitError::DataInfoCreateError { path: info_path, err });
            },
        };
        let sinfo: String = match serde_yaml::to_string(&info) {
            Ok(sinfo) => sinfo,
            Err(err) => {
                return Err(CommitError::DataInfoSerializeError { err });
            },
        };
        if let Err(err) = handle.write_all(sinfo.as_bytes()).await {
            return Err(CommitError::DataInfoWriteError { path: info_path, err });
        }
    }
    copy.stop();



    // Step 3: Enjoy
    Ok(())
}





/***** HELPERS *****/
/// Abstracts over either a workflow validation request ([`CheckWorkflowRequest`]) or task validation request ([`CheckTaskRequest`]).
enum CheckRequest {
    /// It's a workflow validation request
    Workflow(CheckWorkflowRequest),
    /// It's a task validation request
    Task(CheckTaskRequest),
}





/***** LIBRARY *****/
/// Defines a server for incoming worker requests.
#[derive(Clone, Debug)]
pub struct WorkerServer {
    /// The path to the node config file that we store.
    node_config_path: PathBuf,
    /// Whether to remove containers after execution or not (but negated).
    keep_containers:  bool,

    /// The proxy client to connect to the proxy service with.
    proxy:      Arc<ProxyClient>,
    /// The cache that is responsible for learning location ID -> registry mappings.
    ///
    /// They are mapped by use-case ID.
    registries: Arc<HashMap<String, DomainRegistryCache>>,
}

impl WorkerServer {
    /// Constructor for the JobHandler.
    ///
    /// # Arguments
    /// - `node_config_path`: The path to the `node.yml` file that describes this node's environment.
    /// - `keep_containers`: If true, then we will not remove containers after execution (useful for debugging).
    /// - `proxy`: The proxy client to connect to the proxy service with.
    ///
    /// # Returns
    /// A new JobHandler instance.
    ///
    /// # Errors
    /// This function could error if it failed to load the node config file at `node_config_path`.
    #[inline]
    pub fn new(node_config_path: impl Into<PathBuf>, keep_containers: bool, proxy: Arc<ProxyClient>) -> Result<Self, Error> {
        // Read the node config to construct a map of caches
        let node_config_path: PathBuf = node_config_path.into();
        let node: NodeConfig = match NodeConfig::from_path(&node_config_path) {
            Ok(node) => node,
            Err(err) => return Err(Error::NodeConfigLoad { path: node_config_path, err }),
        };
        let worker: WorkerConfig = match node.node {
            NodeSpecificConfig::Worker(worker) => worker,
            kind => {
                return Err(Error::NodeConfigWrongKind {
                    path:     node_config_path,
                    got:      kind.variant().to_string(),
                    expected: "Worker".into(),
                });
            },
        };

        // Build a map to do the thing
        let registries: HashMap<String, DomainRegistryCache> =
            worker.usecases.into_iter().map(|(usecase, reg)| (usecase, DomainRegistryCache::new(reg.api))).collect();

        // OK, return self
        Ok(Self { node_config_path, keep_containers, proxy, registries: Arc::new(registries) })
    }
}

#[tonic::async_trait]
impl JobService for WorkerServer {
    type ExecuteStream = ReceiverStream<Result<ExecuteReply, Status>>;

    async fn check_workflow(&self, request: Request<CheckWorkflowRequest>) -> Result<Response<CheckReply>, Status> {
        info!("Receiving check request for workflow validity...");

        // Pass to the abstracted version
        check_workflow_or_task(&self.node_config_path, CheckRequest::Workflow(request.into_inner())).await
    }

    async fn check_task(&self, request: Request<CheckTaskRequest>) -> Result<Response<CheckReply>, Status> {
        info!("Receiving check request for task validity...");

        // Pass to the abstracted version
        check_workflow_or_task(&self.node_config_path, CheckRequest::Task(request.into_inner())).await
    }

    async fn preprocess(&self, request: Request<PreprocessRequest>) -> Result<Response<PreprocessReply>, Status> {
        // let PreprocessRequest { use_case, kind, workflow, pc } = request.into_inner();
        let req: PreprocessRequest = request.into_inner();
        println!("{req:?}");
        let PreprocessRequest { use_case, kind, workflow, pc } = req;
        debug!("Receiving preprocess request for use-case '{use_case}'");

        // Load the location ID from the node config
        let location_id: String = match NodeConfig::from_path(&self.node_config_path) {
            Ok(node_config) => match node_config.node.try_into_worker() {
                Some(node) => node.name,
                None => {
                    error!("Provided a non-worker `node.yml` file; please change to include worker services");
                    return Err(Status::internal("An internal error occurred"));
                },
            },
            Err(err) => {
                error!("{}", trace!(("Could not load `node.yml` file '{}'", self.node_config_path.display()), err));
                return Err(Status::internal("An internal error occurred"));
            },
        };

        // Do the profiling (F the first function)
        let report = ProfileReport::auto_reporting_file("brane-job WorkerServer::preprocess", format!("brane-job_{location_id}_preprocess"));
        let _total = report.time("Total");

        // Parse the preprocess kind
        // match kind {
        //     Some(PreprocessKind::TransferRegistryTar(TransferRegistryTar { location, dataname })) => {
        // Unwrap the dataname, first
        let dataname: DataName = match kind.dataname {
            Some(dataname) => dataname.into(),
            None => {
                error!("Failed to parse dataname in incoming request");
                return Err(Status::invalid_argument("Invalid request: could not parse dataname".to_string()));
            },
        };

        // Load the node config file
        let disk = report.time("File loading");
        let node_config: NodeConfig = match NodeConfig::from_path(&self.node_config_path) {
            Ok(config) => config,
            Err(err) => {
                error!("{}", err.trace());
                return Err(Status::internal("An internal error occurred"));
            },
        };
        let worker: WorkerConfig = match node_config.node.try_into_worker() {
            Some(worker) => worker,
            None => {
                error!("Provided a non-worker `node.yml`; please provide one for a worker node");
                return Err(Status::internal("An internal error occurred"));
            },
        };
        disk.stop();

        // Parse the workflow
        let workflow: Workflow = match report.time_func("Workflow deserialization", || {
            // Attempt to deserialize
            serde_json::from_str(&workflow)
        }) {
            Ok(wf) => wf,
            Err(err) => {
                debug!("{}", trace!(("Incoming workflow couldn't be deserialized"), err));
                return Err(Status::invalid_argument("Invalid workflow"));
            },
        };

        // Resolve the use-case
        let registries: &DomainRegistryCache = match self.registries.get(&use_case) {
            Some(regs) => regs,
            None => {
                debug!("Received unknown use-case identifier '{use_case}'");
                return Err(Status::invalid_argument("Invalid use-case"));
            },
        };

        // Run the function that way
        let location: Location = kind.location;
        let access: AccessKind = match report
            .nest_fut("TransferTar preprocessing", |scope| {
                preprocess_transfer_tar(
                    registries,
                    &worker,
                    self.proxy.clone(),
                    &use_case,
                    pc.map(|pc| {
                        ProgramCounter::new(
                            if pc.func_id == u64::MAX { FunctionId::Main } else { FunctionId::Func(pc.func_id as usize) },
                            pc.edge_idx as usize,
                        )
                    }),
                    workflow,
                    location,
                    dataname,
                    scope,
                )
            })
            .await
        {
            Ok(access) => access,
            Err(err) => {
                error!("{}", err.trace());
                return Err(Status::internal("An internal error occurred"));
            },
        };

        // Serialize the accesskind and return the reply
        let ser = report.time("Serialization");
        let saccess: String = match serde_json::to_string(&access) {
            Ok(saccess) => saccess,
            Err(err) => {
                error!("{}", PreprocessError::AccessKindSerializeError { err });
                return Err(Status::internal("An internal error occurred"));
            },
        };
        ser.stop();

        // Done
        debug!("File transfer complete.");
        Ok(Response::new(PreprocessReply { access: saccess }))
        //     },

        //     None => {
        //         debug!("Incoming request has invalid preprocess kind (dropping it)");
        //         Err(Status::invalid_argument("Unknown preprocesskind"))
        //     },
        // }
    }

    async fn execute(&self, request: Request<ExecuteRequest>) -> Result<Response<Self::ExecuteStream>, Status> {
        let ExecuteRequest { use_case, workflow, call_pc, task_def, input, result, args } = request.into_inner();
        debug!("Receiving execute request");

        // Load the location ID from the node config
        let location_id: String = match NodeConfig::from_path(&self.node_config_path) {
            Ok(node_config) => match node_config.node.try_into_worker() {
                Some(node) => node.name,
                None => {
                    error!("Provided a non-worker `node.yml` file; please change to include worker services");
                    return Err(Status::internal("An internal error occurred"));
                },
            },
            Err(err) => {
                error!("{}", trace!(("Could not load `node.yml` file '{}'", self.node_config_path.display()), err));
                return Err(Status::internal("An internal error occurred"));
            },
        };

        // Do the profiling
        let report = ProfileReport::auto_reporting_file("brane-job WorkerServer::execute", format!("brane-job_{location_id}_execute"));
        let overhead = report.nest("handler overhead");
        let total = overhead.time("Total");

        // Prepare gRPC stream between client and (this) job delegate.
        let (tx, rx) = mpsc::channel::<Result<ExecuteReply, Status>>(10);

        // Attempt to parse the workflow
        let par = overhead.time("Parsing");
        let workflow: Workflow = match serde_json::from_str(&workflow) {
            Ok(workflow) => workflow,
            Err(err) => {
                error!("{}", trace!(("Failed to deserialize workflow"), err));
                debug!("Workflow:\n{}\n{}\n{}\n", (0..80).map(|_| '-').collect::<String>(), workflow, (0..80).map(|_| '-').collect::<String>());
                if let Err(err) = tx.send(Err(Status::invalid_argument(format!("{}", trace!(("Failed to deserialize workflow"), err))))).await {
                    error!("{}", err.trace());
                }
                return Ok(Response::new(ReceiverStream::new(rx)));
            },
        };

        // Fetch the task ID
        if task_def as usize >= workflow.table.tasks.len() {
            error!("Given task ID '{}' is out-of-bounds for workflow with {} tasks", task_def, workflow.table.tasks.len());
            if let Err(err) = tx
                .send(Err(Status::invalid_argument(format!(
                    "Given task ID '{}' is out-of-bounds for workflow with {} tasks",
                    task_def,
                    workflow.table.tasks.len()
                ))))
                .await
            {
                error!("{}", err.trace());
            }
            return Ok(Response::new(ReceiverStream::new(rx)));
        }
        let task: &ComputeTaskDef = match &workflow.table.tasks[task_def as usize] {
            TaskDef::Compute(def) => def,
            _ => {
                error!("A task of type '{}' is not yet supported", workflow.table.tasks[task_def as usize].variant());
                if let Err(err) = tx
                    .send(Err(Status::invalid_argument(format!(
                        "A task of type '{}' is not yet supported",
                        workflow.table.tasks[task_def as usize].variant()
                    ))))
                    .await
                {
                    error!("{}", err.trace());
                }
                return Ok(Response::new(ReceiverStream::new(rx)));
            },
        };

        // Attempt to parse the input
        let input: HashMap<DataName, AccessKind> = match json_to_map(&input) {
            Ok(input) => input,
            Err(err) => {
                error!("{}", trace!(("Failed to deserialize input '{}'", input), err));
                if let Err(err) = tx.send(Err(Status::invalid_argument(format!("Failed to deserialize input '{}': {}", input, err)))).await {
                    error!("{}", err.trace());
                }
                return Ok(Response::new(ReceiverStream::new(rx)));
            },
        };

        // Attempt to parse the arguments
        let args: HashMap<String, FullValue> = match serde_json::from_str(&args) {
            Ok(args) => args,
            Err(err) => {
                error!("{}", trace!(("Failed to deserialize arguments '{args}'"), err));
                if let Err(err) = tx.send(Err(Status::invalid_argument(format!("Failed to deserialize arguments '{args}': {err}")))).await {
                    error!("{}", err.trace());
                }
                return Ok(Response::new(ReceiverStream::new(rx)));
            },
        };
        par.stop();

        // Load the node config file
        let disk = overhead.time("File loading");
        let node_config: NodeConfig = match NodeConfig::from_path(&self.node_config_path) {
            Ok(config) => config,
            Err(err) => {
                error!("{}", err.trace());
                return Err(Status::internal("An internal error occurred"));
            },
        };
        let worker: WorkerConfig = match node_config.node.try_into_worker() {
            Some(worker) => worker,
            None => {
                error!("Provided a non-worker `node.yml`; please provide one for a worker node");
                return Err(Status::internal("An internal error occurred"));
            },
        };
        disk.stop();

        // Fetch the use-case's API address
        let api: &Address = match worker.usecases.get(&use_case) {
            Some(usecase) => &usecase.api,
            None => {
                debug!("Received unknown use-case identifier '{use_case}'");
                return Err(Status::invalid_argument("Invalid use-case"));
            },
        };

        // Collect some request data into CentralNodeInfo's and TaskInfo's.
        let cinfo: CentralNodeInfo = CentralNodeInfo::new(api.to_string());
        let tinfo: TaskInfo = TaskInfo::new(
            task.function.name.clone(),
            ProgramCounter::new(
                if call_pc.func_id == u64::MAX { FunctionId::Main } else { FunctionId::Func(call_pc.func_id as usize) },
                call_pc.edge_idx as usize,
            ),
            task.package.clone(),
            task.version,
            input,
            result,
            args,
            task.requirements.clone(),
        );
        total.stop();
        overhead.finish();

        // Now move the rest to a separate task so we can return the start of the stream
        let keep_containers: bool = self.keep_containers;
        let proxy: Arc<ProxyClient> = self.proxy.clone();
        tokio::spawn(async move {
            let worker: WorkerConfig = worker;
            report.nest_fut("execution", |scope| execute_task(&worker, proxy, tx, &use_case, workflow, cinfo, tinfo, keep_containers, scope)).await
        });

        // Return the stream so the user can get updates
        Ok(Response::new(ReceiverStream::new(rx)))
    }

    async fn commit(&self, request: Request<CommitRequest>) -> Result<Response<CommitReply>, Status> {
        let request = request.into_inner();
        debug!("Receiving commit request");

        // Load the location ID from the node config
        let location_id: String = match NodeConfig::from_path(&self.node_config_path) {
            Ok(node_config) => match node_config.node.try_into_worker() {
                Some(node) => node.name,
                None => {
                    error!("Provided a non-worker `node.yml` file; please change to include worker services");
                    return Err(Status::internal("An internal error occurred"));
                },
            },
            Err(err) => {
                error!("{}", trace!(("Could not load `node.yml` file '{}'", self.node_config_path.display()), err));
                return Err(Status::internal("An internal error occurred"));
            },
        };

        // Do the profiling
        let report = ProfileReport::auto_reporting_file("brane-job WorkerServer::commit", format!("brane-job_{location_id}_commit"));
        let _guard = report.time("Total");

        // Load the node config file
        let disk = report.time("File loading");
        let node_config: NodeConfig = match NodeConfig::from_path(&self.node_config_path) {
            Ok(config) => config,
            Err(err) => {
                error!("{}", err.trace());
                return Err(Status::internal("An internal error occurred"));
            },
        };
        let worker: WorkerConfig = match node_config.node.try_into_worker() {
            Some(worker) => worker,
            None => {
                error!("Provided a non-worker `node.yml`; please provide one for a worker node");
                return Err(Status::internal("An internal error occurred"));
            },
        };
        disk.stop();

        // Run the function
        if let Err(err) = report.nest_fut("committing", |scope| commit_result(&worker, &request.result_name, &request.data_name, scope)).await {
            error!("{}", err.trace());
            return Err(Status::internal("An internal error occurred"));
        }

        // Be done without any error
        Ok(Response::new(CommitReply {}))
    }
}