| Crates.io | zipit |
| lib.rs | zipit |
| version | 0.4.0 |
| created_at | 2021-11-15 22:22:45.969406+00 |
| updated_at | 2023-08-30 22:17:24.17615+00 |
| description | Create and stream zip archives on the fly |
| homepage | https://github.com/scotow/zipit |
| repository | https://github.com/scotow/zipit |
| max_upload_size | |
| id | 482368 |
| size | 52,378 |
🗄️ Create and stream a zip archive into an AsyncWrite 🗄️
zipit = "0.3"
Content-Length before streaming).AsyncRead / AsyncWrite compatible. Enable either the futures-async-io or the tokio-async-io feature accordingly.Write a zip archive to the file system using tokio::fs::File:
use std::io::Cursor;
use tokio::fs::File;
use zipit::{Archive, FileDateTime};
#[tokio::main]
async fn main() {
let file = File::create("archive.zip").await.unwrap();
let mut archive = Archive::new(file);
archive.append(
"file1.txt".to_owned(),
FileDateTime::now(),
&mut Cursor::new(b"hello\n".to_vec()),
).await.unwrap();
archive.append(
"file2.txt".to_owned(),
FileDateTime::now(),
&mut Cursor::new(b"world\n".to_vec()),
).await.unwrap();
archive.finalize().await.unwrap();
}
Stream a zip archive as a hyper response:
use std::io::Cursor;
use hyper::{header, Body, Request, Response, Server, StatusCode};
use tokio::io::duplex;
use tokio_util::io::ReaderStream;
use zipit::{archive_size, Archive, FileDateTime};
async fn zip_archive(_req: Request<Body>) -> Result<Response<Body>, hyper::http::Error> {
let (filename_1, mut fd_1) = (String::from("file1.txt"), Cursor::new(b"hello\n".to_vec()));
let (filename_2, mut fd_2) = (String::from("file2.txt"), Cursor::new(b"world\n".to_vec()));
let archive_size = archive_size([
(filename_1.as_ref(), fd_1.get_ref().len()),
(filename_2.as_ref(), fd_2.get_ref().len()),
]);
let (w, r) = duplex(4096);
tokio::spawn(async move {
let mut archive = Archive::new(w);
archive
.append(
filename_1,
FileDateTime::now(),
&mut fd_1,
)
.await
.unwrap();
archive
.append(
filename_2,
FileDateTime::now(),
&mut fd_2,
)
.await
.unwrap();
archive.finalize().await.unwrap();
});
Response::builder()
.status(StatusCode::OK)
.header(header::CONTENT_LENGTH, archive_size)
.header(header::CONTENT_TYPE, "application/zip")
.body(Body::wrap_stream(ReaderStream::new(r)))
}