-
-
Notifications
You must be signed in to change notification settings - Fork 2.1k
/
Copy pathfile.rs
286 lines (248 loc) · 9.28 KB
/
file.rs
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
use std::fs::File;
use std::io;
use std::io::{BufReader, Cursor, Read, Seek, SeekFrom, Write};
use polars::io::mmap::MmapBytesReader;
use pyo3::exceptions::{PyFileNotFoundError, PyTypeError};
use pyo3::prelude::*;
use pyo3::types::{PyBytes, PyString};
use crate::prelude::resolve_homedir;
#[derive(Clone)]
pub struct PyFileLikeObject {
inner: PyObject,
}
/// Wraps a `PyObject`, and implements read, seek, and write for it.
impl PyFileLikeObject {
/// Creates an instance of a `PyFileLikeObject` from a `PyObject`.
/// To assert the object has the required methods methods,
/// instantiate it with `PyFileLikeObject::require`
pub fn new(object: PyObject) -> Self {
PyFileLikeObject { inner: object }
}
pub fn as_buffer(&self) -> std::io::Cursor<Vec<u8>> {
let data = self.as_file_buffer().into_inner();
std::io::Cursor::new(data)
}
pub fn as_file_buffer(&self) -> Cursor<Vec<u8>> {
let buf = Python::with_gil(|py| {
let bytes = self
.inner
.call_method(py, "read", (), None)
.expect("no read method found");
let bytes: &PyBytes = bytes
.downcast(py)
.expect("Expecting to be able to downcast into bytes from read result.");
bytes.as_bytes().to_vec()
});
Cursor::new(buf)
}
/// Take a Python buffer and extends it lifetime to static.
///
/// # Safety
/// It also returns the bytes PyObject. As long as that object is held, the lifetime is valid
/// as the destructor is not called.
pub unsafe fn as_file_buffer_ref(&self) -> (Cursor<&'static [u8]>, PyObject) {
Python::with_gil(|py| {
let bytes = self
.inner
.call_method(py, "read", (), None)
.expect("no read method found");
let ref_bytes: &PyBytes = bytes
.downcast(py)
.expect("Expecting to be able to downcast into bytes from read result.");
let buf = ref_bytes.as_bytes();
let static_buf = std::mem::transmute::<&[u8], &'static [u8]>(buf);
(Cursor::new(static_buf), bytes)
})
}
/// Same as `PyFileLikeObject::new`, but validates that the underlying
/// python object has a `read`, `write`, and `seek` methods in respect to parameters.
/// Will return a `TypeError` if object does not have `read`, `seek`, and `write` methods.
pub fn with_requirements(
object: PyObject,
read: bool,
write: bool,
seek: bool,
) -> PyResult<Self> {
Python::with_gil(|py| {
if read && object.getattr(py, "read").is_err() {
return Err(PyErr::new::<PyTypeError, _>(
"Object does not have a .read() method.",
));
}
if seek && object.getattr(py, "seek").is_err() {
return Err(PyErr::new::<PyTypeError, _>(
"Object does not have a .seek() method.",
));
}
if write && object.getattr(py, "write").is_err() {
return Err(PyErr::new::<PyTypeError, _>(
"Object does not have a .write() method.",
));
}
Ok(PyFileLikeObject::new(object))
})
}
}
/// Extracts a string repr from, and returns an IO error to send back to rust.
fn pyerr_to_io_err(e: PyErr) -> io::Error {
Python::with_gil(|py| {
let e_as_object: PyObject = e.into_py(py);
match e_as_object.call_method(py, "__str__", (), None) {
Ok(repr) => match repr.extract::<String>(py) {
Ok(s) => io::Error::new(io::ErrorKind::Other, s),
Err(_e) => io::Error::new(io::ErrorKind::Other, "An unknown error has occurred"),
},
Err(_) => io::Error::new(io::ErrorKind::Other, "Err doesn't have __str__"),
}
})
}
impl Read for PyFileLikeObject {
fn read(&mut self, mut buf: &mut [u8]) -> Result<usize, io::Error> {
Python::with_gil(|py| {
let bytes = self
.inner
.call_method(py, "read", (buf.len(),), None)
.map_err(pyerr_to_io_err)?;
let bytes: &PyBytes = bytes
.downcast(py)
.expect("Expecting to be able to downcast into bytes from read result.");
buf.write_all(bytes.as_bytes())?;
bytes.len().map_err(pyerr_to_io_err)
})
}
}
impl Write for PyFileLikeObject {
fn write(&mut self, buf: &[u8]) -> Result<usize, io::Error> {
Python::with_gil(|py| {
let pybytes = PyBytes::new(py, buf);
let number_bytes_written = self
.inner
.call_method(py, "write", (pybytes,), None)
.map_err(pyerr_to_io_err)?;
number_bytes_written.extract(py).map_err(pyerr_to_io_err)
})
}
fn flush(&mut self) -> Result<(), io::Error> {
Python::with_gil(|py| {
self.inner
.call_method(py, "flush", (), None)
.map_err(pyerr_to_io_err)?;
Ok(())
})
}
}
impl Seek for PyFileLikeObject {
fn seek(&mut self, pos: SeekFrom) -> Result<u64, io::Error> {
Python::with_gil(|py| {
let (whence, offset) = match pos {
SeekFrom::Start(i) => (0, i as i64),
SeekFrom::Current(i) => (1, i),
SeekFrom::End(i) => (2, i),
};
let new_position = self
.inner
.call_method(py, "seek", (offset, whence), None)
.map_err(pyerr_to_io_err)?;
new_position.extract(py).map_err(pyerr_to_io_err)
})
}
}
pub trait FileLike: Read + Write + Seek + Sync + Send {}
impl FileLike for File {}
impl FileLike for PyFileLikeObject {}
impl MmapBytesReader for PyFileLikeObject {}
pub enum EitherRustPythonFile {
Py(PyFileLikeObject),
Rust(BufReader<File>),
}
fn no_such_file_err(file_path: &str) -> PyResult<()> {
let msg = if file_path.len() > 88 {
let file_path: String = file_path.chars().skip(file_path.len() - 88).collect();
format!("No such file or directory: ...{file_path}",)
} else {
format!("No such file or directory: {file_path}",)
};
Err(PyErr::new::<PyFileNotFoundError, _>(msg))
}
///
/// # Arguments
/// * `truncate` - open or create a new file.
pub fn get_either_file(py_f: PyObject, truncate: bool) -> PyResult<EitherRustPythonFile> {
Python::with_gil(|py| {
if let Ok(pstring) = py_f.downcast::<PyString>(py) {
let s = pstring.to_str()?;
let file_path = std::path::Path::new(&s);
let file_path = resolve_homedir(file_path);
let f = if truncate {
BufReader::new(File::create(file_path)?)
} else {
match File::open(&file_path) {
Ok(file) => BufReader::new(file),
Err(_e) => {
no_such_file_err(s)?;
unreachable!();
},
}
};
Ok(EitherRustPythonFile::Rust(f))
} else {
let f = PyFileLikeObject::with_requirements(py_f, !truncate, truncate, !truncate)?;
Ok(EitherRustPythonFile::Py(f))
}
})
}
pub fn get_file_like(f: PyObject, truncate: bool) -> PyResult<Box<dyn FileLike>> {
use EitherRustPythonFile::*;
match get_either_file(f, truncate)? {
Py(f) => Ok(Box::new(f)),
Rust(f) => Ok(Box::new(f.into_inner())),
}
}
pub fn get_mmap_bytes_reader<'a>(py_f: &'a PyAny) -> PyResult<Box<dyn MmapBytesReader + 'a>> {
// bytes object
if let Ok(bytes) = py_f.downcast::<PyBytes>() {
Ok(Box::new(Cursor::new(bytes.as_bytes())))
}
// string so read file
else if let Ok(pstring) = py_f.downcast::<PyString>() {
let s = pstring.to_str()?;
let p = std::path::Path::new(&s);
let p = resolve_homedir(p);
let f = match File::open(p) {
Ok(file) => file,
Err(_e) => {
no_such_file_err(s)?;
unreachable!();
},
};
Ok(Box::new(f))
}
// a normal python file: with open(...) as f:.
else if py_f.getattr("read").is_ok() {
// we can still get a file name, inform the user of possibly wrong API usage.
if py_f.getattr("name").is_ok() {
eprintln!("Polars found a filename. \
Ensure you pass a path to the file instead of a python file object when possible for best \
performance.")
}
// a bytesIO
if let Ok(bytes) = py_f.call_method0("getvalue") {
let bytes = bytes.downcast::<PyBytes>()?;
Ok(Box::new(Cursor::new(bytes.as_bytes())))
}
// don't really know what we got here, just read.
else {
let f = Python::with_gil(|py| {
PyFileLikeObject::with_requirements(py_f.to_object(py), true, false, true)
})?;
Ok(Box::new(f))
}
}
// don't really know what we got here, just read.
else {
let f = Python::with_gil(|py| {
PyFileLikeObject::with_requirements(py_f.to_object(py), true, false, true)
})?;
Ok(Box::new(f))
}
}