MeiliSearch/src/bin/search.rs

83 lines
2.3 KiB
Rust
Raw Normal View History

use std::io::{self, Write, BufRead};
use std::iter::once;
2020-05-31 16:09:34 +02:00
use std::path::PathBuf;
use std::time::Instant;
2020-05-31 17:48:13 +02:00
use heed::EnvOpenOptions;
2020-07-12 10:55:09 +02:00
use log::debug;
use milli::Index;
2020-07-12 10:55:09 +02:00
use structopt::StructOpt;
2020-05-31 16:09:34 +02:00
#[cfg(target_os = "linux")]
#[global_allocator]
static ALLOC: jemallocator::Jemalloc = jemallocator::Jemalloc;
2020-05-31 16:09:34 +02:00
#[derive(Debug, StructOpt)]
#[structopt(name = "milli-search", about = "A simple search binary for milli project.")]
2020-05-31 16:09:34 +02:00
struct Opt {
/// The database path where the database is located.
/// It is created if it doesn't already exist.
#[structopt(long = "db", parse(from_os_str))]
database: PathBuf,
/// Verbose mode (-v, -vv, -vvv, etc.)
#[structopt(short, long, parse(from_occurrences))]
verbose: usize,
2020-05-31 16:09:34 +02:00
/// The query string to search for (doesn't support prefix search yet).
query: Option<String>,
2020-05-31 16:09:34 +02:00
}
fn main() -> anyhow::Result<()> {
let opt = Opt::from_args();
stderrlog::new()
.verbosity(opt.verbose)
.show_level(false)
.timestamp(stderrlog::Timestamp::Off)
.init()?;
2020-05-31 16:09:34 +02:00
std::fs::create_dir_all(&opt.database)?;
let env = EnvOpenOptions::new()
.map_size(100 * 1024 * 1024 * 1024) // 100 GB
.max_readers(10)
.max_dbs(10)
2020-05-31 16:09:34 +02:00
.open(opt.database)?;
2020-05-31 17:48:13 +02:00
let index = Index::new(&env)?;
2020-05-31 16:09:34 +02:00
let rtxn = env.read_txn()?;
let stdin = io::stdin();
let lines = match opt.query {
Some(query) => Box::new(once(Ok(query.to_string()))),
None => Box::new(stdin.lock().lines()) as Box<dyn Iterator<Item = _>>,
};
for result in lines {
let before = Instant::now();
2020-05-31 16:09:34 +02:00
let query = result?;
2020-07-14 11:51:21 +02:00
let (_, documents_ids) = index.search(&rtxn, &query)?;
let headers = match index.headers(&rtxn)? {
Some(headers) => headers,
None => return Ok(()),
};
let mut stdout = io::stdout();
stdout.write_all(&headers)?;
let documents = index.documents(&rtxn)?.unwrap();
for id in &documents_ids {
let id_bytes = id.to_be_bytes();
if let Some(content) = documents.clone().get(&id_bytes)? {
stdout.write_all(content.as_ref())?;
}
2020-05-31 16:09:34 +02:00
}
2020-07-12 10:55:09 +02:00
debug!("Took {:.02?} to find {} documents", before.elapsed(), documents_ids.len());
}
2020-05-31 16:09:34 +02:00
Ok(())
}