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
/*!

[![](https://docs.rs/wasm-snip/badge.svg)](https://docs.rs/wasm-snip/)
[![](https://img.shields.io/crates/v/wasm-snip.svg)](https://crates.io/crates/wasm-snip)
[![](https://img.shields.io/crates/d/wasm-snip.png)](https://crates.io/crates/wasm-snip)
[![Build Status](https://travis-ci.org/fitzgen/wasm-snip.png?branch=master)](https://travis-ci.org/fitzgen/wasm-snip)

`wasm-snip` replaces a WebAssembly function's body with an `unreachable`.

Maybe you know that some function will never be called at runtime, but the
compiler can't prove that at compile time? Snip it! Then run
[`wasm-gc`][wasm-gc] again and all the functions it transitively called (which
could also never be called at runtime) will get removed too.

[wasm-gc]: https://github.com/alexcrichton/wasm-gc

Very helpful when shrinking the size of WebAssembly binaries!

This functionality relies on the "name" section being present in the `.wasm`
file, so build with debug symbols:

```toml
[profile.release]
debug = true
```

* [Executable](#executable)
* [Library](#library)
* [License](#license)
* [Contributing](#contributing)

## Executable

To install the `wasm-snip` executable, run

```text
$ cargo install wasm-snip
```

For information on using the `wasm-snip` executable, run

```text
$ wasm-snip --help
Replace a wasm function with an `unreachable`.

USAGE:
wasm-snip [FLAGS] [OPTIONS] <input> [--] [function]...

FLAGS:
-h, --help                        Prints help information
--snip-rust-fmt-code          Snip Rust's `std::fmt` and `core::fmt` code.
--snip-rust-panicking-code    Snip Rust's `std::panicking` and `core::panicking` code.
-V, --version                     Prints version information

OPTIONS:
-o, --output <output>         The path to write the output wasm file to. Defaults to stdout.
-p, --pattern <pattern>...    Snip any function that matches the given regular expression.

ARGS:
<input>          The input wasm file containing the function(s) to snip.
<function>...    The specific function(s) to snip. These must match exactly. Use the -p flag for fuzzy matching.
```

## Library

To use `wasm-snip` as a library, add this to your `Cargo.toml`:

```toml
[dependencies.wasm-snip]
# Do not build the executable.
default-features = false
```

See [docs.rs/wasm-snip][docs] for API documentation.

[docs]: https://docs.rs/wasm-snip

## License

Licensed under either of

 * [Apache License, Version 2.0](http://www.apache.org/licenses/LICENSE-2.0)

 * [MIT license](http://opensource.org/licenses/MIT)

at your option.

## Contributing

See
[CONTRIBUTING.md](https://github.com/fitzgen/wasm-snip/blob/master/CONTRIBUTING.md)
for hacking.

Unless you explicitly state otherwise, any contribution intentionally submitted
for inclusion in the work by you, as defined in the Apache-2.0 license, shall be
dual licensed as above, without any additional terms or conditions.

 */

#![deny(missing_docs)]
#![deny(missing_debug_implementations)]

#[macro_use]
extern crate failure;
extern crate parity_wasm;
extern crate regex;

use failure::ResultExt;
use parity_wasm::elements;
use std::collections::HashMap;
use std::path;

/// Options for controlling which functions in what `.wasm` file should be
/// snipped.
#[derive(Clone, Debug, Default)]
pub struct Options {
    /// The input `.wasm` file that should have its functions snipped.
    pub input: path::PathBuf,

    /// The functions that should be snipped from the `.wasm` file.
    pub functions: Vec<String>,

    /// The regex patterns whose matches should be snipped from the `.wasm`
    /// file.
    pub patterns: Vec<String>,

    /// Should Rust `std::fmt` and `core::fmt` functions be snipped?
    pub snip_rust_fmt_code: bool,

    /// Should Rust `std::panicking` and `core::panicking` functions be snipped?
    pub snip_rust_panicking_code: bool,
}

/// Snip the functions from the input file described by the options.
pub fn snip(options: Options) -> Result<elements::Module, failure::Error> {
    let mut options = options;

    let mut module = elements::deserialize_file(&options.input)?
        .parse_names()
        .unwrap();

    let names: HashMap<String, usize> = module
        .names_section_names()
        .ok_or(failure::err_msg(
            "missing \"name\" section; did you build with debug symbols?",
        ))?
        .into_iter()
        .map(|(index, name)| (name, index as usize))
        .collect();

    {
        let num_imports = module.import_count(elements::ImportCountType::Function);

        let code = module
            .sections_mut()
            .iter_mut()
            .filter_map(|section| match *section {
                elements::Section::Code(ref mut code) => Some(code),
                _ => None,
            })
            .next()
            .ok_or(failure::err_msg("missing code section"))?;

        // Snip the exact match functions.
        for to_snip in &options.functions {
            let idx = names.get(to_snip).ok_or(format_err!(
                "asked to snip '{}', but it isn't present",
                to_snip
            ))?;

            snip_nth(*idx, num_imports, code)
                .with_context(|_| format!("when attempting to snip '{}'", to_snip))?;
        }

        // Snip the Rust `fmt` code, if requested.
        if options.snip_rust_fmt_code {
            // Mangled symbols.
            options.patterns.push(".*4core3fmt.*".into());
            options.patterns.push(".*3std3fmt.*".into());

            // Mangled in impl.
            options.patterns.push(r#".*core\.\.fmt\.\..*"#.into());
            options.patterns.push(r#".*std\.\.fmt\.\..*"#.into());

            // Demangled symbols.
            options.patterns.push(".*core::fmt::.*".into());
            options.patterns.push(".*std::fmt::.*".into());
        }

        // Snip the Rust `panicking` code, if requested.
        if options.snip_rust_panicking_code {
            // Mangled symbols.
            options.patterns.push(".*4core9panicking.*".into());
            options.patterns.push(".*3std9panicking.*".into());

            // Mangled in impl.
            options.patterns.push(r#".*core\.\.panicking\.\..*"#.into());
            options.patterns.push(r#".*std\.\.panicking\.\..*"#.into());

            // Demangled symbols.
            options.patterns.push(".*core::panicking::.*".into());
            options.patterns.push(".*std::panicking::.*".into());
        }

        let re_set = regex::RegexSet::new(options.patterns)?;

        for (name, idx) in names {
            if idx >= num_imports && re_set.is_match(&name) {
                snip_nth(idx, num_imports, code)?;
            }
        }
    }

    Ok(module)
}

fn snip_nth(
    n: usize,
    num_imports: usize,
    code: &mut elements::CodeSection,
) -> Result<(), failure::Error> {
    if n < num_imports {
        bail!("cannot snip imported functions");
    }

    let body = code.bodies_mut()
        .get_mut(n - num_imports)
        .ok_or(failure::err_msg(format!(
            "index {} is out of bounds of the code section",
            n - num_imports
        )))?;

    *body.code_mut().elements_mut() = vec![elements::Opcode::Unreachable, elements::Opcode::End];

    Ok(())
}

trait NamesSectionNames {
    fn names_section_names(&self) -> Option<elements::NameMap>;
}

impl NamesSectionNames for elements::Module {
    fn names_section_names(&self) -> Option<elements::NameMap> {
        for section in self.sections() {
            if let &elements::Section::Name(elements::NameSection::Function(ref name_section)) =
                section
            {
                return Some(name_section.names().clone());
            }
        }

        None
    }
}