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
//! # Antimalware Scan Interface
//! The "Antimalware Scan Interface" is an API by Microsoft, this crate is a safe wrapper for the native API.
//!
//! ## Example
//! ```
//! extern crate amsi;
//!
//! fn main() {
//!     let malicious_file = r"X5O!P%@AP[4\PZX54(P^)7CC)7}$EICAR-STANDARD-ANTIVIRUS-TEST-FILE!$H+H*";
//!     let ctx = amsi::AmsiContext::new("emailscanner-1.0.0").unwrap();
//!     let session = ctx.create_session().unwrap();
//!     let result = session.scan_string(r"C:\eicar-test.txt", malicious_file).unwrap();
//!     println!("malicious = {}", result.is_malware());
//! }
//! ```
//!
//! ## Note
//! This crate only works with Windows 10, or Windows Server 2016 and above due to the API it wraps.

#[cfg(test)]
mod tests;

type HRESULT = u32;
type LPCWSTR = *const u16;
type HAMSICONTEXT = *const u8;
type HAMSISESSION = *const u8;
type DWORD = u32;
type AMSI_RESULT = u32;

#[link(name="amsi")]
extern "system" {
    fn AmsiInitialize(name: LPCWSTR, context: &mut HAMSICONTEXT) -> HRESULT;
    fn AmsiUninitialize(content: HAMSICONTEXT);
    fn AmsiScanString(context: HAMSICONTEXT, string: LPCWSTR, content_name: LPCWSTR, session: HAMSISESSION, result: &mut AMSI_RESULT) -> HRESULT;
    fn AmsiScanBuffer(context: HAMSICONTEXT, buffer: *const u8, length: usize, content_name: LPCWSTR, session: HAMSISESSION, result: &mut AMSI_RESULT) -> HRESULT;
    fn AmsiOpenSession(context: HAMSICONTEXT, session: &mut HAMSISESSION) -> HRESULT;
    fn AmsiCloseSession(context: HAMSICONTEXT, session: HAMSISESSION);
}

#[link(name="kernel32")]
extern "system" {
    fn GetLastError() -> DWORD;
}

/// Represents a Windows Error
#[derive(Debug)]
pub struct WinError {
    code: DWORD,
}

impl WinError {
    /// Creates a new `WinError`. This function will actually call `GetLastError()`.
    pub fn new() -> WinError {
        Self::from_code(unsafe {
            GetLastError()
        })
    }

    /// Creates a new `WinError` from the specified error code.
    pub fn from_code(code: DWORD) -> WinError {
        WinError{
            code,
        }
    }

    /// Creates a new `WinError` from the specified `HRESULT` code.
    pub fn from_hresult(res: HRESULT) -> WinError {
        Self::from_code(res & 0xffff)
    }
}

/// A Context that can be used for scanning payloads.
#[derive(Debug)]
pub struct AmsiContext {
    ctx: HAMSICONTEXT,
}

/// Represents a scan session.
#[derive(Debug)]
pub struct AmsiSession<'a> {
    ctx: &'a AmsiContext,
    session: HAMSISESSION,
}

/// Allows you to tell if a scan result is malicious or not.
///
/// This structure is returned by scan functions.
#[derive(Debug)]
pub struct AmsiResult {
    code: u32,
}

impl AmsiResult {
    pub(crate) fn new(code: u32) -> AmsiResult {
        AmsiResult{
            code,
        }
    }

    /// Returns `true` if the result is malicious.
    pub fn is_malware(&self) -> bool {
        self.code >= 32768
    }

    /// Returns `true` if the result is not malicious and will probably never be.
    pub fn is_clean(&self) -> bool {
        self.code == 0
    }

    /// Returns `true` if the result is not malicious, but might be malicious with future definition updates.
    pub fn is_not_detected(&self) -> bool {
        self.code == 1
    }

    pub fn is_blocked_by_admin(&self) -> bool {
        self.code >= 0x4000 && self.code <= 0x4fff
    }

    pub fn get_code(&self) -> u32 {
        self.code
    }
}

impl AmsiContext {
    /// Creates a new AMSI context.
    ///
    /// ## Parameters
    /// * **app_name** - name, version or GUID of the application using AMSI API.
    pub fn new(app_name: &str) -> Result<AmsiContext, WinError> {
        let name_utf16: Vec<u16> = app_name.encode_utf16().chain(std::iter::once(0)).collect();

        unsafe {
            let mut amsi_ctx = std::mem::zeroed::<HAMSICONTEXT>();

            let res = AmsiInitialize(name_utf16.as_ptr(), &mut amsi_ctx);

            if res == 0 {
                Ok(AmsiContext{
                    ctx: amsi_ctx,
                })
            }
            else {
                Err(WinError::from_hresult(res))
            }
        }
    }

    /// Creates a scan session from the current context.
    pub fn create_session<'a>(&self) -> Result<AmsiSession, WinError> {
        unsafe {
            let mut session = std::mem::zeroed::<HAMSISESSION>();
            let res = AmsiOpenSession(self.ctx, &mut session);
            if res == 0 {
                Ok(AmsiSession{
                    ctx: self,
                    session,
                })
            } else {
                Err(WinError::from_hresult(res))
            }
        }
    }
}

impl<'a> AmsiSession<'a> {
    /// Scans a string
    ///
    /// This is usually useful for scanning scripts.
    ///
    /// ## Parameters
    /// * **content_name** - File name, URL or unique script ID
    /// * **data** - Content that should be scanned.
    pub fn scan_string(&self, content_name: &str, data: &str) -> Result<AmsiResult, WinError> {
        let name : Vec<u16> = content_name.encode_utf16().chain(std::iter::once(0)).collect();
        let content: Vec<u16> = data.encode_utf16().chain(std::iter::once(0)).collect();

        let mut result = 0;

        let res = unsafe {
            AmsiScanString(self.ctx.ctx, content.as_ptr(), name.as_ptr(), self.session, &mut result)
        };

        if res == 0 {
            Ok(AmsiResult::new(result))
        }
        else {
            Err(WinError::from_hresult(res))
        }
    }

    /// Scans a buffer
    ///
    /// ## Parameters
    /// * **content_name** - File name, URL or unique script ID.
    /// * **data** - payload that should be scanned.
    pub fn scan_buffer(&self, content_name: &str, data: &[u8]) -> Result<AmsiResult, WinError> {
        let name: Vec<u16> = content_name.encode_utf16().chain(std::iter::once(0)).collect();
        let mut result = 0;

        let hres = unsafe {
            AmsiScanBuffer(self.ctx.ctx, data.as_ptr(), data.len(), name.as_ptr(), self.session, &mut result)
        };

        if hres == 0 {
            Ok(AmsiResult::new(result))
        } else {
            Err(WinError::from_hresult(hres))
        }
    }
}

impl Drop for AmsiContext {
    fn drop(&mut self) {
        unsafe {
            AmsiUninitialize(self.ctx);
        }
    }
}

impl<'a> Drop for AmsiSession<'a> {
    fn drop(&mut self) {
        unsafe {
            AmsiCloseSession(self.ctx.ctx, self.session);
        }
    }
}