use crate::*;
pub struct Index {
    pub file: Rc<SortedFile>,
    pub cols: Rc<Vec<usize>>,
    pub id: i64,
}
pub type IxList = Vec<Index>;
#[derive(PartialEq, Eq, PartialOrd, Clone, Copy)]
pub enum SaveOp {
    Save,
    RollBack,
}
pub struct Table {
    pub file: Rc<SortedFile>,
    pub info: Rc<ColInfo>,
    pub ixlist: RefCell<IxList>,
    pub id: i64,
    pub id_gen: Cell<Option<i64>>,
    pub id_gen_dirty: Cell<bool>,
}
impl Table {
    pub fn new(id: i64, root_page: u64, id_gen: i64, info: Rc<ColInfo>) -> Rc<Table> {
        let rec_size = info.total;
        let key_size = 8;
        let file = Rc::new(SortedFile::new(rec_size, key_size, root_page));
        let ixlist = RefCell::new(Vec::new());
        Rc::new(Table {
            id,
            file,
            info,
            ixlist,
            id_gen: Cell::new(Some(id_gen)),
            id_gen_dirty: Cell::new(false),
        })
    }
    pub fn save(&self, db: &DB, op: SaveOp) {
        self.file.save(db, op);
        for ix in &*self.ixlist.borrow() {
            ix.file.save(db, op);
        }
    }
    pub fn free_pages(&self, db: &DB) {
        let row = self.row();
        self.file.free_pages(db, &row);
        for ix in &*self.ixlist.borrow() {
            let ixr = IndexRow::new(self, ix.cols.clone(), &row);
            ix.file.free_pages(db, &ixr);
        }
    }
    pub fn insert(&self, db: &DB, row: &mut Row) {
        row.encode(db); self.file.insert(db, row);
        for ix in &*self.ixlist.borrow() {
            let ixr = IndexRow::new(self, ix.cols.clone(), row);
            ix.file.insert(db, &ixr);
        }
    }
    pub fn remove(&self, db: &DB, row: &Row) {
        self.file.remove(db, row);
        for ix in &*self.ixlist.borrow() {
            let ixr = IndexRow::new(self, ix.cols.clone(), row);
            ix.file.remove(db, &ixr);
        }
        row.delcodes(db); }
    pub fn index_from(
        self: &Rc<Table>,
        b: &Block,
        we: &mut Expr,
    ) -> (Option<CExpPtr<bool>>, Option<CTableExpression>) {
        let mut kc = SmallSet::default(); get_known_cols(we, &mut kc);
        let list = &*self.ixlist.borrow();
        let mut best_match = 0;
        let mut best_index = 0;
        for (index, ix) in list.iter().enumerate() {
            let m = covered(&ix.cols, &kc);
            if m > best_match {
                best_match = m;
                best_index = index;
            }
        }
        if best_match > 0 {
            let clist = &list[best_index].cols;
            let mut cols = SmallSet::default();
            for col in clist.iter().take(best_match) {
                cols.insert(*col);
            }
            let mut kmap = BTreeMap::new();
            let cwe = get_keys(b, we, &mut cols, &mut kmap);
            let keys = clist
                .iter()
                .take(best_match)
                .map(|col| kmap.remove(col).unwrap())
                .collect();
            return (
                cwe,
                Some(CTableExpression::IxGet(self.clone(), keys, best_index)),
            );
        }
        if let ExprIs::Binary(op, e1, e2) = &mut we.exp {
            if *op == Token::Equal && e2.is_constant {
                if let ExprIs::ColName(_) = &e1.exp {
                    if e1.col == usize::MAX
                    {
                        return (
                            None,
                            Some(CTableExpression::IdGet(self.clone(), c_int(b, e2))),
                        );
                    }
                }
            }
        }
        (Some(c_bool(b, we)), None)
    }
    pub fn id_get(&self, db: &DB, id: u64) -> Option<(PagePtr, usize)> {
        self.file.get(db, &Id { id })
    }
    pub fn ix_get(&self, db: &DB, key: Vec<Value>, index: usize) -> Option<(PagePtr, usize)> {
        let list = &*self.ixlist.borrow();
        let ix = &list[index];
        let key = IndexKey::new(self, ix.cols.clone(), key, Ordering::Equal);
        if let Some((pp, off)) = ix.file.get(db, &key) {
            let p = pp.borrow();
            let id = util::getu64(&p.data, off);
            let row = Id { id };
            return self.file.get(db, &row);
        }
        None
    }
    pub fn scan(&self, db: &DB) -> Asc {
        self.file.asc(db, Box::new(Zero {}))
    }
    pub fn scan_id(self: &Rc<Table>, db: &DB, id: i64) -> IdScan {
        IdScan {
            table: self.clone(),
            db: db.clone(),
            id,
            done: false,
        }
    }
    pub fn scan_key(self: &Rc<Table>, db: &DB, key: Value, index: usize) -> IndexScan {
        let keys = vec![key];
        self.scan_keys(db, keys, index)
    }
    pub fn scan_keys(self: &Rc<Table>, db: &DB, keys: Vec<Value>, index: usize) -> IndexScan {
        let ixlist = &*self.ixlist.borrow();
        let ix = &ixlist[index];
        let ikey = IndexKey::new(self, ix.cols.clone(), keys.clone(), Ordering::Less);
        let ixa = ix.file.asc(db, Box::new(ikey));
        IndexScan {
            ixa,
            keys,
            cols: ix.cols.clone(),
            table: self.clone(),
            db: db.clone(),
        }
    }
    pub fn add_index(&self, root: u64, cols: Vec<usize>, id: i64) {
        let key_size = self.info.index_key_size(&cols) + 8;
        let file = Rc::new(SortedFile::new(key_size, key_size, root));
        let list = &mut self.ixlist.borrow_mut();
        list.push(Index {
            file,
            cols: Rc::new(cols),
            id,
        });
    }
    pub fn delete_index(&self, db: &DB, ix: usize) {
        let ixlist = &*self.ixlist.borrow();
        let ix = &ixlist[ix];
        let row = self.row();
        let ixr = IndexRow::new(self, ix.cols.clone(), &row);
        ix.file.free_pages(db, &ixr);
    }
    pub fn init_index(&self, db: &DB) {
        let mut row = self.row();
        let ixlist = self.ixlist.borrow();
        let ix = ixlist.last().unwrap();
        for (pp, off) in self.scan(db) {
            let p = pp.borrow();
            row.load(db, &p.data[off..]);
            let ixr = IndexRow::new(self, ix.cols.clone(), &row);
            ix.file.insert(db, &ixr);
        }
    }
    pub fn access<'d, 't>(&'t self, p: &'d Page, off: usize) -> Access<'d, 't> {
        Access::<'d, 't> {
            data: &p.data[off..],
            info: &self.info,
        }
    }
    pub fn write_access<'d, 't>(&'t self, p: &'d mut Page, off: usize) -> WriteAccess<'d, 't> {
        WriteAccess::<'d, 't> {
            data: &mut p.data[off..],
            info: &self.info,
        }
    }
    pub fn row(&self) -> Row {
        Row::new(self.info.clone())
    }
    pub fn get_id_gen(&self, db: &DB) -> i64 {
        if let Some(result) = self.id_gen.get() {
            result
        } else {
            let result = sys::get_id_gen(db, self.id as u64);
            self.id_gen.set(Some(result));
            result
        }
    }
    pub fn alloc_id(&self, db: &DB) -> i64 {
        let result = self.get_id_gen(db);
        self.id_gen.set(Some(result + 1));
        self.id_gen_dirty.set(true);
        result
    }
    pub fn id_allocated(&self, db: &DB, id: i64) {
        if id >= self.get_id_gen(db) {
            self.id_gen.set(Some(id + 1));
            self.id_gen_dirty.set(true);
        }
    }
    #[cfg(feature = "pack")]
    pub fn repack(&self, db: &DB, k: usize) -> i64 {
        let row = self.row();
        if k == 0 {
            self.file.repack(db, &row)
        } else {
            let list = &*self.ixlist.borrow();
            if k <= list.len() {
                let ix = &list[k - 1];
                let ixr = IndexRow::new(self, ix.cols.clone(), &row);
                ix.file.repack(db, &ixr)
            } else {
                -1
            }
        }
    }
    #[cfg(feature = "verify")]
    pub fn get_used(&self, db: &DB, to: &mut HashSet<u64>) {
        self.file.get_used(db, to);
        for ix in &*self.ixlist.borrow() {
            ix.file.get_used(db, to);
        }
    }
} struct Zero {}
impl Record for Zero {
    fn compare(&self, _db: &DB, _data: &[u8]) -> Ordering {
        Ordering::Less
    }
}
pub struct Access<'d, 'i> {
    data: &'d [u8],
    info: &'i ColInfo,
}
impl<'d, 'i> Access<'d, 'i> {
    pub fn int(&self, colnum: usize) -> i64 {
        util::iget(self.data, self.info.off[colnum], self.info.siz(colnum))
    }
    pub fn str(&self, db: &DB, colnum: usize) -> String {
        let off = self.info.off[colnum];
        let size = self.info.siz(colnum);
        let bytes = get_bytes(db, &self.data[off..], size).0;
        String::from_utf8(bytes).unwrap()
    }
    pub fn id(&self) -> u64 {
        util::getu64(self.data, 0)
    }
}
pub struct WriteAccess<'d, 'i> {
    data: &'d mut [u8],
    info: &'i ColInfo,
}
impl<'d, 'i> WriteAccess<'d, 'i> {
    pub fn set_int(&mut self, colnum: usize, val: i64) {
        util::iset(self.data, self.info.off[colnum], val, self.info.siz(colnum));
    }
    pub fn int(&self, colnum: usize) -> i64 {
        util::get(self.data, self.info.off[colnum], self.info.siz(colnum)) as i64
    }
    pub fn id(&self) -> u64 {
        util::getu64(self.data, 0)
    }
}
#[non_exhaustive]
pub struct ColInfo {
    pub name: ObjRef,
    pub colmap: BTreeMap<String, usize>,
    pub colnames: Vec<String>,
    pub typ: Vec<DataType>,
    pub off: Vec<usize>,
    pub total: usize,
}
impl ColInfo {
    pub fn empty(name: ObjRef) -> Self {
        ColInfo {
            name,
            colmap: BTreeMap::new(),
            typ: Vec::new(),
            colnames: Vec::new(),
            off: Vec::new(),
            total: 8,
        }
    }
    pub fn new(name: ObjRef, ct: &[(&str, DataType)]) -> Self {
        let mut result = Self::empty(name);
        for (n, t) in ct {
            result.add((*n).to_string(), *t);
        }
        result
    }
    pub fn add(&mut self, name: String, typ: DataType) -> bool {
        if self.colmap.contains_key(&name) {
            return true;
        }
        let cn = self.typ.len();
        self.typ.push(typ);
        let size = data_size(typ);
        self.off.push(self.total);
        self.total += size;
        self.colnames.push(name.clone());
        self.colmap.insert(name, cn);
        false
    }
    pub(crate) fn add_altered(&mut self, ci: &ColInfo, cnum: usize, actions: &[AlterCol]) -> bool {
        let cname = &ci.colnames[cnum];
        let mut typ = ci.typ[cnum];
        for act in actions {
            match act {
                AlterCol::Drop(name) => {
                    if name == cname {
                        return false;
                    }
                }
                AlterCol::Modify(name, dt) => {
                    if name == cname {
                        if data_kind(typ) != data_kind(*dt) {
                            panic!("Cannot change column data kind");
                        }
                        typ = *dt;
                    }
                }
                _ => {}
            }
        }
        self.add(cname.clone(), typ);
        true
    }
    pub fn get(&self, name: &str) -> Option<&usize> {
        if name == "Id" {
            Some(&usize::MAX)
        } else {
            self.colmap.get(name)
        }
    }
    fn siz(&self, col: usize) -> usize {
        data_size(self.typ[col])
    }
    fn index_key_size(&self, cols: &[usize]) -> usize {
        cols.iter().map(|cnum| self.siz(*cnum)).sum()
    }
} #[non_exhaustive]
pub struct IndexInfo {
    pub tname: ObjRef,
    pub iname: String,
    pub cols: Vec<usize>,
}
#[derive(Clone)]
#[non_exhaustive]
pub struct Row {
    pub id: i64,
    pub values: Vec<Value>,
    pub info: Rc<ColInfo>,
    pub codes: Vec<Code>,
}
impl Row {
    pub fn new(info: Rc<ColInfo>) -> Self {
        let n = info.typ.len();
        let mut result = Row {
            id: 0,
            values: Vec::with_capacity(n),
            info,
            codes: Vec::with_capacity(n),
        };
        for t in &result.info.typ {
            result.values.push(Value::default(*t));
        }
        result
    }
    pub fn encode(&mut self, db: &DB) {
        self.codes.clear();
        for (i, val) in self.values.iter().enumerate() {
            let size = data_size(self.info.typ[i]);
            let u = db.encode(val, size);
            self.codes.push(u);
        }
    }
    pub fn delcodes(&self, db: &DB) {
        for u in &self.codes {
            if u.id != u64::MAX {
                db.delcode(*u);
            }
        }
    }
    pub fn load(&mut self, db: &DB, data: &[u8]) {
        self.values.clear();
        self.codes.clear();
        self.id = util::getu64(data, 0) as i64;
        let mut off = 8;
        for typ in &self.info.typ {
            let (val, code) = Value::load(db, *typ, data, off);
            self.values.push(val);
            self.codes.push(code);
            off += data_size(*typ);
        }
    }
}
impl Record for Row {
    fn save(&self, data: &mut [u8]) {
        util::setu64(data, self.id as u64);
        let t = &self.info;
        let mut off = 8;
        for (i, typ) in t.typ.iter().enumerate() {
            self.values[i].save(*typ, data, off, self.codes[i]);
            off += data_size(*typ);
        }
    }
    fn compare(&self, _db: &DB, data: &[u8]) -> Ordering {
        let id = util::getu64(data, 0) as i64;
        self.id.cmp(&id)
    }
}
pub struct IndexRow {
    tinfo: Rc<ColInfo>,
    cols: Rc<Vec<usize>>,
    keys: Vec<Value>,
    codes: Vec<Code>,
    rowid: i64,
}
impl IndexRow {
    fn new(table: &Table, cols: Rc<Vec<usize>>, row: &Row) -> Self {
        let n = cols.len();
        let mut keys = Vec::with_capacity(n);
        let mut codes = Vec::with_capacity(n);
        if !row.codes.is_empty() {
            for c in &*cols {
                keys.push(row.values[*c].clone());
                codes.push(row.codes[*c]);
            }
        }
        Self {
            tinfo: table.info.clone(),
            cols,
            rowid: row.id,
            keys,
            codes,
        }
    }
    fn load(&mut self, db: &DB, data: &[u8]) {
        self.rowid = util::getu64(data, 0) as i64;
        let mut off = 8;
        for col in &*self.cols {
            let typ = self.tinfo.typ[*col];
            let val = Value::load(db, typ, data, off).0;
            let size = data_size(typ);
            let code = db.encode(&val, size);
            self.keys.push(val);
            self.codes.push(code);
            off += size;
        }
    }
}
impl Record for IndexRow {
    fn compare(&self, db: &DB, data: &[u8]) -> Ordering {
        let mut ix = 0;
        let mut off = 8;
        loop {
            let typ = self.tinfo.typ[self.cols[ix]];
            let val = Value::load(db, typ, data, off).0;
            let cf = val.cmp(&self.keys[ix]);
            if cf != Ordering::Equal {
                return cf;
            }
            ix += 1;
            off += data_size(typ);
            if ix == self.cols.len() {
                let rowid = util::getu64(data, 0) as i64;
                return self.rowid.cmp(&rowid);
            }
        }
    }
    fn save(&self, data: &mut [u8]) {
        util::setu64(data, self.rowid as u64);
        let mut off = 8;
        for (ix, k) in self.keys.iter().enumerate() {
            let typ = self.tinfo.typ[self.cols[ix]];
            k.save(typ, data, off, self.codes[ix]);
            off += data_size(typ);
        }
    }
    fn key(&self, db: &DB, data: &[u8]) -> Box<dyn Record> {
        let n = self.cols.len();
        let mut result = Box::new(IndexRow {
            cols: self.cols.clone(),
            tinfo: self.tinfo.clone(),
            rowid: 0,
            keys: Vec::with_capacity(n),
            codes: Vec::with_capacity(n),
        });
        result.load(db, data);
        result
    }
    fn drop_key(&self, db: &DB, data: &[u8]) {
        let mut off = 8;
        for col in &*self.cols {
            let typ = self.tinfo.typ[*col];
            let code = Value::load(db, typ, data, off).1;
            if code.id != u64::MAX {
                db.delcode(code);
            }
            off += data_size(typ);
        }
    }
}
struct IndexKey {
    tinfo: Rc<ColInfo>,
    cols: Rc<Vec<usize>>,
    key: Vec<Value>,
    def: Ordering,
}
impl IndexKey {
    fn new(table: &Table, cols: Rc<Vec<usize>>, key: Vec<Value>, def: Ordering) -> Self {
        Self {
            tinfo: table.info.clone(),
            key,
            cols,
            def,
        }
    }
}
impl Record for IndexKey {
    fn compare(&self, db: &DB, data: &[u8]) -> Ordering {
        let mut ix = 0;
        let mut off = 8;
        loop {
            if ix == self.key.len() {
                return self.def;
            }
            let typ = self.tinfo.typ[self.cols[ix]];
            let val = Value::load(db, typ, data, off).0;
            let cf = val.cmp(&self.key[ix]);
            if cf != Ordering::Equal {
                return cf;
            }
            ix += 1;
            off += data_size(typ);
        }
    }
}
pub struct IndexScan {
    ixa: Asc,
    table: Rc<Table>,
    db: DB,
    cols: Rc<Vec<usize>>,
    keys: Vec<Value>,
}
impl IndexScan {
    fn keys_equal(&self, data: &[u8]) -> bool {
        let mut off = 8;
        for (ix, k) in self.keys.iter().enumerate() {
            let typ = self.table.info.typ[self.cols[ix]];
            let val = Value::load(&self.db, typ, data, off).0;
            let cf = val.cmp(k);
            if cf != Ordering::Equal {
                return false;
            }
            off += data_size(typ);
        }
        true
    }
}
impl Iterator for IndexScan {
    type Item = (PagePtr, usize);
    fn next(&mut self) -> Option<<Self as Iterator>::Item> {
        if let Some((pp, off)) = self.ixa.next() {
            let p = pp.borrow();
            let data = &p.data[off..];
            if !self.keys_equal(data) {
                return None;
            }
            let id = util::getu64(data, 0);
            return self.table.id_get(&self.db, id);
        }
        None
    }
}
pub struct IdScan {
    id: i64,
    table: Rc<Table>,
    db: DB,
    done: bool,
}
impl Iterator for IdScan {
    type Item = (PagePtr, usize);
    fn next(&mut self) -> Option<<Self as Iterator>::Item> {
        if self.done {
            return None;
        }
        self.done = true;
        self.table.id_get(&self.db, self.id as u64)
    }
}
fn get_known_cols(we: &Expr, kc: &mut SmallSet) {
    match &we.exp {
        ExprIs::Binary(Token::Equal, e1, e2) => {
            if e2.is_constant {
                if let ExprIs::ColName(_) = &e1.exp {
                    kc.insert(e1.col);
                }
            } else if e1.is_constant {
                if let ExprIs::ColName(_) = &e2.exp {
                    kc.insert(e2.col);
                }
            }
        }
        ExprIs::Binary(Token::And, e1, e2) => {
            get_known_cols(e1, kc);
            get_known_cols(e2, kc);
        }
        _ => {}
    }
}
fn covered(clist: &[usize], kc: &SmallSet) -> usize {
    let mut result = 0;
    for &c in clist {
        if !kc.contains(c) {
            break;
        }
        result += 1;
    }
    result
}
fn get_keys(
    b: &Block,
    we: &mut Expr,
    cols: &mut SmallSet,
    keys: &mut BTreeMap<usize, CExpPtr<Value>>,
) -> Option<CExpPtr<bool>> {
    match &mut we.exp {
        ExprIs::Binary(Token::Equal, e1, e2) => {
            if e2.is_constant {
                if let ExprIs::ColName(_) = &e1.exp {
                    if cols.remove(e1.col) {
                        keys.insert(e1.col, c_value(b, e2));
                        return None;
                    }
                }
            } else if e1.is_constant {
                if let ExprIs::ColName(_) = &e2.exp {
                    if cols.remove(e2.col) {
                        keys.insert(e2.col, c_value(b, e1));
                        return None;
                    }
                }
            }
        }
        ExprIs::Binary(Token::And, e1, e2) => {
            let x1 = get_keys(b, e1, cols, keys);
            let x2 = get_keys(b, e2, cols, keys);
            return if let Some(c1) = x1 {
                if let Some(c2) = x2 {
                    Some(Box::new(cexp::And { c1, c2 }))
                } else {
                    Some(c1)
                }
            } else {
                x2
            };
        }
        _ => {}
    }
    Some(c_bool(b, we))
}
pub fn row_compare(a: &[Value], b: &[Value], desc: &[bool]) -> Ordering {
    let mut ix = 0;
    loop {
        let cmp = a[ix].cmp(&b[ix]);
        if cmp != Ordering::Equal {
            if !desc[ix] {
                return cmp;
            };
            return if cmp == Ordering::Less {
                Ordering::Greater
            } else {
                Ordering::Less
            };
        }
        ix += 1;
        if ix == desc.len() {
            return Ordering::Equal;
        }
    }
}