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
/*<LICENSE>
    This file is part of Memthol.

    Copyright (C) 2020 OCamlPro.

    Memthol 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.

    Memthol 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 Memthol.  If not, see <https://www.gnu.org/licenses/>.
*/

//! Automatic filter generation.
//!
//! This module stores a global filter-generation configuration of type [`FilterGen`]. It stores the
//! parameters (if any) for an actual filter-generation strategy. The following functions allow to
//! interact with this global configuration: [`get`], [`set`], and [`set_from_cla`].
//!
//! # Filter Generation Strategies
//!
//! Strategies are defined in sub-modules such as [`inactive`] and [`alloc_site`]. They typically
//! define a unit-struct (*e.g.* [`AllocSite`]) implementing the [`FilterGenExt` trait][ext] which
//! defines a parameter type [`Params`] among other things.
//!
//! [`FilterGen`] features a variant for each strategy that stores the parameters for the strategy,
//! so that it can run it when asked to. Note that strategies also define how they can be activated
//! and controlled by implementing [`FilterGenExt`][ext].
//!
//! > **NB**: when creating a new filter generator, make sure you activate it by updating the
//! > `all_gens` private macro in this module. Overall, you should take inspiration from
//! > [`alloc_site`] when adding a new generator.
//!
//! Filter generation also handles *chart generation*, which is is the [`chart_gen` module].
//!
//! [`FilterGen`]: FilterGen (FilterGen enum)
//! [`get`]: get (get function)
//! [`set`]: set (set function)
//! [`set_from_cla`]: set_from_cla (set_from_cla function)
//! [`AllocSite`]: alloc_site::AllocSite (AllocSite struct)
//! [ext]: FilterGenExt (FilterGenExt trait)
//! [`Params`]: FilterGenExt::Params (FilterGenExt trait)
//! [`chart_gen` module]: chart_gen (chart_gen module)

prelude! {}

pub mod parser;

pub mod alloc_site;
pub mod chart_gen;
pub mod inactive;

use self::{
    alloc_site::{AllocSite, AllocSiteParams},
    inactive::Inactive,
    parser::Parser,
};

/// Retrieves the active filter generator.
pub fn get() -> FilterGen {
    ACTIVE_GEN
        .read()
        .expect("global active filter generator was poisoned")
        .clone()
}

/// Sets the active filter generator.
pub fn set(gen: impl Into<FilterGen>) {
    let mut active = ACTIVE_GEN
        .write()
        .expect("global active filter generator was poisoned");
    *active = gen.into();
}

/// Sets the active filter generator from a command-line argument.
///
/// See [`Filtergen::from_cla`][from_cla] for details.
///
/// [from_cla]: FilterGen::from_cla (from_cla method on FilterGen)
pub fn set_from_cla(args: &str) -> Res<()> {
    let gen = FilterGen::from_cla(args)
        .chain_err(|| format!("while parsing filter-gen argument `{}`", args))?;
    set(gen);
    Ok(())
}

lazy_static! {
    /// Stores the active filter generator.
    ///
    /// This is currently written once during CLAP.
    static ref ACTIVE_GEN: sync::RwLock<FilterGen> =
        sync::RwLock::new(FilterGen::default());
}

/// Enumeration of the filter generation techniques.
///
/// Stores parameters for a given filter generator so that it can run it with [`run`].
///
/// [`run`]: FilterGen::run (run method)
#[derive(Debug, Clone)]
pub enum FilterGen {
    /// Generate one allocation filter per allocation site.
    AllocSite(AllocSiteParams),
    /// No filter generation.
    Inactive,
}
impl From<AllocSiteParams> for FilterGen {
    fn from(params: AllocSiteParams) -> Self {
        Self::AllocSite(params)
    }
}

impl Default for FilterGen {
    fn default() -> Self {
        Self::AllocSite(AllocSiteParams::default())
    }
}

/// Constructs arrays over some treatment of all the filter generators.
///
/// When writing a new filter generator, you need to update this so that `FilterGen` knows about it.
macro_rules! all_gens {
    // Generates an array `[ ... ]` token tree. Its elements are the names of the generators, each
    // with the input prefix/suffix before/after the name.
    (pref($($pref:tt)*) suff($($suff:tt)*)) => {
        [
            $($pref)* Inactive $($suff)*,
            $($pref)* AllocSite $($suff)*,
        ]
    };
    // Generates an array `[ ... ]` token tree. Its elements are the names of the generators, each
    // with the input suffix after the name.
    ($($suff:tt)*) => {
        all_gens!(pref() suff($($suff)*))
    };
}

impl FilterGen {
    /// Runs the filter generator represented by `self` on some data.
    pub fn run(self, data: &data::Data) -> Res<(Filters, Vec<chart::Chart>)> {
        match self {
            Self::AllocSite(params) => AllocSite::work(data, params),
            Self::Inactive => Inactive::work(data, ()),
        }
    }

