-
Notifications
You must be signed in to change notification settings - Fork 1.3k
/
Copy pathprepare.rs
378 lines (331 loc) · 12.4 KB
/
prepare.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
use std::collections::{BTreeSet, HashSet};
use std::env;
use std::ffi::{OsStr, OsString};
use std::fs;
use std::path::{Path, PathBuf};
use std::process::Command;
use anyhow::{bail, Context};
use console::style;
use sqlx::Connection;
use crate::metadata::{manifest_dir, Metadata};
use crate::opt::ConnectOpts;
pub struct PrepareCtx {
pub workspace: bool,
pub cargo: OsString,
pub cargo_args: Vec<String>,
pub metadata: Metadata,
pub connect_opts: ConnectOpts,
}
impl PrepareCtx {
/// Path to the directory where cached queries should be placed.
fn prepare_dir(&self) -> anyhow::Result<PathBuf> {
if self.workspace {
Ok(self.metadata.workspace_root().join(".sqlx"))
} else {
Ok(manifest_dir(&self.cargo)?.join(".sqlx"))
}
}
}
pub async fn run(
check: bool,
workspace: bool,
connect_opts: ConnectOpts,
cargo_args: Vec<String>,
) -> anyhow::Result<()> {
let cargo = env::var_os("CARGO")
.context("failed to get value of `CARGO`; `prepare` subcommand may only be invoked as `cargo sqlx prepare`")?;
anyhow::ensure!(
Path::new("Cargo.toml").exists(),
r#"Failed to read `Cargo.toml`.
hint: This command only works in the manifest directory of a Cargo package or workspace."#
);
let metadata: Metadata = Metadata::from_current_directory(&cargo)?;
let ctx = PrepareCtx {
workspace,
cargo,
cargo_args,
metadata,
connect_opts,
};
if check {
prepare_check(&ctx).await
} else {
prepare(&ctx).await
}
}
async fn prepare(ctx: &PrepareCtx) -> anyhow::Result<()> {
check_backend(&ctx.connect_opts).await?;
let prepare_dir = ctx.prepare_dir()?;
run_prepare_step(ctx, &prepare_dir)?;
// Warn if no queries were generated. Glob since the directory may contain unrelated files.
if glob_query_files(prepare_dir)?.is_empty() {
println!("{} no queries found", style("warning:").yellow());
return Ok(());
}
if ctx.workspace {
println!(
"query data written to .sqlx in the workspace root; \
please check this into version control"
);
} else {
println!(
"query data written to .sqlx in the current directory; \
please check this into version control"
);
}
Ok(())
}
async fn prepare_check(ctx: &PrepareCtx) -> anyhow::Result<()> {
let _ = check_backend(&ctx.connect_opts).await?;
// Re-generate and store the queries in a separate directory from both the prepared
// queries and the ones generated by `cargo check`, to avoid conflicts.
let prepare_dir = ctx.prepare_dir()?;
let cache_dir = ctx.metadata.target_directory().join("sqlx-prepare-check");
run_prepare_step(ctx, &cache_dir)?;
// Compare .sqlx to cache.
let prepare_filenames: HashSet<String> = glob_query_files(&prepare_dir)?
.into_iter()
.filter_map(|path| path.file_name().map(|f| f.to_string_lossy().into_owned()))
.collect();
let cache_filenames: HashSet<String> = glob_query_files(&cache_dir)?
.into_iter()
.filter_map(|path| path.file_name().map(|f| f.to_string_lossy().into_owned()))
.collect();
// Error: files in cache but not .sqlx.
if cache_filenames
.difference(&prepare_filenames)
.next()
.is_some()
{
bail!("prepare check failed: .sqlx is missing one or more queries; you should re-run sqlx prepare");
}
// Warn: files in .sqlx but not cache.
if prepare_filenames
.difference(&cache_filenames)
.next()
.is_some()
{
println!(
"{} potentially unused queries found in .sqlx; you may want to re-run sqlx prepare",
style("warning:").yellow()
);
}
// Compare file contents as JSON to ignore superficial differences.
// Everything in cache checked to be in .sqlx already.
for filename in cache_filenames {
let prepare_json = load_json_file(prepare_dir.join(&filename))?;
let cache_json = load_json_file(cache_dir.join(&filename))?;
if prepare_json != cache_json {
bail!("prepare check failed: one or more query files differ ({}); you should re-run sqlx prepare", filename);
}
}
Ok(())
}
fn run_prepare_step(ctx: &PrepareCtx, cache_dir: &Path) -> anyhow::Result<()> {
// Create and/or clean the directory.
fs::create_dir_all(cache_dir).context(format!(
"Failed to create query cache directory: {:?}",
cache_dir
))?;
// Create directory to hold temporary query files before they get persisted to SQLX_OFFLINE_DIR
let tmp_dir = ctx.metadata.target_directory().join("sqlx-tmp");
fs::create_dir_all(&tmp_dir).context(format!(
"Failed to create temporary query cache directory: {:?}",
cache_dir
))?;
// Only delete sqlx-*.json files to avoid accidentally deleting any user data.
for query_file in glob_query_files(cache_dir).context("Failed to read query cache files")? {
fs::remove_file(&query_file)
.with_context(|| format!("Failed to delete query file: {}", query_file.display()))?;
}
// Try only triggering a recompile on crates that use `sqlx-macros` falling back to a full
// clean on error
setup_minimal_project_recompile(&ctx.cargo, &ctx.metadata, ctx.workspace)?;
// Compile the queries.
let check_status = {
let mut check_command = Command::new(&ctx.cargo);
check_command
.arg("check")
.args(&ctx.cargo_args)
.env("SQLX_TMP", tmp_dir)
.env("DATABASE_URL", &ctx.connect_opts.database_url)
.env("SQLX_OFFLINE", "false")
.env("SQLX_OFFLINE_DIR", cache_dir);
// `cargo check` recompiles on changed rust flags which can be set either via the env var
// or through the `rustflags` field in `$CARGO_HOME/config` when the env var isn't set.
// Because of this we only pass in `$RUSTFLAGS` when present.
if let Ok(rustflags) = env::var("RUSTFLAGS") {
check_command.env("RUSTFLAGS", rustflags);
}
check_command.status()?
};
if !check_status.success() {
bail!("`cargo check` failed with status: {}", check_status);
}
Ok(())
}
#[derive(Debug, PartialEq)]
struct ProjectRecompileAction {
// The names of the packages
clean_packages: Vec<String>,
touch_paths: Vec<PathBuf>,
}
/// Sets up recompiling only crates that depend on `sqlx-macros`
///
/// This gets a listing of all crates that depend on `sqlx-macros` (direct and transitive). The
/// crates within the current workspace have their source file's mtimes updated while crates
/// outside the workspace are selectively `cargo clean -p`ed. In this way we can trigger a
/// recompile of crates that may be using compile-time macros without forcing a full recompile.
///
/// If `workspace` is false, only the current package will have its files' mtimes updated.
fn setup_minimal_project_recompile(
cargo: impl AsRef<OsStr>,
metadata: &Metadata,
workspace: bool,
) -> anyhow::Result<()> {
let recompile_action: ProjectRecompileAction = if workspace {
minimal_project_recompile_action(metadata)
} else {
// Only touch the current crate.
ProjectRecompileAction {
clean_packages: Vec::new(),
touch_paths: metadata.current_package()
.context("failed to get package in current working directory, pass `--workspace` if running from a workspace root")?
.src_paths()
.to_vec(),
}
};
if let Err(err) = minimal_project_clean(&cargo, recompile_action) {
println!(
"Failed minimal recompile setup. Cleaning entire project. Err: {}",
err
);
let clean_status = Command::new(&cargo).arg("clean").status()?;
if !clean_status.success() {
bail!("`cargo clean` failed with status: {}", clean_status);
}
}
Ok(())
}
fn minimal_project_clean(
cargo: impl AsRef<OsStr>,
action: ProjectRecompileAction,
) -> anyhow::Result<()> {
let ProjectRecompileAction {
clean_packages,
touch_paths,
} = action;
// Update the modified timestamp of package files to force a selective recompilation.
for file in touch_paths {
let now = filetime::FileTime::now();
filetime::set_file_times(&file, now, now)
.with_context(|| format!("Failed to update mtime for {file:?}"))?;
}
// Clean entire packages.
for pkg_id in &clean_packages {
let clean_status = Command::new(&cargo)
.args(["clean", "-p", pkg_id])
.status()?;
if !clean_status.success() {
bail!("`cargo clean -p {}` failed", pkg_id);
}
}
Ok(())
}
fn minimal_project_recompile_action(metadata: &Metadata) -> ProjectRecompileAction {
// Get all the packages that depend on `sqlx-macros`
let mut sqlx_macros_dependents = BTreeSet::new();
let sqlx_macros_ids: BTreeSet<_> = metadata
.entries()
// We match just by name instead of name and url because some people may have it installed
// through different means like vendoring
.filter(|(_, package)| package.name() == "sqlx-macros")
.map(|(id, _)| id)
.collect();
for sqlx_macros_id in sqlx_macros_ids {
sqlx_macros_dependents.extend(metadata.all_dependents_of(sqlx_macros_id));
}
// Figure out which `sqlx-macros` dependents are in the workspace vs out
let mut in_workspace_dependents = Vec::new();
let mut out_of_workspace_dependents = Vec::new();
for dependent in sqlx_macros_dependents {
if metadata.workspace_members().contains(dependent) {
in_workspace_dependents.push(dependent);
} else {
out_of_workspace_dependents.push(dependent);
}
}
// In-workspace dependents have their source file's mtime updated. Out-of-workspace get
// `cargo clean -p <PKGID>`ed
let files_to_touch: Vec<_> = in_workspace_dependents
.iter()
.filter_map(|id| {
metadata
.package(id)
.map(|package| package.src_paths().to_owned())
})
.flatten()
.collect();
let packages_to_clean: Vec<_> = out_of_workspace_dependents
.iter()
.filter_map(|id| {
metadata
.package(id)
.map(|package| package.name().to_owned())
})
.collect();
ProjectRecompileAction {
clean_packages: packages_to_clean,
touch_paths: files_to_touch,
}
}
/// Ensure the database server is available.
async fn check_backend(opts: &ConnectOpts) -> anyhow::Result<()> {
crate::connect(opts).await?.close().await?;
Ok(())
}
/// Find all `query-*.json` files in a directory.
fn glob_query_files(path: impl AsRef<Path>) -> anyhow::Result<Vec<PathBuf>> {
let path = path.as_ref();
let pattern = path.join("query-*.json");
glob::glob(
pattern
.to_str()
.context("query cache path is invalid UTF-8")?,
)
.with_context(|| format!("failed to read query cache path: {}", path.display()))?
.collect::<Result<Vec<_>, _>>()
.context("glob failed")
}
/// Load the JSON contents of a query data file.
fn load_json_file(path: impl AsRef<Path>) -> anyhow::Result<serde_json::Value> {
let path = path.as_ref();
let file_bytes =
fs::read(path).with_context(|| format!("failed to load file: {}", path.display()))?;
Ok(serde_json::from_slice(&file_bytes)?)
}
#[cfg(test)]
mod tests {
use super::*;
use std::assert_eq;
#[test]
fn minimal_project_recompile_action_works() -> anyhow::Result<()> {
let sample_metadata_path = Path::new("tests")
.join("assets")
.join("sample_metadata.json");
let sample_metadata = std::fs::read_to_string(sample_metadata_path)?;
let metadata: Metadata = sample_metadata.parse()?;
let action = minimal_project_recompile_action(&metadata);
assert_eq!(
action,
ProjectRecompileAction {
clean_packages: vec!["sqlx".into()],
touch_paths: vec![
"/home/user/problematic/workspace/b_in_workspace_lib/src/lib.rs".into(),
"/home/user/problematic/workspace/c_in_workspace_bin/src/main.rs".into(),
],
}
);
Ok(())
}
}