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
// imports

// [[file:~/Workspace/Programming/gchemol-rs/parser/parser.note::*imports][imports:1]]
use std::io::{BufRead, BufReader, Read};
use std::path::Path;

// use crate::common::*;
// use crate::old::*;
use crate::*;

// Indicating the end of streaming
const MAGIC_EOF: &str = "####---MAGIC_END_OF_FILE---####";

// Indicating the end of streaming
fn eof(s: &str) -> nom::IResult<&str, &str> {
    nom::bytes::complete::tag(MAGIC_EOF)(s)
}
// imports:1 ends here

// base

// [[file:~/Workspace/Programming/gchemol-rs/parser/parser.note::*base][base:1]]
#[deprecated(note = "To be removed for performance issue")]
/// A stream parser for large text file
pub struct TextParser {
    /// The buffer size in number of lines
    buffer_size: usize,
}

impl TextParser {
    /// Construct a text parser with buffer size `n`
    pub fn new(n: usize) -> Self {
        TextParser {
            buffer_size: n,
            ..Default::default()
        }
    }
}

/// General interface for parsing a large text file
impl Default for TextParser {
    fn default() -> Self {
        TextParser { buffer_size: 1000 }
    }
}
// base:1 ends here

// core

// [[file:~/Workspace/Programming/gchemol-rs/parser/parser.note::*core][core:1]]
impl TextParser {
    /// Entry point for parsing a text file
    ///
    /// # Parameters
    /// - parser: nom parser
    ///
    /// # Panics
    /// - panics if `file` doesnot exist.
    ///
    pub fn parse_file<R: AsRef<Path>, F, P>(&self, file: R, parser: F) -> impl Iterator<Item = P>
    where
        F: Fn(&str) -> nom::IResult<&str, P>,
    {
        let fp = std::fs::File::open(file.as_ref()).expect("a file to parse");
        self.parse(fp, parser)
    }

    /// Entry point for parsing from text stream
    ///
    /// # Parameters
    /// - parser: nom parser
    ///
    pub fn parse<R: Read, F, P>(&self, r: R, parser: F) -> impl Iterator<Item = P>
    where
        F: Fn(&str) -> nom::IResult<&str, P>,
    {
        let mut reader = BufReader::with_capacity(1024 * 1024 * 100, r);

        let mut i = 0;
        let mut eof = false;
        let mut remained = String::new();
        let nlines = self.buffer_size;
        std::iter::from_fn(move || {
            loop {
                // i += 1;
                // dbg!(i);
                // 1. parse/consume the chunk until we get Incomplete error
                for _ in 0..nlines {
                    match reader.read_line(&mut remained) {
                        Ok(n) if n == 0 => {
                            eof = true;
                            break;
                        }
                        Err(e) => {
                            eprintln!("Failed to read line: {:?}", e);
                            return None;
                        }
                        Ok(_) => {}
                    }
                }
                if eof {
                    remained.push_str(MAGIC_EOF);
                }

                let chunk = &remained;
                match parser(chunk) {
                    // 1.1 success parsed one part
                    Ok((rest, part)) => {
                        // dbg!(rest);
                        // avoid infinite loop
                        debug_assert!(rest.len() < chunk.len());

                        // update the chunk stream with the rest
                        remained = rest.to_owned();

                        // collect the parsed value
                        return Some(part);
                    }

                    // 1.2 the chunk is incomplete.
                    //
                    // `Incomplete` means the nom parser does not have enough
                    // data to decide, so we wait for the next refill and then
                    // retry parsing
                    Err(nom::Err::Incomplete(_)) => {
                        remained = chunk.to_owned();
                        if eof {
                            eprintln!("always incompelete???");
                            return None;
                        }
                    }

                    // 1.3 found parse errors, just ignore it and continue
                    Err(nom::Err::Error(err)) => {
                        if !eof {
                            eprintln!("found parsing error: {:?}", err);
                            eprintln!("the context lines: {}", chunk);
                        }
                        return None;
                    }

                    // 1.4 found serious errors
                    Err(nom::Err::Failure(err)) => {
                        eprintln!("found parser failure: {:?}", err);
                        return None;
                    }
                }
                if eof {
                    eprintln!("done");
                    return None;
                }
            }
        })
    }
}

/// Return an iterator over every n lines from `r`
fn read_chunk<R: Read>(r: R, nlines: usize) -> impl Iterator<Item = String> {
    let mut reader = BufReader::new(r);

    std::iter::from_fn(move || {
        let mut chunk = String::new();
        for _ in 0..nlines {
            match reader.read_line(&mut chunk) {
                Ok(n) if n == 0 => {
                    break;
                }
                Err(e) => {
                    eprintln!("Failed to read line: {:?}", e);
                    return None;
                }
                Ok(_) => {}
            }
        }

        if chunk.is_empty() {
            None
        } else {
            Some(chunk)
        }
    })
}
// core:1 ends here