-
Notifications
You must be signed in to change notification settings - Fork 121
/
Copy pathmanifest.rs
566 lines (506 loc) · 18.8 KB
/
manifest.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
// Copyright 2018-2022 Parity Technologies (UK) Ltd.
// This file is part of cargo-contract.
//
// cargo-contract is free software: you can redistribute it and/or modify
// it under the terms of the GNU General Public License as published by
// the Free Software Foundation, either version 3 of the License, or
// (at your option) any later version.
//
// cargo-contract is distributed in the hope that it will be useful,
// but WITHOUT ANY WARRANTY; without even the implied warranty of
// MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
// GNU General Public License for more details.
//
// You should have received a copy of the GNU General Public License
// along with cargo-contract. If not, see <http://www.gnu.org/licenses/>.
use anyhow::{
Context,
Result,
};
use super::{
metadata,
Profile,
};
use crate::OptimizationPasses;
use std::{
convert::TryFrom,
fs,
path::{
Path,
PathBuf,
},
};
use toml::value;
const MANIFEST_FILE: &str = "Cargo.toml";
const LEGACY_METADATA_PACKAGE_PATH: &str = ".ink/abi_gen";
const METADATA_PACKAGE_PATH: &str = ".ink/metadata_gen";
/// Path to a `Cargo.toml` file
#[derive(Clone, Debug)]
pub struct ManifestPath {
path: PathBuf,
}
impl ManifestPath {
/// Create a new [`ManifestPath`], errors if not path to `Cargo.toml`
pub fn new<P: AsRef<Path>>(path: P) -> Result<Self> {
let manifest = path.as_ref();
if let Some(file_name) = manifest.file_name() {
if file_name != MANIFEST_FILE {
anyhow::bail!("Manifest file must be a Cargo.toml")
}
}
Ok(ManifestPath {
path: manifest.into(),
})
}
/// Create an arg `--manifest-path=` for `cargo` command
pub fn cargo_arg(&self) -> Result<String> {
let path = self.path.canonicalize().map_err(|err| {
anyhow::anyhow!("Failed to canonicalize {:?}: {:?}", self.path, err)
})?;
Ok(format!("--manifest-path={}", path.to_string_lossy()))
}
/// The directory path of the manifest path.
///
/// Returns `None` if the path is just the plain file name `Cargo.toml`
pub fn directory(&self) -> Option<&Path> {
let just_a_file_name =
self.path.iter().collect::<Vec<_>>() == vec![Path::new(MANIFEST_FILE)];
if !just_a_file_name {
self.path.parent()
} else {
None
}
}
/// Returns the absolute directory path of the manifest.
pub fn absolute_directory(&self) -> Result<PathBuf, std::io::Error> {
let directory = match self.directory() {
Some(dir) => dir,
None => Path::new("./"),
};
directory.canonicalize()
}
}
impl<P> TryFrom<Option<P>> for ManifestPath
where
P: AsRef<Path>,
{
type Error = anyhow::Error;
fn try_from(value: Option<P>) -> Result<Self, Self::Error> {
value.map_or(Ok(Default::default()), ManifestPath::new)
}
}
impl Default for ManifestPath {
fn default() -> ManifestPath {
ManifestPath::new(MANIFEST_FILE).expect("it's a valid manifest file")
}
}
impl AsRef<Path> for ManifestPath {
fn as_ref(&self) -> &Path {
self.path.as_ref()
}
}
impl From<ManifestPath> for PathBuf {
fn from(path: ManifestPath) -> Self {
path.path
}
}
/// Create, amend and save a copy of the specified `Cargo.toml`.
pub struct Manifest {
path: ManifestPath,
toml: value::Table,
/// True if a metadata package should be generated for this manifest
metadata_package: bool,
}
impl Manifest {
/// Create new Manifest for the given manifest path.
///
/// The path *must* be to a `Cargo.toml`.
pub fn new(manifest_path: ManifestPath) -> Result<Manifest> {
let toml = fs::read_to_string(&manifest_path).context("Loading Cargo.toml")?;
let toml: value::Table = toml::from_str(&toml)?;
Ok(Manifest {
path: manifest_path,
toml,
metadata_package: false,
})
}
/// Get the path of the manifest file
pub(super) fn path(&self) -> &ManifestPath {
&self.path
}
/// Get mutable reference to `[lib] crate-types = []` section
fn get_crate_types_mut(&mut self) -> Result<&mut value::Array> {
let lib = self
.toml
.get_mut("lib")
.ok_or_else(|| anyhow::anyhow!("lib section not found"))?;
let crate_types = lib
.as_table_mut()
.ok_or_else(|| anyhow::anyhow!("lib section should be a table"))?
.entry("crate-type")
.or_insert(value::Value::Array(Default::default()));
crate_types
.as_array_mut()
.ok_or_else(|| anyhow::anyhow!("crate-types should be an Array"))
}
/// Set the contents of the `[lib] crate-types = []` section.
///
/// Overwrites any existing crate types.
pub fn with_crate_types<'a, I>(&mut self, new_crate_types: I) -> Result<&mut Self>
where
I: IntoIterator<Item = &'a str>,
{
let existing_crate_types = self.get_crate_types_mut()?;
existing_crate_types.clear();
for crate_type in new_crate_types.into_iter() {
existing_crate_types.push(crate_type.into())
}
Ok(self)
}
/// Add a value to the `[lib] crate-types = []` section.
///
/// If the value already exists, does nothing.
pub fn with_added_crate_type(&mut self, crate_type: &str) -> Result<&mut Self> {
let crate_types = self.get_crate_types_mut()?;
if !crate_type_exists(crate_type, crate_types) {
crate_types.push(crate_type.into());
}
Ok(self)
}
/// Extract `optimization-passes` from `[package.metadata.contract]`
pub fn get_profile_optimization_passes(&mut self) -> Option<OptimizationPasses> {
self.toml
.get("package")?
.as_table()?
.get("metadata")?
.as_table()?
.get("contract")?
.as_table()?
.get("optimization-passes")
.map(|val| val.to_string())
.map(Into::into)
}
/// Set `[profile.release]` lto flag
pub fn with_profile_release_lto(&mut self, enabled: bool) -> Result<&mut Self> {
let lto = self
.get_profile_release_table_mut()?
.entry("lto")
.or_insert(enabled.into());
*lto = enabled.into();
Ok(self)
}
/// Set preferred defaults for the `[profile.release]` section
///
/// # Note
///
/// Existing user defined settings for this section are preserved. Only if a setting is not
/// defined is the preferred default set.
pub fn with_profile_release_defaults(
&mut self,
defaults: Profile,
) -> Result<&mut Self> {
let profile_release = self.get_profile_release_table_mut()?;
defaults.merge(profile_release);
Ok(self)
}
/// Set empty `[workspace]` section if it does not exist.
///
/// Ignores the `workspace` from the parent `Cargo.toml`.
/// This can reduce the size of the contract in some cases.
pub fn with_workspace(&mut self) -> Result<&mut Self> {
if let toml::map::Entry::Vacant(value) = self.toml.entry("workspace") {
value.insert(value::Value::Table(Default::default()));
}
Ok(self)
}
/// Get mutable reference to `[profile.release]` section
fn get_profile_release_table_mut(&mut self) -> Result<&mut value::Table> {
let profile = self
.toml
.entry("profile")
.or_insert(value::Value::Table(Default::default()));
let release = profile
.as_table_mut()
.ok_or_else(|| anyhow::anyhow!("profile should be a table"))?
.entry("release")
.or_insert(value::Value::Table(Default::default()));
release
.as_table_mut()
.ok_or_else(|| anyhow::anyhow!("release should be a table"))
}
/// Remove a value from the `[lib] crate-types = []` section
///
/// If the value does not exist, does nothing.
pub fn with_removed_crate_type(&mut self, crate_type: &str) -> Result<&mut Self> {
let crate_types = self.get_crate_types_mut()?;
if crate_type_exists(crate_type, crate_types) {
crate_types.retain(|v| v.as_str().map_or(true, |s| s != crate_type));
}
Ok(self)
}
/// Adds a metadata package to the manifest workspace for generating metadata
pub fn with_metadata_package(&mut self) -> Result<&mut Self> {
let workspace = self
.toml
.entry("workspace")
.or_insert(value::Value::Table(Default::default()));
let members = workspace
.as_table_mut()
.ok_or_else(|| anyhow::anyhow!("workspace should be a table"))?
.entry("members")
.or_insert(value::Value::Array(Default::default()))
.as_array_mut()
.ok_or_else(|| anyhow::anyhow!("members should be an array"))?;
if members.contains(&LEGACY_METADATA_PACKAGE_PATH.into()) {
// warn user if they have legacy metadata generation artifacts
use colored::Colorize;
eprintln!(
"{} {} {} {}",
"warning:".yellow().bold(),
"please remove".bold(),
LEGACY_METADATA_PACKAGE_PATH.bold(),
"from the `[workspace]` section in the `Cargo.toml`, \
and delete that directory. These are now auto-generated."
.bold()
);
} else {
members.push(METADATA_PACKAGE_PATH.into());
}
self.metadata_package = true;
Ok(self)
}
pub fn with_dylint(&mut self) -> Result<&mut Self> {
let ink_dylint = {
let mut map = value::Table::new();
map.insert("git".into(), "https://github.com/paritytech/ink/".into());
map.insert("tag".into(), "v4.0.0-alpha.3".into());
map.insert("pattern".into(), "linting/".into());
value::Value::Table(map)
};
self.toml
.entry("workspace")
.or_insert(value::Value::Table(Default::default()))
.as_table_mut()
.context("workspace section should be a table")?
.entry("metadata")
.or_insert(value::Value::Table(Default::default()))
.as_table_mut()
.context("workspace.metadata section should be a table")?
.entry("dylint")
.or_insert(value::Value::Table(Default::default()))
.as_table_mut()
.context("workspace.metadata.dylint section should be a table")?
.entry("libraries")
.or_insert(value::Value::Array(Default::default()))
.as_array_mut()
.context("workspace.metadata.dylint.libraries section should be an array")?
.push(ink_dylint);
Ok(self)
}
/// Replace relative paths with absolute paths with the working directory.
///
/// Enables the use of a temporary amended copy of the manifest.
///
/// # Rewrites
///
/// - `[lib]/path`
/// - `[dependencies]`
///
/// Dependencies with package names specified in `exclude_deps` will not be rewritten.
pub fn rewrite_relative_paths(&mut self, exclude_deps: &[String]) -> Result<()> {
let manifest_dir = self.path.absolute_directory()?;
let path_rewrite = PathRewrite {
exclude_deps,
manifest_dir,
};
path_rewrite.rewrite_relative_paths(&mut self.toml)
}
/// Writes the amended manifest to the given path.
pub fn write(&self, manifest_path: &ManifestPath) -> Result<()> {
if let Some(dir) = manifest_path.directory() {
fs::create_dir_all(dir)
.context(format!("Creating directory '{}'", dir.display()))?;
}
if self.metadata_package {
let dir = if let Some(manifest_dir) = manifest_path.directory() {
manifest_dir.join(METADATA_PACKAGE_PATH)
} else {
METADATA_PACKAGE_PATH.into()
};
fs::create_dir_all(&dir)
.context(format!("Creating directory '{}'", dir.display()))?;
let contract_package_name = self
.toml
.get("package")
.ok_or_else(|| anyhow::anyhow!("package section not found"))?
.get("name")
.ok_or_else(|| anyhow::anyhow!("[package] name field not found"))?
.as_str()
.ok_or_else(|| anyhow::anyhow!("[package] name should be a string"))?;
let ink_crate = self
.toml
.get("dependencies")
.ok_or_else(|| anyhow::anyhow!("[dependencies] section not found"))?
.get("ink")
.ok_or_else(|| anyhow::anyhow!("ink dependency not found"))?
.as_table()
.ok_or_else(|| anyhow::anyhow!("ink dependency should be a table"))?;
let features = self
.toml
.get("features")
.ok_or_else(|| anyhow::anyhow!("[features] section not found"))?
.as_table()
.ok_or_else(|| anyhow::anyhow!("[features] section should be a table"))?;
metadata::generate_package(
dir,
contract_package_name,
ink_crate.clone(),
features,
)?;
}
let updated_toml = toml::to_string(&self.toml)?;
tracing::debug!(
"Writing updated manifest to '{}'",
manifest_path.as_ref().display()
);
fs::write(manifest_path, updated_toml)?;
Ok(())
}
}
/// Replace relative paths with absolute paths with the working directory.
struct PathRewrite<'a> {
exclude_deps: &'a [String],
manifest_dir: PathBuf,
}
impl<'a> PathRewrite<'a> {
/// Replace relative paths with absolute paths with the working directory.
fn rewrite_relative_paths(&self, toml: &mut value::Table) -> Result<()> {
// Rewrite `[lib] path = /path/to/lib.rs`
if let Some(lib) = toml.get_mut("lib") {
self.rewrite_path(lib, "lib", "src/lib.rs")?;
}
// Rewrite `[[bin]] path = /path/to/main.rs`
if let Some(bin) = toml.get_mut("bin") {
let bins = bin.as_array_mut().ok_or_else(|| {
anyhow::anyhow!("'[[bin]]' section should be a table array")
})?;
// Rewrite `[[bin]] path =` value to an absolute path.
for bin in bins {
self.rewrite_path(bin, "[bin]", "src/main.rs")?;
}
}
self.rewrite_dependencies_relative_paths(toml, "dependencies")?;
self.rewrite_dependencies_relative_paths(toml, "dev-dependencies")?;
Ok(())
}
fn rewrite_path(
&self,
table_value: &mut value::Value,
table_section: &str,
default: &str,
) -> Result<()> {
let table = table_value.as_table_mut().ok_or_else(|| {
anyhow::anyhow!("'[{}]' section should be a table", table_section)
})?;
match table.get_mut("path") {
Some(existing_path) => {
self.to_absolute_path(format!("[{table_section}]/path"), existing_path)
}
None => {
let default_path = PathBuf::from(default);
if !default_path.exists() {
anyhow::bail!(
"No path specified, and the default `{}` was not found",
default
)
}
let path = self.manifest_dir.join(default_path);
tracing::debug!("Adding default path '{}'", path.display());
table.insert(
"path".into(),
value::Value::String(path.to_string_lossy().into()),
);
Ok(())
}
}
}
/// Expand a relative path to an absolute path.
fn to_absolute_path(
&self,
value_id: String,
existing_path: &mut value::Value,
) -> Result<()> {
let path_str = existing_path
.as_str()
.ok_or_else(|| anyhow::anyhow!("{} should be a string", value_id))?;
#[cfg(windows)]
// On Windows path separators are `\`, hence we need to replace the `/` in
// e.g. `src/lib.rs`.
let path_str = &path_str.replace("/", "\\");
let path = PathBuf::from(path_str);
if path.is_relative() {
let lib_abs = self.manifest_dir.join(path);
tracing::debug!("Rewriting {} to '{}'", value_id, lib_abs.display());
*existing_path = value::Value::String(lib_abs.to_string_lossy().into())
}
Ok(())
}
/// Rewrite the relative paths of dependencies.
fn rewrite_dependencies_relative_paths(
&self,
toml: &mut value::Table,
section_name: &str,
) -> Result<()> {
if let Some(dependencies) = toml.get_mut(section_name) {
let table = dependencies
.as_table_mut()
.ok_or_else(|| anyhow::anyhow!("dependencies should be a table"))?;
for (name, value) in table {
let package_name = {
let package = value.get("package");
let package_name = package.and_then(|p| p.as_str()).unwrap_or(name);
package_name.to_string()
};
if !self.exclude_deps.contains(&package_name) {
if let Some(dependency) = value.as_table_mut() {
if let Some(dep_path) = dependency.get_mut("path") {
self.to_absolute_path(
format!("dependency {package_name}"),
dep_path,
)?;
}
}
}
}
}
Ok(())
}
}
fn crate_type_exists(crate_type: &str, crate_types: &[value::Value]) -> bool {
crate_types
.iter()
.any(|v| v.as_str().map_or(false, |s| s == crate_type))
}
#[cfg(test)]
mod test {
use super::ManifestPath;
use crate::util::tests::with_tmp_dir;
use std::fs;
#[test]
fn must_return_absolute_path_from_absolute_path() {
with_tmp_dir(|path| {
// given
let cargo_toml_path = path.join("Cargo.toml");
let _ = fs::File::create(&cargo_toml_path).expect("file creation failed");
let manifest_path = ManifestPath::new(cargo_toml_path)
.expect("manifest path creation failed");
// when
let absolute_path = manifest_path
.absolute_directory()
.expect("absolute path extraction failed");
// then
assert_eq!(absolute_path.as_path(), path);
Ok(())
})
}
}