Skip to content

Commit a40440c

Browse files
committed
Read configuration from environment variables
This commit adds a more principled system to rationalize what ends up being a configuration value versus an environment variable. This problem is solved by just saying that they're one and the same! Similar to Bundler, this commit supports overriding the `foo.bar` configuration value with the `CARGO_FOO_BAR` environment variable. Currently this is used as part of the `get_string` and `get_i64` methods on `Config`. This means, for example, that the following environment variables can now be used to configure Cargo: * CARGO_BUILD_JOBS * CARGO_HTTP_TIMEOUT * CARGO_HTTP_PROXY Currently it's not supported to encode a list in an environment variable, so for example `CARGO_PATHS` would not be read when reading the global `paths` configuration value. cc #2362 cc #2395 -- intended to close this in tandem with #2397
1 parent 56db20d commit a40440c

File tree

5 files changed

+78
-4
lines changed

5 files changed

+78
-4
lines changed

src/cargo/util/config.rs

+31-2
Original file line numberDiff line numberDiff line change
@@ -7,12 +7,13 @@ use std::fs::{self, File};
77
use std::io::prelude::*;
88
use std::mem;
99
use std::path::{Path, PathBuf};
10+
use std::str::FromStr;
1011

1112
use rustc_serialize::{Encodable,Encoder};
1213
use toml;
1314
use core::shell::{Verbosity, ColorConfig};
1415
use core::{MultiShell, Package};
15-
use util::{CargoResult, ChainError, Rustc, internal, human, paths};
16+
use util::{CargoResult, CargoError, ChainError, Rustc, internal, human, paths};
1617

1718
use util::toml as cargo_toml;
1819

@@ -148,7 +149,29 @@ impl Config {
148149
Ok(Some(val.clone()))
149150
}
150151

152+
fn get_env<V: FromStr>(&self, key: &str) -> CargoResult<Option<Value<V>>>
153+
where Box<CargoError>: From<V::Err>
154+
{
155+
let key = key.replace(".", "_")
156+
.replace("-", "_")
157+
.chars()
158+
.flat_map(|c| c.to_uppercase())
159+
.collect::<String>();
160+
match env::var(&format!("CARGO_{}", key)) {
161+
Ok(value) => {
162+
Ok(Some(Value {
163+
val: try!(value.parse()),
164+
definition: Definition::Environment,
165+
}))
166+
}
167+
Err(..) => Ok(None),
168+
}
169+
}
170+
151171
pub fn get_string(&self, key: &str) -> CargoResult<Option<Value<String>>> {
172+
if let Some(v) = try!(self.get_env(key)) {
173+
return Ok(Some(v))
174+
}
152175
match try!(self.get(key)) {
153176
Some(CV::String(i, path)) => {
154177
Ok(Some(Value {
@@ -209,6 +232,9 @@ impl Config {
209232
}
210233

211234
pub fn get_i64(&self, key: &str) -> CargoResult<Option<Value<i64>>> {
235+
if let Some(v) = try!(self.get_env(key)) {
236+
return Ok(Some(v))
237+
}
212238
match try!(self.get(key)) {
213239
Some(CV::Integer(i, path)) => {
214240
Ok(Some(Value {
@@ -311,6 +337,7 @@ pub struct Value<T> {
311337

312338
pub enum Definition {
313339
Path(PathBuf),
340+
Environment,
314341
}
315342

316343
impl fmt::Debug for ConfigValue {
@@ -496,9 +523,10 @@ impl ConfigValue {
496523
}
497524

498525
impl Definition {
499-
pub fn root<'a>(&'a self, _config: &'a Config) -> &'a Path {
526+
pub fn root<'a>(&'a self, config: &'a Config) -> &'a Path {
500527
match *self {
501528
Definition::Path(ref p) => p.parent().unwrap().parent().unwrap(),
529+
Definition::Environment => config.cwd(),
502530
}
503531
}
504532
}
@@ -507,6 +535,7 @@ impl fmt::Display for Definition {
507535
fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
508536
match *self {
509537
Definition::Path(ref p) => p.display().fmt(f),
538+
Definition::Environment => "the environment".fmt(f),
510539
}
511540
}
512541
}

src/cargo/util/errors.rs

+10
Original file line numberDiff line numberDiff line change
@@ -2,8 +2,10 @@ use std::error::Error;
22
use std::ffi;
33
use std::fmt;
44
use std::io;
5+
use std::num;
56
use std::process::{Output, ExitStatus};
67
use std::str;
8+
use std::string;
79

810
use curl;
911
use git2;
@@ -308,6 +310,13 @@ from_error! {
308310
toml::DecodeError,
309311
ffi::NulError,
310312
term::Error,
313+
num::ParseIntError,
314+
}
315+
316+
impl From<string::ParseError> for Box<CargoError> {
317+
fn from(t: string::ParseError) -> Box<CargoError> {
318+
match t {}
319+
}
311320
}
312321

313322
impl<E: CargoError> From<Human<E>> for Box<CargoError> {
@@ -328,6 +337,7 @@ impl CargoError for toml::DecodeError {}
328337
impl CargoError for url::ParseError {}
329338
impl CargoError for ffi::NulError {}
330339
impl CargoError for term::Error {}
340+
impl CargoError for num::ParseIntError {}
331341

332342
// =============================================================================
333343
// Construction helpers

src/doc/config.md

+10-2
Original file line numberDiff line numberDiff line change
@@ -90,8 +90,16 @@ target-dir = "target" # path of where to place all generated artifacts
9090

9191
# Environment Variables
9292

93-
Cargo recognizes a few global [environment variables][env] to configure itself.
94-
Settings specified via config files take precedence over those specified via
93+
Cargo can also be configured through environment variables in addition to the
94+
TOML syntax above. For each configuration key above of the form `foo.bar` the
95+
environment variable `CARGO_FOO_BAR` can also be used to define the value. For
96+
example the `build.jobs` key can also be defined by `CARGO_BUILD_JOBS`.
97+
98+
Environment variables will take precedent over TOML configuration, and currently
99+
only integer, boolean, and string keys are supported to be defined by
95100
environment variables.
96101

102+
In addition to the system above, Cargo recognizes a few other specific
103+
[environment variables][env].
104+
97105
[env]: environment-variables.html

tests/test_cargo_config.rs

+26
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,26 @@
1+
use support::{project, execs};
2+
use hamcrest::assert_that;
3+
4+
fn setup() {
5+
}
6+
7+
test!(read_env_vars_for_config {
8+
let p = project("foo")
9+
.file("Cargo.toml", r#"
10+
[package]
11+
name = "foo"
12+
authors = []
13+
version = "0.0.0"
14+
build = "build.rs"
15+
"#)
16+
.file("src/lib.rs", "")
17+
.file("build.rs", r#"
18+
use std::env;
19+
fn main() {
20+
assert_eq!(env::var("NUM_JOBS").unwrap(), "100");
21+
}
22+
"#);
23+
24+
assert_that(p.cargo_process("build").env("CARGO_BUILD_JOBS", "100"),
25+
execs().with_status(0));
26+
});

tests/tests.rs

+1
Original file line numberDiff line numberDiff line change
@@ -66,6 +66,7 @@ mod test_cargo_rustdoc;
6666
mod test_cargo_search;
6767
mod test_cargo_test;
6868
mod test_cargo_tool_paths;
69+
mod test_cargo_config;
6970
mod test_cargo_verify_project;
7071
mod test_cargo_version;
7172
mod test_shell;

0 commit comments

Comments
 (0)