]> git.lizzy.rs Git - rust.git/blob - src/libstd/sys/unix/backtrace.rs
Auto merge of #22839 - lifthrasiir:better-backtrace, r=alexcrichton
[rust.git] / src / libstd / sys / unix / backtrace.rs
1 // Copyright 2014-2015 The Rust Project Developers. See the COPYRIGHT
2 // file at the top-level directory of this distribution and at
3 // http://rust-lang.org/COPYRIGHT.
4 //
5 // Licensed under the Apache License, Version 2.0 <LICENSE-APACHE or
6 // http://www.apache.org/licenses/LICENSE-2.0> or the MIT license
7 // <LICENSE-MIT or http://opensource.org/licenses/MIT>, at your
8 // option. This file may not be copied, modified, or distributed
9 // except according to those terms.
10
11 /// Backtrace support built on libgcc with some extra OS-specific support
12 ///
13 /// Some methods of getting a backtrace:
14 ///
15 /// * The backtrace() functions on unix. It turns out this doesn't work very
16 ///   well for green threads on OSX, and the address to symbol portion of it
17 ///   suffers problems that are described below.
18 ///
19 /// * Using libunwind. This is more difficult than it sounds because libunwind
20 ///   isn't installed everywhere by default. It's also a bit of a hefty library,
21 ///   so possibly not the best option. When testing, libunwind was excellent at
22 ///   getting both accurate backtraces and accurate symbols across platforms.
23 ///   This route was not chosen in favor of the next option, however.
24 ///
25 /// * We're already using libgcc_s for exceptions in rust (triggering task
26 ///   unwinding and running destructors on the stack), and it turns out that it
27 ///   conveniently comes with a function that also gives us a backtrace. All of
28 ///   these functions look like _Unwind_*, but it's not quite the full
29 ///   repertoire of the libunwind API. Due to it already being in use, this was
30 ///   the chosen route of getting a backtrace.
31 ///
32 /// After choosing libgcc_s for backtraces, the sad part is that it will only
33 /// give us a stack trace of instruction pointers. Thankfully these instruction
34 /// pointers are accurate (they work for green and native threads), but it's
35 /// then up to us again to figure out how to translate these addresses to
36 /// symbols. As with before, we have a few options. Before, that, a little bit
37 /// of an interlude about symbols. This is my very limited knowledge about
38 /// symbol tables, and this information is likely slightly wrong, but the
39 /// general idea should be correct.
40 ///
41 /// When talking about symbols, it's helpful to know a few things about where
42 /// symbols are located. Some symbols are located in the dynamic symbol table
43 /// of the executable which in theory means that they're available for dynamic
44 /// linking and lookup. Other symbols end up only in the local symbol table of
45 /// the file. This loosely corresponds to pub and priv functions in Rust.
46 ///
47 /// Armed with this knowledge, we know that our solution for address to symbol
48 /// translation will need to consult both the local and dynamic symbol tables.
49 /// With that in mind, here's our options of translating an address to
50 /// a symbol.
51 ///
52 /// * Use dladdr(). The original backtrace()-based idea actually uses dladdr()
53 ///   behind the scenes to translate, and this is why backtrace() was not used.
54 ///   Conveniently, this method works fantastically on OSX. It appears dladdr()
55 ///   uses magic to consult the local symbol table, or we're putting everything
56 ///   in the dynamic symbol table anyway. Regardless, for OSX, this is the
57 ///   method used for translation. It's provided by the system and easy to do.o
58 ///
59 ///   Sadly, all other systems have a dladdr() implementation that does not
60 ///   consult the local symbol table. This means that most functions are blank
61 ///   because they don't have symbols. This means that we need another solution.
62 ///
63 /// * Use unw_get_proc_name(). This is part of the libunwind api (not the
64 ///   libgcc_s version of the libunwind api), but involves taking a dependency
65 ///   to libunwind. We may pursue this route in the future if we bundle
66 ///   libunwind, but libunwind was unwieldy enough that it was not chosen at
67 ///   this time to provide this functionality.
68 ///
69 /// * Shell out to a utility like `readelf`. Crazy though it may sound, it's a
70 ///   semi-reasonable solution. The stdlib already knows how to spawn processes,
71 ///   so in theory it could invoke readelf, parse the output, and consult the
72 ///   local/dynamic symbol tables from there. This ended up not getting chosen
73 ///   due to the craziness of the idea plus the advent of the next option.
74 ///
75 /// * Use `libbacktrace`. It turns out that this is a small library bundled in
76 ///   the gcc repository which provides backtrace and symbol translation
77 ///   functionality. All we really need from it is the backtrace functionality,
78 ///   and we only really need this on everything that's not OSX, so this is the
79 ///   chosen route for now.
80 ///
81 /// In summary, the current situation uses libgcc_s to get a trace of stack
82 /// pointers, and we use dladdr() or libbacktrace to translate these addresses
83 /// to symbols. This is a bit of a hokey implementation as-is, but it works for
84 /// all unix platforms we support right now, so it at least gets the job done.
85
86 use prelude::v1::*;
87 use os::unix::prelude::*;
88
89 use ffi::{CStr, AsOsStr};
90 use old_io::IoResult;
91 use libc;
92 use mem;
93 use str;
94 use sync::{StaticMutex, MUTEX_INIT};
95
96 use sys_common::backtrace::*;
97
98 /// As always - iOS on arm uses SjLj exceptions and
99 /// _Unwind_Backtrace is even not available there. Still,
100 /// backtraces could be extracted using a backtrace function,
101 /// which thanks god is public
102 ///
103 /// As mentioned in a huge comment block above, backtrace doesn't
104 /// play well with green threads, so while it is extremely nice
105 /// and simple to use it should be used only on iOS devices as the
106 /// only viable option.
107 #[cfg(all(target_os = "ios", target_arch = "arm"))]
108 #[inline(never)]
109 pub fn write(w: &mut Writer) -> IoResult<()> {
110     use result;
111
112     extern {
113         fn backtrace(buf: *mut *mut libc::c_void,
114                      sz: libc::c_int) -> libc::c_int;
115     }
116
117     // while it doesn't requires lock for work as everything is
118     // local, it still displays much nicer backtraces when a
119     // couple of tasks panic simultaneously
120     static LOCK: StaticMutex = MUTEX_INIT;
121     let _g = unsafe { LOCK.lock() };
122
123     try!(writeln!(w, "stack backtrace:"));
124     // 100 lines should be enough
125     const SIZE: uint = 100;
126     let mut buf: [*mut libc::c_void; SIZE] = unsafe {mem::zeroed()};
127     let cnt = unsafe { backtrace(buf.as_mut_ptr(), SIZE as libc::c_int) as uint};
128
129     // skipping the first one as it is write itself
130     let iter = (1..cnt).map(|i| {
131         print(w, i as int, buf[i], buf[i])
132     });
133     result::fold(iter, (), |_, _| ())
134 }
135
136 #[cfg(not(all(target_os = "ios", target_arch = "arm")))]
137 #[inline(never)] // if we know this is a function call, we can skip it when
138                  // tracing
139 pub fn write(w: &mut Writer) -> IoResult<()> {
140     use old_io::IoError;
141
142     struct Context<'a> {
143         idx: int,
144         writer: &'a mut (Writer+'a),
145         last_error: Option<IoError>,
146     }
147
148     // When using libbacktrace, we use some necessary global state, so we
149     // need to prevent more than one thread from entering this block. This
150     // is semi-reasonable in terms of printing anyway, and we know that all
151     // I/O done here is blocking I/O, not green I/O, so we don't have to
152     // worry about this being a native vs green mutex.
153     static LOCK: StaticMutex = MUTEX_INIT;
154     let _g = unsafe { LOCK.lock() };
155
156     try!(writeln!(w, "stack backtrace:"));
157
158     let mut cx = Context { writer: w, last_error: None, idx: 0 };
159     return match unsafe {
160         uw::_Unwind_Backtrace(trace_fn,
161                               &mut cx as *mut Context as *mut libc::c_void)
162     } {
163         uw::_URC_NO_REASON => {
164             match cx.last_error {
165                 Some(err) => Err(err),
166                 None => Ok(())
167             }
168         }
169         _ => Ok(()),
170     };
171
172     extern fn trace_fn(ctx: *mut uw::_Unwind_Context,
173                        arg: *mut libc::c_void) -> uw::_Unwind_Reason_Code {
174         let cx: &mut Context = unsafe { mem::transmute(arg) };
175         let mut ip_before_insn = 0;
176         let mut ip = unsafe {
177             uw::_Unwind_GetIPInfo(ctx, &mut ip_before_insn) as *mut libc::c_void
178         };
179         if ip_before_insn == 0 {
180             // this is a non-signaling frame, so `ip` refers to the address
181             // after the calling instruction. account for that.
182             ip = (ip as usize - 1) as *mut _;
183         }
184
185         // dladdr() on osx gets whiny when we use FindEnclosingFunction, and
186         // it appears to work fine without it, so we only use
187         // FindEnclosingFunction on non-osx platforms. In doing so, we get a
188         // slightly more accurate stack trace in the process.
189         //
190         // This is often because panic involves the last instruction of a
191         // function being "call std::rt::begin_unwind", with no ret
192         // instructions after it. This means that the return instruction
193         // pointer points *outside* of the calling function, and by
194         // unwinding it we go back to the original function.
195         let symaddr = if cfg!(target_os = "macos") || cfg!(target_os = "ios") {
196             ip
197         } else {
198             unsafe { uw::_Unwind_FindEnclosingFunction(ip) }
199         };
200
201         // Don't print out the first few frames (they're not user frames)
202         cx.idx += 1;
203         if cx.idx <= 0 { return uw::_URC_NO_REASON }
204         // Don't print ginormous backtraces
205         if cx.idx > 100 {
206             match write!(cx.writer, " ... <frames omitted>\n") {
207                 Ok(()) => {}
208                 Err(e) => { cx.last_error = Some(e); }
209             }
210             return uw::_URC_FAILURE
211         }
212
213         // Once we hit an error, stop trying to print more frames
214         if cx.last_error.is_some() { return uw::_URC_FAILURE }
215
216         match print(cx.writer, cx.idx, ip, symaddr) {
217             Ok(()) => {}
218             Err(e) => { cx.last_error = Some(e); }
219         }
220
221         // keep going
222         return uw::_URC_NO_REASON
223     }
224 }
225
226 #[cfg(any(target_os = "macos", target_os = "ios"))]
227 fn print(w: &mut Writer, idx: int, addr: *mut libc::c_void,
228          _symaddr: *mut libc::c_void) -> IoResult<()> {
229     use intrinsics;
230     #[repr(C)]
231     struct Dl_info {
232         dli_fname: *const libc::c_char,
233         dli_fbase: *mut libc::c_void,
234         dli_sname: *const libc::c_char,
235         dli_saddr: *mut libc::c_void,
236     }
237     extern {
238         fn dladdr(addr: *const libc::c_void,
239                   info: *mut Dl_info) -> libc::c_int;
240     }
241
242     let mut info: Dl_info = unsafe { intrinsics::init() };
243     if unsafe { dladdr(addr, &mut info) == 0 } {
244         output(w, idx,addr, None)
245     } else {
246         output(w, idx, addr, Some(unsafe {
247             CStr::from_ptr(info.dli_sname).to_bytes()
248         }))
249     }
250 }
251
252 #[cfg(not(any(target_os = "macos", target_os = "ios")))]
253 fn print(w: &mut Writer, idx: int, addr: *mut libc::c_void,
254          symaddr: *mut libc::c_void) -> IoResult<()> {
255     use env;
256     use ptr;
257
258     ////////////////////////////////////////////////////////////////////////
259     // libbacktrace.h API
260     ////////////////////////////////////////////////////////////////////////
261     type backtrace_syminfo_callback =
262         extern "C" fn(data: *mut libc::c_void,
263                       pc: libc::uintptr_t,
264                       symname: *const libc::c_char,
265                       symval: libc::uintptr_t,
266                       symsize: libc::uintptr_t);
267     type backtrace_full_callback =
268         extern "C" fn(data: *mut libc::c_void,
269                       pc: libc::uintptr_t,
270                       filename: *const libc::c_char,
271                       lineno: libc::c_int,
272                       function: *const libc::c_char) -> libc::c_int;
273     type backtrace_error_callback =
274         extern "C" fn(data: *mut libc::c_void,
275                       msg: *const libc::c_char,
276                       errnum: libc::c_int);
277     enum backtrace_state {}
278     #[link(name = "backtrace", kind = "static")]
279     #[cfg(not(test))]
280     extern {}
281
282     extern {
283         fn backtrace_create_state(filename: *const libc::c_char,
284                                   threaded: libc::c_int,
285                                   error: backtrace_error_callback,
286                                   data: *mut libc::c_void)
287                                         -> *mut backtrace_state;
288         fn backtrace_syminfo(state: *mut backtrace_state,
289                              addr: libc::uintptr_t,
290                              cb: backtrace_syminfo_callback,
291                              error: backtrace_error_callback,
292                              data: *mut libc::c_void) -> libc::c_int;
293         fn backtrace_pcinfo(state: *mut backtrace_state,
294                             addr: libc::uintptr_t,
295                             cb: backtrace_full_callback,
296                             error: backtrace_error_callback,
297                             data: *mut libc::c_void) -> libc::c_int;
298     }
299
300     ////////////////////////////////////////////////////////////////////////
301     // helper callbacks
302     ////////////////////////////////////////////////////////////////////////
303
304     type FileLine = (*const libc::c_char, libc::c_int);
305
306     extern fn error_cb(_data: *mut libc::c_void, _msg: *const libc::c_char,
307                        _errnum: libc::c_int) {
308         // do nothing for now
309     }
310     extern fn syminfo_cb(data: *mut libc::c_void,
311                          _pc: libc::uintptr_t,
312                          symname: *const libc::c_char,
313                          _symval: libc::uintptr_t,
314                          _symsize: libc::uintptr_t) {
315         let slot = data as *mut *const libc::c_char;
316         unsafe { *slot = symname; }
317     }
318     extern fn pcinfo_cb(data: *mut libc::c_void,
319                         _pc: libc::uintptr_t,
320                         filename: *const libc::c_char,
321                         lineno: libc::c_int,
322                         _function: *const libc::c_char) -> libc::c_int {
323         if !filename.is_null() {
324             let slot = data as *mut &mut [FileLine];
325             let buffer = unsafe {ptr::read(slot)};
326
327             // if the buffer is not full, add file:line to the buffer
328             // and adjust the buffer for next possible calls to pcinfo_cb.
329             if !buffer.is_empty() {
330                 buffer[0] = (filename, lineno);
331                 unsafe { ptr::write(slot, &mut buffer[1..]); }
332             }
333         }
334
335         0
336     }
337
338     // The libbacktrace API supports creating a state, but it does not
339     // support destroying a state. I personally take this to mean that a
340     // state is meant to be created and then live forever.
341     //
342     // I would love to register an at_exit() handler which cleans up this
343     // state, but libbacktrace provides no way to do so.
344     //
345     // With these constraints, this function has a statically cached state
346     // that is calculated the first time this is requested. Remember that
347     // backtracing all happens serially (one global lock).
348     //
349     // An additionally oddity in this function is that we initialize the
350     // filename via self_exe_name() to pass to libbacktrace. It turns out
351     // that on Linux libbacktrace seamlessly gets the filename of the
352     // current executable, but this fails on freebsd. by always providing
353     // it, we make sure that libbacktrace never has a reason to not look up
354     // the symbols. The libbacktrace API also states that the filename must
355     // be in "permanent memory", so we copy it to a static and then use the
356     // static as the pointer.
357     //
358     // FIXME: We also call self_exe_name() on DragonFly BSD. I haven't
359     //        tested if this is required or not.
360     unsafe fn init_state() -> *mut backtrace_state {
361         static mut STATE: *mut backtrace_state = 0 as *mut backtrace_state;
362         static mut LAST_FILENAME: [libc::c_char; 256] = [0; 256];
363         if !STATE.is_null() { return STATE }
364         let selfname = if cfg!(target_os = "freebsd") ||
365                           cfg!(target_os = "dragonfly") ||
366                           cfg!(target_os = "bitrig") ||
367                           cfg!(target_os = "openbsd") {
368             env::current_exe().ok()
369         } else {
370             None
371         };
372         let filename = match selfname {
373             Some(path) => {
374                 let bytes = path.as_os_str().as_bytes();
375                 if bytes.len() < LAST_FILENAME.len() {
376                     let i = bytes.iter();
377                     for (slot, val) in LAST_FILENAME.iter_mut().zip(i) {
378                         *slot = *val as libc::c_char;
379                     }
380                     LAST_FILENAME.as_ptr()
381                 } else {
382                     ptr::null()
383                 }
384             }
385             None => ptr::null(),
386         };
387         STATE = backtrace_create_state(filename, 0, error_cb,
388                                        ptr::null_mut());
389         return STATE
390     }
391
392     ////////////////////////////////////////////////////////////////////////
393     // translation
394     ////////////////////////////////////////////////////////////////////////
395
396     // backtrace errors are currently swept under the rug, only I/O
397     // errors are reported
398     let state = unsafe { init_state() };
399     if state.is_null() {
400         return output(w, idx, addr, None)
401     }
402     let mut data = ptr::null();
403     let data_addr = &mut data as *mut *const libc::c_char;
404     let ret = unsafe {
405         backtrace_syminfo(state, symaddr as libc::uintptr_t,
406                           syminfo_cb, error_cb,
407                           data_addr as *mut libc::c_void)
408     };
409     if ret == 0 || data.is_null() {
410         try!(output(w, idx, addr, None));
411     } else {
412         try!(output(w, idx, addr, Some(unsafe { CStr::from_ptr(data).to_bytes() })));
413     }
414
415     // pcinfo may return an arbitrary number of file:line pairs,
416     // in the order of stack trace (i.e. inlined calls first).
417     // in order to avoid allocation, we stack-allocate a fixed size of entries.
418     const FILELINE_SIZE: usize = 32;
419     let mut fileline_buf = [(ptr::null(), -1); FILELINE_SIZE];
420     let ret;
421     let fileline_count;
422     {
423         let mut fileline_win: &mut [FileLine] = &mut fileline_buf;
424         let fileline_addr = &mut fileline_win as *mut &mut [FileLine];
425         ret = unsafe {
426             backtrace_pcinfo(state, addr as libc::uintptr_t,
427                              pcinfo_cb, error_cb,
428                              fileline_addr as *mut libc::c_void)
429         };
430         fileline_count = FILELINE_SIZE - fileline_win.len();
431     }
432     if ret == 0 {
433         for (i, &(file, line)) in fileline_buf[..fileline_count].iter().enumerate() {
434             if file.is_null() { continue; } // just to be sure
435             let file = unsafe { CStr::from_ptr(file).to_bytes() };
436             try!(output_fileline(w, file, line, i == FILELINE_SIZE - 1));
437         }
438     }
439
440     Ok(())
441 }
442
443 // Finally, after all that work above, we can emit a symbol.
444 fn output(w: &mut Writer, idx: int, addr: *mut libc::c_void,
445           s: Option<&[u8]>) -> IoResult<()> {
446     try!(write!(w, "  {:2}: {:2$?} - ", idx, addr, HEX_WIDTH));
447     match s.and_then(|s| str::from_utf8(s).ok()) {
448         Some(string) => try!(demangle(w, string)),
449         None => try!(write!(w, "<unknown>")),
450     }
451     w.write_all(&['\n' as u8])
452 }
453
454 #[allow(dead_code)]
455 fn output_fileline(w: &mut Writer, file: &[u8], line: libc::c_int,
456                    more: bool) -> IoResult<()> {
457     let file = str::from_utf8(file).ok().unwrap_or("<unknown>");
458     // prior line: "  ##: {:2$} - func"
459     try!(write!(w, "      {:3$}at {}:{}", "", file, line, HEX_WIDTH));
460     if more {
461         try!(write!(w, " <... and possibly more>"));
462     }
463     w.write_all(&['\n' as u8])
464 }
465
466 /// Unwind library interface used for backtraces
467 ///
468 /// Note that dead code is allowed as here are just bindings
469 /// iOS doesn't use all of them it but adding more
470 /// platform-specific configs pollutes the code too much
471 #[allow(non_camel_case_types)]
472 #[allow(non_snake_case)]
473 #[allow(dead_code)]
474 mod uw {
475     pub use self::_Unwind_Reason_Code::*;
476
477     use libc;
478
479     #[repr(C)]
480     pub enum _Unwind_Reason_Code {
481         _URC_NO_REASON = 0,
482         _URC_FOREIGN_EXCEPTION_CAUGHT = 1,
483         _URC_FATAL_PHASE2_ERROR = 2,
484         _URC_FATAL_PHASE1_ERROR = 3,
485         _URC_NORMAL_STOP = 4,
486         _URC_END_OF_STACK = 5,
487         _URC_HANDLER_FOUND = 6,
488         _URC_INSTALL_CONTEXT = 7,
489         _URC_CONTINUE_UNWIND = 8,
490         _URC_FAILURE = 9, // used only by ARM EABI
491     }
492
493     pub enum _Unwind_Context {}
494
495     pub type _Unwind_Trace_Fn =
496             extern fn(ctx: *mut _Unwind_Context,
497                       arg: *mut libc::c_void) -> _Unwind_Reason_Code;
498
499     extern {
500         // No native _Unwind_Backtrace on iOS
501         #[cfg(not(all(target_os = "ios", target_arch = "arm")))]
502         pub fn _Unwind_Backtrace(trace: _Unwind_Trace_Fn,
503                                  trace_argument: *mut libc::c_void)
504                     -> _Unwind_Reason_Code;
505
506         // available since GCC 4.2.0, should be fine for our purpose
507         #[cfg(all(not(all(target_os = "android", target_arch = "arm")),
508                   not(all(target_os = "linux", target_arch = "arm"))))]
509         pub fn _Unwind_GetIPInfo(ctx: *mut _Unwind_Context,
510                                  ip_before_insn: *mut libc::c_int)
511                     -> libc::uintptr_t;
512
513         #[cfg(all(not(target_os = "android"),
514                   not(all(target_os = "linux", target_arch = "arm"))))]
515         pub fn _Unwind_FindEnclosingFunction(pc: *mut libc::c_void)
516             -> *mut libc::c_void;
517     }
518
519     // On android, the function _Unwind_GetIP is a macro, and this is the
520     // expansion of the macro. This is all copy/pasted directly from the
521     // header file with the definition of _Unwind_GetIP.
522     #[cfg(any(all(target_os = "android", target_arch = "arm"),
523               all(target_os = "linux", target_arch = "arm")))]
524     pub unsafe fn _Unwind_GetIP(ctx: *mut _Unwind_Context) -> libc::uintptr_t {
525         #[repr(C)]
526         enum _Unwind_VRS_Result {
527             _UVRSR_OK = 0,
528             _UVRSR_NOT_IMPLEMENTED = 1,
529             _UVRSR_FAILED = 2,
530         }
531         #[repr(C)]
532         enum _Unwind_VRS_RegClass {
533             _UVRSC_CORE = 0,
534             _UVRSC_VFP = 1,
535             _UVRSC_FPA = 2,
536             _UVRSC_WMMXD = 3,
537             _UVRSC_WMMXC = 4,
538         }
539         #[repr(C)]
540         enum _Unwind_VRS_DataRepresentation {
541             _UVRSD_UINT32 = 0,
542             _UVRSD_VFPX = 1,
543             _UVRSD_FPAX = 2,
544             _UVRSD_UINT64 = 3,
545             _UVRSD_FLOAT = 4,
546             _UVRSD_DOUBLE = 5,
547         }
548
549         type _Unwind_Word = libc::c_uint;
550         extern {
551             fn _Unwind_VRS_Get(ctx: *mut _Unwind_Context,
552                                klass: _Unwind_VRS_RegClass,
553                                word: _Unwind_Word,
554                                repr: _Unwind_VRS_DataRepresentation,
555                                data: *mut libc::c_void)
556                 -> _Unwind_VRS_Result;
557         }
558
559         let mut val: _Unwind_Word = 0;
560         let ptr = &mut val as *mut _Unwind_Word;
561         let _ = _Unwind_VRS_Get(ctx, _Unwind_VRS_RegClass::_UVRSC_CORE, 15,
562                                 _Unwind_VRS_DataRepresentation::_UVRSD_UINT32,
563                                 ptr as *mut libc::c_void);
564         (val & !1) as libc::uintptr_t
565     }
566
567     // This function doesn't exist on Android or ARM/Linux, so make it same
568     // to _Unwind_GetIP
569     #[cfg(any(target_os = "android",
570               all(target_os = "linux", target_arch = "arm")))]
571     pub unsafe fn _Unwind_GetIPInfo(ctx: *mut _Unwind_Context,
572                                     ip_before_insn: *mut libc::c_int)
573         -> libc::uintptr_t
574     {
575         *ip_before_insn = 0;
576         _Unwind_GetIP(ctx)
577     }
578
579     // This function also doesn't exist on Android or ARM/Linux, so make it
580     // a no-op
581     #[cfg(any(target_os = "android",
582               all(target_os = "linux", target_arch = "arm")))]
583     pub unsafe fn _Unwind_FindEnclosingFunction(pc: *mut libc::c_void)
584         -> *mut libc::c_void
585     {
586         pc
587     }
588 }