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
use super::*;
use crate::{
jail::{Bind, JailBuilder},
shell::ShellBuilder,
store::{backend::ReadBackend, package::LocalPackageSource, LocalStore, Store},
};
use cached_path::{Cache, Options};
use fs_extra::dir::CopyOptions;
use log::{debug, info};
use snafu::ResultExt;
use std::{fs::File, io::Write, os::unix, path::PathBuf};
use temp_dir::TempDir;
const BUILD_PATH: &str = "/tmp/build/";
const BUILD_SCRIPT_PATH: &str = "/tmp/build.sh";
#[derive(Debug)]
pub struct Recipe {
drv: Derivation,
jail: Option<JailBuilder>,
shell: Option<ShellBuilder>,
build_dir: Option<PathBuf>,
temp_dir: Option<TempDir>,
absolute_target_dir: Option<PathBuf>,
}
impl From<Derivation> for Recipe {
fn from(drv: Derivation) -> Self {
Self::new(drv)
}
}
impl Recipe {
pub fn new(drv: Derivation) -> Self {
Self {
drv,
jail: None,
shell: None,
build_dir: None,
temp_dir: None,
absolute_target_dir: None,
}
}
pub fn fetch(mut self, cache: &Cache) -> RecipeResult<Self> {
super::check_archs(self.drv.archs)?;
super::check_platforms(self.drv.platforms)?;
info!("Checked architecture and platform");
let link = PathBuf::from("result");
if link.exists() {
return Err(RecipeError::ResultLinkExists);
}
info!("Checked result link");
let path = cache
.cached_path_with_options(&self.drv.source, &Options::default().extract())
.context(CacheSnafu)?;
info!("Downloaded source");
let temp_dir = TempDir::new().context(IoSnafu)?;
let build_dir = temp_dir.child("build");
info!("Build directory created");
let mut copy_options = CopyOptions::default();
copy_options.copy_inside = true;
copy_options.skip_exist = true;
fs_extra::dir::copy(dbg!(path), &build_dir, ©_options).context(FsExtraSnafu)?;
info!("Copied downloaded data into build directory");
self.build_dir = Some(build_dir);
self.temp_dir = Some(temp_dir);
Ok(self)
}
pub fn prepare_requirements<B: ReadBackend<Source = PathBuf>>(
mut self,
store: &Store<PathBuf, B>,
) -> RecipeResult<Self> {
let build_dir = self
.build_dir
.as_ref()
.ok_or(RecipeError::MissingSourceFiles)?;
let requirements = self
.drv
.requires
.clone()
.into_iter()
.chain(self.drv.requires_build.clone().into_iter());
let jail = JailBuilder::new()
.bind(Bind::read_write(&build_dir, BUILD_PATH))
.envs(self.drv.vars.clone())
.current_dir(BUILD_PATH);
info!("Created jail");
let shell = ShellBuilder::new()
.context(ShellSnafu)?
.with_requirements(requirements, &store)
.context(ShellSnafu)?;
info!("Created shell env");
let jail = shell.apply(jail).context(ShellSnafu)?;
info!("Applied shell env to jail");
self.shell = Some(shell);
self.jail = Some(jail);
Ok(self)
}
pub fn build(mut self) -> RecipeResult<Self> {
let jail = self.jail.ok_or(RecipeError::MissingJail)?;
let build_dir = self.build_dir.ok_or(RecipeError::MissingSourceFiles)?;
let temp_dir = self.temp_dir.as_ref().ok_or(RecipeError::MissingTempDir)?;
let script_path = temp_dir.child(&self.drv.name);
let mut script_file = File::create(&script_path).context(IoSnafu)?;
script_file
.write(self.drv.script.as_bytes())
.context(IoSnafu)?;
debug!("Written temprorary script file {script_path:?}");
let mut process = jail
.bind(Bind::read_only(script_path, BUILD_SCRIPT_PATH))
.arg("sh")
.arg(BUILD_SCRIPT_PATH)
.run()
.context(IoSnafu)?;
let ecode = process.wait().context(IoSnafu)?;
assert!(ecode.success());
info!("Completed build script");
let absolute_target_dir = self.drv.target_dir.to_path(build_dir);
debug!("Calculated absolute dir {absolute_target_dir:?}");
self.build_dir = None;
self.jail = None;
self.absolute_target_dir = Some(absolute_target_dir);
Ok(self)
}
pub fn install(self, store: &mut LocalStore) -> RecipeResult<PathBuf> {
let absolute_target_dir = self
.absolute_target_dir
.ok_or(RecipeError::MissingTargetDir)?;
let package_source = LocalPackageSource::new(self.drv, absolute_target_dir);
let path = store.insert(package_source).context(StoreSnafu)?;
let link = PathBuf::from("result");
unix::fs::symlink(&path, &link).context(IoSnafu)?;
info!("Created result link");
Ok(link)
}
}
#[cfg(test)]
mod tests {
use std::{collections::HashSet, fs};
use cached_path::CacheBuilder;
use relative_path::RelativePathBuf;
use semver::Version;
use temp_dir::TempDir;
use crate::{
recipe::{Derivation, Recipe, LINUX, X86, X86_64},
store::{backend::LocalBackend, LocalStore},
};
#[test]
fn recipe_automake() {
let name = "automake".to_owned();
let version = Version::new(1, 16, 4);
let description = String::new();
let archictures = X86_64 | X86;
let platforms = LINUX;
let source = format!("https://ftp.gnu.org/gnu/automake/automake-{version}.tar.gz");
let license = vec!["GPLv2".to_owned()];
let requires = HashSet::new();
let requires_build = HashSet::new();
let target_dir = RelativePathBuf::from_path(format!("{name}-{version}")).unwrap();
let recipe: Recipe = Derivation::new(
name,
version,
description,
archictures,
platforms,
source,
license,
requires,
requires_build,
Vec::new(),
"ls".to_owned(),
target_dir,
)
.into();
let temp_dir = TempDir::new().unwrap();
let store_path = temp_dir.child("store");
let mut store = LocalStore::init(store_path).unwrap();
let cache = CacheBuilder::new().build().unwrap();
let recipe_path = temp_dir.child("recipe");
fs::create_dir(&recipe_path).unwrap();
std::env::set_current_dir(recipe_path).unwrap();
recipe
.fetch(&cache)
.unwrap()
.prepare_requirements::<LocalBackend>(&store)
.unwrap()
.build()
.unwrap()
.install(&mut store)
.unwrap();
}
}