    /// List of all the filter-generator keys.
    const KEYS: &'static [&'static str] = &all_gens!(::KEY);

    /// Generates a filter-generator key error.
    ///
    /// Used on unknown filter-generator keys.
    fn key_err() -> String {
        let mut keys = "argument must start with a legal key among ".to_string();
        for (idx, key) in Self::KEYS.iter().enumerate() {
            if idx > 0 {
                keys.push_str(", ")
            }
            keys.push('`');
            keys.push_str(key);
            keys.push('`');
        }
        keys
    }

    /// Generates the help message for the `--filter_gen` flag.
    pub fn help() -> String {
        let mut s = format!(
            "\
When memthol launches, it runs a *filter generator* that looks at all the data and generates
filters that (hopefully) help you better visualize your data. Use the `--filter_gen` flag to choose
among several generators and parameterize them.
(Show this help message at any time with `--filter_gen help`.)

This flag takes a string argument, which has shapes
- `<gen> {{ <params> }}`: use generator `<gen>` with parameters `<params>`, or
- `<gen>`: use generator `<gen>` in its default mode.

The different generators are

\
            ",
        );

        for add_help in all_gens!(::add_help).iter() {
            add_help(&mut s)
        }

        s
    }

    /// Generates itself from arguments for the `--filter_gen` flag.
    ///
    /// The expected format of the arguments is `<gen_key> { <gen_params> }` or just `<gen_key>`,
    /// where
    ///
    /// - `<gen_key>` must be a [`KEY`] identifier corresponding to one of the generators, and
    /// - `<gen_params>`, if any, is a generator-specific parameter specification; this
    ///   specification generally looks like a comma-separated sequence of bindings of the form
    ///   `<id>: <value>` described by the generator's [`FMT`] format.
    ///
    /// [`KEY`]: FilterGenExt::KEY
    /// (KEY constant on the FilterGenExt trait)
    /// [`FMT`]: FilterGenExt::FMT
    /// (FMT constant on the FilterGenExt trait)
    pub fn from_cla(args: &str) -> Res<Self> {
        let mut parser = Parser::new(args.trim());

        let key = parser.ident().ok_or_else(Self::key_err)?;

        macro_rules! err {
            (key: $key:expr, fmt: $fmt:expr) => {
                if let Some(fmt) = $fmt {
                    format!(
                        "`{}` filter expects its arguments to have form `{}`",
                        $key, fmt
                    )
                } else {
                    format!("`{}` filter expects no arguments", $key)
                }
            };
        }

        parser.ws();
        let inner_parser: Option<Parser> = parser.block()?;
        parser.ws();

        if !parser.is_at_eoi() {
            if inner_parser.is_some() {
                bail!(
                    "unexpected trailing characters after block of parameters for `{}`",
                    key
                )
            } else {
                bail!(
                    "expected block `{{ ... }}` of parameters or nothing after key `{}`",
                    key
                )
            }
        }

        for ((gen_key, parse), gen_fmt) in all_gens!(::KEY)
            .iter()
            .zip(all_gens!(::parse_args).iter())
            .zip(all_gens!(::FMT).iter())
        {
            if key == *gen_key {
                return parse(inner_parser).ok_or_else(|| err!(key: gen_key, fmt: gen_fmt).into());
            }
        }

        bail!("unexpected key `{}`, {}", key, Self::key_err())
    }
}

/// Trait implemented by filter generation techniques.
///
/// This trait represents the info needed by [`FilterGen`] to
///
/// - [`parse_args`], [`KEY`]: parse the arguments of the `--filter_gen` flag,
/// - [`add_help`]: generate the part of the help message for `--filter_gen` specific to this filter
///   generator,
/// - [`KEY`], [`FMT`]: generate relevant error messages during CLAP, and
/// - [`work`] actually run the generator.
///
/// [`FilterGen`]: FilterGen (FilterGen enum)
/// [`parse_args`]: FilterGenExt::parse_args (parse_args abstract method)
/// [`KEY`]: FilterGenExt::KEY (KEY abstract constant)
/// [`add_help`]: FilterGenExt::add_help (add_help abstract method)
/// [`FMT`]: FilterGenExt::FMT (FMT abstract constant)
/// [`work`]: FilterGenExt::work (work abstract method)
pub trait FilterGenExt {
    /// Type of the parameters of the filter generator.
    type Params: Default;

    /// CLAP key activating this generator.
    const KEY: &'static str;
    /// Optional parameter format, should be a list of comma-separated `<id>: <value>` bindings.
    const FMT: Option<&'static str>;

    /// Parses the (potentialy optional) parameters for the generator.
    ///
    /// Simply returns `None` if parameters are ill-formed. Caller's responsible for error
    /// reporting.
    fn parse_args(parser: Option<Parser>) -> Option<FilterGen>;

    /// Adds help about itself to a `String`.
    ///
    /// See [`AllocSite`]'s implementation of this function to get an idea of the format.
    ///
    /// [`AllocSite`]: alloc_site::AllocSite (AllocSite struct)
    fn add_help(s: &mut String);

    /// Runs the generator on some data given some parameters.
    fn work(data: &data::Data, params: Self::Params) -> Res<(Filters, Vec<chart::Chart>)>;
}