aboutsummaryrefslogtreecommitdiff
path: root/src/makefile/target.rs
blob: c12f6661198c00c39ed6cbf803a1aa9e11be2381 (plain)
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
use std::cell::{Cell, RefCell};
use std::collections::HashMap;
use std::fmt;
use std::fs::metadata;
use std::mem;
use std::rc::Rc;
use std::time::SystemTime;

use eyre::{Result, WrapErr};

use crate::makefile::command_line::CommandLine;

use super::Makefile;

#[derive(PartialEq, Eq, Clone, Debug)]
pub struct Target {
    pub name: String,
    pub prerequisites: Vec<String>,
    pub commands: Vec<CommandLine>,
    pub stem: Option<String>,
    pub already_updated: Cell<bool>,
}

impl Target {
    pub fn extend(&mut self, other: Target) {
        assert_eq!(&self.name, &other.name);
        match (self.commands.is_empty(), other.commands.is_empty()) {
            (false, false) => {
                // both targets have commands, so replace this entirely
                *self = other;
            }
            (true, false) => {
                // this target doesn't have commands, but the other one does,
                // so it's the real one
                let mut other = other;
                mem::swap(self, &mut other);
                self.extend(other);
            }
            (false, true) | (true, true) => {
                // this target might have commands, but the other one doesn't,
                // so append non-command stuff
                self.prerequisites.extend(other.prerequisites);
                self.stem = self.stem.take().or(other.stem);
                let already_updated = self.already_updated.get() || other.already_updated.get();
                self.already_updated.set(already_updated);
            }
        }
    }

    fn modified_time(&self) -> Option<SystemTime> {
        metadata(&self.name)
            .and_then(|metadata| metadata.modified())
            .ok()
    }

    pub fn newer_than(&self, other: &Self) -> Option<bool> {
        let self_updated = self.already_updated.get();
        let other_updated = other.already_updated.get();
        Some(match (self.modified_time(), other.modified_time()) {
            (Some(self_mtime), Some(other_mtime)) => self_mtime >= other_mtime,
            // per POSIX: "If the target does not exist after the target has been
            // successfully made up-to-date, the target shall be treated as being
            // newer than any target for which it is a prerequisite."
            (None, _) if self_updated && other.prerequisites.contains(&self.name) => true,
            (_, None) if other_updated && self.prerequisites.contains(&other.name) => false,
            _ => return None,
        })
    }

    fn is_up_to_date(&self, file: &Makefile) -> bool {
        if self.already_updated.get() {
            return true;
        }
        #[cfg(feature = "full")]
        if file.special_target_has_prereq(".PHONY", &self.name) {
            return false;
        }
        let exists = metadata(&self.name).is_ok();
        let newer_than_all_dependencies = self.prerequisites.iter().all(|t| {
            file.get_target(t)
                .ok()
                .and_then(|t| self.newer_than(&t.borrow()))
                .unwrap_or(false)
        });
        log::trace!(
            "{:} exists: {}, newer than dependencies: {}",
            self.name,
            exists,
            newer_than_all_dependencies
        );
        exists && newer_than_all_dependencies
    }

    pub fn update(&self, file: &Makefile) -> Result<()> {
        log::info!("{}: {:?}", &self.name, &self.prerequisites);
        for prereq in &self.prerequisites {
            file.update_target(prereq)
                .wrap_err_with(|| format!("as a dependency for target {}", self.name))?;
        }
        if !self.is_up_to_date(file) {
            log::debug!("rebuilding {}...", self.name);
            if self.commands.is_empty() {
                log::warn!("no commands found to rebuild {}", self.name);
            }
            self.execute_commands(file)
                .wrap_err_with(|| format!("while updating target {}", self.name))?;
        }
        self.already_updated.set(true);

        Ok(())
    }

    fn execute_commands(&self, file: &Makefile) -> Result<()> {
        for command in &self.commands {
            log::trace!("  executing {}", command);
            command.execute(file, self)?;
        }

        Ok(())
    }
}

impl fmt::Display for Target {
    fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
        let prereqs = self.prerequisites.join(" ");
        writeln!(f, "{}: {}", &self.name, prereqs)?;
        for command in &self.commands {
            writeln!(f, "\t{}", command)?;
        }
        Ok(())
    }
}

// for targets that won't change out from under us (don't need refcelling)
#[derive(Clone, Default)]
pub struct StaticTargetSet {
    data: HashMap<String, Target>,
}

impl StaticTargetSet {
    pub fn get(&self, name: &str) -> Option<&Target> {
        self.data.get(name)
    }

    pub fn put(&mut self, target: Target) {
        if target.name == ".SUFFIXES" && target.prerequisites.is_empty() {
            self.data.remove(&target.name);
        }
        if let Some(existing_target) = self.data.get_mut(&target.name) {
            existing_target.extend(target);
        } else {
            self.data.insert(target.name.clone(), target);
        }
    }
}

impl Into<HashMap<String, Target>> for StaticTargetSet {
    fn into(self) -> HashMap<String, Target> {
        self.data
    }
}

// for targets that might become updated and so need refcelling
#[derive(Clone, Default)]
pub struct DynamicTargetSet {
    data: RefCell<HashMap<String, Rc<RefCell<Target>>>>,
}

impl DynamicTargetSet {
    pub fn get(&self, name: &str) -> Option<Rc<RefCell<Target>>> {
        self.data.borrow().get(name).map(|x| Rc::clone(x))
    }

    pub fn put(&self, target: Target) {
        if let Some(existing_target) = self.data.borrow().get(&target.name) {
            existing_target.borrow_mut().extend(target);
            return;
        }
        self.data
            .borrow_mut()
            .insert(target.name.clone(), Rc::new(RefCell::new(target)));
    }

    pub fn has(&self, name: &str) -> bool {
        self.data.borrow().contains_key(name)
    }
}

impl fmt::Display for DynamicTargetSet {
    fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
        for target in self.data.borrow().values() {
            writeln!(f, "{}", target.borrow())?;
        }
        Ok(())
    }
}