fiux 0.5.2

The fastest multi-format file converter CLI tool
use std::io::{BufWriter, Error, Write};

use resext::{CtxResult, ErrCtx, ResExt};
use toml::{Value, map::Map};

use crate::utils::{DataTypes, WriterStreams, escape, into_byte_record};

#[inline]
pub(crate) fn toml_writer(
    data_stream: WriterStreams<impl Iterator<Item = CtxResult<DataTypes, Error>>>,
    file: std::fs::File,
    parse_numbers: bool,
) -> CtxResult<(), Error> {
    let mut buffered_writer = BufWriter::new(file);

    match data_stream {
        WriterStreams::Values { iter } => {
            for item in iter {
                let obj = Value::try_from(
                    item.context("Failed to re-serialize object for writing").unwrap_or_else(
                        |e: ErrCtx<Error>| {
                            crate::utils::log_err(&e)
                                .unwrap_or_else(|err| eprintln!("{}\n{}", err, &e));
                            DataTypes::Toml(Value::Table(Map::new()))
                        },
                    ),
                )
                .context("Failed to re-serialize object for writing")
                .context("Invalid TOML values in input file")
                .unwrap_or_else(|e: ErrCtx<toml::ser::Error>| {
                    crate::utils::log_err(&e).unwrap_or_else(|err| eprintln!("{}\n{}", err, &e));

                    Value::Table(Map::new())
                });

                if let Value::Array(_) = obj {
                    let mut map = Map::with_capacity(1);
                    map.insert("Array".to_string(), obj);

                    buffered_writer.write_all(toml::to_string_pretty(&Value::Table(map))
                        .map_err(|e| Error::new(std::io::ErrorKind::OutOfMemory, format!("FATAL: Failed to allocate String of valid TOML values for writing\nCaused by: {}", e)))
                        .context("FATAL: Failed to serialize valid TOML table")
                        .context("This error was caused by an internal error")?
                        .as_bytes()
                    )
                        .context("FATAL: Failed to write TOML table into output file")?;
                } else {
                    buffered_writer.write_all(toml::to_string_pretty(&obj)
                        .map_err(|e| Error::new(std::io::ErrorKind::OutOfMemory, format!("FATAL: Failed to allocate String of valid TOML values for writing\nCaused by: {}", e)))
                        .context("FATAL: Failed to serialize valid TOML table")
                        .context("This error was caused by an internal error")?
                        .as_bytes()
                    )
                        .context("FATAL: Failed to write TOML table into output file")?;
                }
            }
            buffered_writer
                .flush()
                .context("FATAL: Failed to flush final bytes into output file")?;
        }
        WriterStreams::Table { headers, iter } => {
            let mut esc_buf: Vec<u8> = Vec::with_capacity(10);

            let headers: Vec<String> = headers
                .iter()
                .map(|h| {
                    let needs_quotes =
                        !h.chars().all(|c| c.is_alphanumeric() || c == '-' || c == '_');

                    if needs_quotes {
                        let escaped = h
                            .replace('\\', "\\\\")
                            .replace('"', "\\\"")
                            .replace('\n', "\\n")
                            .replace('\r', "\\r")
                            .replace('\t', "\\t");
                        format!("\"{}\"", escaped)
                    } else {
                        h.to_string()
                    }
                })
                .collect();

            let mut first_row = true;

            for (line_no, rec) in iter.enumerate() {
                let line_no = line_no + 1;
                if !first_row {
                    buffered_writer.write_all(b"\n[[Rows]]\n").with_context(|| {
                        format!("FATAL: Failed to write array key for row: {}", line_no)
                    })?;
                } else {
                    buffered_writer.write_all(b"[[Rows]]\n").with_context(|| {
                        format!("FATAL: Failed to write array key for row: {}", line_no)
                    })?;
                    first_row = false;
                }

                let record = into_byte_record(rec)
                    .context("Failed to re-serialize object for writing")
                    .unwrap_or_else(|e: ErrCtx<Error>| {
                        crate::utils::log_err(&e)
                            .unwrap_or_else(|err| eprintln!("{}\n{}", err, &e));

                        csv::ByteRecord::with_capacity(0, 0)
                    });

                for (idx, (h, v)) in headers.iter().zip(record.iter()).enumerate() {
                    let idx = idx + 1;

                    esc_buf.clear();

                    if matches!(v, b"true" | b"false")
                        || (parse_numbers
                            && v.first()
                                .is_some_and(|b| *b == b'-' || *b == b'+' || b.is_ascii_digit())
                            && v.last().is_some_and(|b| b.is_ascii_digit())
                            && std::str::from_utf8(v).unwrap_or("").parse::<f64>().is_ok())
                    {
                        esc_buf.extend_from_slice(v);
                    } else {
                        esc_buf.push(b'"');
                        v.iter().for_each(|byte| {
                            escape(*byte, &mut esc_buf);
                        });
                        esc_buf.push(b'"');
                    }
                    buffered_writer.write_all(h.as_bytes()).with_context(|| {
                        format!(
                            "FATAL: Failed to write key for key-value pair: {} in record: {}",
                            idx, line_no
                        )
                    })?;

                    buffered_writer.write_all(b" = ").with_context(|| {
                        format!(
                            "FATAL: Failed to write '=' for key-value pair: {} in record: {}",
                            idx, line_no
                        )
                    })?;

                    buffered_writer.write_all(esc_buf.as_slice()).with_context(|| {
                        format!(
                            "FATAL: Failed to write value for key-value pair: {} in record: {}",
                            idx, line_no
                        )
                    })?;

                    buffered_writer
                        .write_all(b"\n")
                        .context("FATAL: Failed to write a newline into output file")?;
                }
            }

            buffered_writer
                .flush()
                .context("FATAL: Failed to flush final bytes into output file")?;
        }

        WriterStreams::Ndjson { values } => {
            let mut first = true;
            for (rec_no, rec) in values.enumerate() {
                let rec_no = rec_no + 1;

                let obj = Value::try_from(
                    rec.context("Failed to re-serialize object for writing").unwrap_or_else(
                        |e: ErrCtx<Error>| {
                            crate::utils::log_err(&e)
                                .unwrap_or_else(|err| eprintln!("{}\n{}", err, &e));

                            DataTypes::Toml(Value::Table(Map::new()))
                        },
                    ),
                )
                .context("Failed to re-serialize object for writing")
                .context("Invalid TOML values in input file")
                .unwrap_or_else(|e: ErrCtx<toml::ser::Error>| {
                    crate::utils::log_err(&e).unwrap_or_else(|err| eprintln!("{}\n{}", err, &e));

                    Value::Table(Map::new())
                });

                if first {
                    buffered_writer
                        .write_all(b"[[Array]]\n")
                        .with_context(|| format!("FATAL: Failed to write array key: {}", rec_no))?;

                    first = false;
                } else {
                    buffered_writer
                        .write_all(b"\n[[Array]]\n")
                        .with_context(|| format!("FATAL: Failed to write array key: {}", rec_no))?;
                }

                if let Value::Array(_) = obj {
                    let mut map = Map::with_capacity(1);
                    map.insert("Array".to_string(), obj);

                    buffered_writer.write_all(toml::to_string_pretty(&Value::Table(map))
                        .map_err(|e| Error::new(std::io::ErrorKind::OutOfMemory, format!("FATAL: Failed to allocate String of valid TOML values for writing\nCaused by: {}", e)))
                        .context("FATAL: Failed to serialize valid TOML table")
                        .context("This error was caused by an internal error")?
                        .as_bytes()
                    )
                        .context("FATAL: Failed to write TOML table into output file")?;
                } else {
                    buffered_writer.write_all(toml::to_string_pretty(&obj)
                        .map_err(|e| Error::new(std::io::ErrorKind::OutOfMemory, format!("FATAL: Failed to allocate String of valid TOML values for writing\nCaused by: {}", e)))
                        .context("FATAL: Failed to serialize valid TOML table")
                        .context("This error was caused by an internal error")?
                        .as_bytes()
                    )
                        .context("FATAL: Failed to write TOML table into output file")?;
                }

                buffered_writer
                    .flush()
                    .context("FATAL: Failed to flush final bytes into output file")?;
            }
        }
    }

    Ok(())
}