rust_htslib/
utils.rs

1// Copyright 2014 Christopher Schröder, Johannes Köster.
2// Licensed under the MIT license (http://opensource.org/licenses/MIT)
3// This file may not be copied, modified, or distributed
4// except according to those terms.
5
6//! Module with utility code.
7
8use crate::errors::{Error, Result};
9use std::ffi;
10use std::path::Path;
11use std::ptr;
12
13/// Copies data from `src` to `dst`
14/// TODO remove once stable in standard library.
15///
16/// Panics if the length of `dst` is less than the length of `src`.
17#[inline]
18pub fn copy_memory(src: &[u8], dst: &mut [u8]) {
19    let len_src = src.len();
20    assert!(
21        dst.len() >= len_src,
22        "dst len {} < src len {}",
23        dst.len(),
24        src.len()
25    );
26    // `dst` is unaliasable, so we know statically it doesn't overlap
27    // with `src`.
28    unsafe {
29        ptr::copy_nonoverlapping(src.as_ptr(), dst.as_mut_ptr(), len_src);
30    }
31}
32
33pub fn path_to_cstring<P: AsRef<Path>>(path: &P) -> Option<ffi::CString> {
34    path.as_ref()
35        .to_str()
36        .and_then(|p| ffi::CString::new(p).ok())
37}
38
39/// Convert a path into a byte-vector
40pub fn path_as_bytes<'a, P: 'a + AsRef<Path>>(path: P, must_exist: bool) -> Result<Vec<u8>> {
41    if path.as_ref().exists() || !must_exist {
42        Ok(path
43            .as_ref()
44            .to_str()
45            .ok_or(Error::NonUnicodePath)?
46            .as_bytes()
47            .to_owned())
48    } else {
49        Err(Error::FileNotFound {
50            path: path.as_ref().to_owned(),
51        })
52    }
53}