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
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
//! Module for the implementation and definition of a move to be played.
use templates::*;
use std::fmt;

// A move needs 16 bits to be stored
//
// bit  0- 5: destination square (from 0 to 63)
// bit  6-11: origin square (from 0 to 63)
// bit 12-13: promotion piece type - 2 (from KNIGHT-2 to QUEEN-2)
// bit 14-15: special move flag: promotion (1), en passant (2), castling (3)
// NOTE: EN-PASSANT bit is set only when a pawn can be captured
//
// Special cases are MOVE_NONE and MOVE_NULL. We can sneak these in because in
// any normal move destination square is always different from origin square
// while MOVE_NONE and MOVE_NULL have the same origin and destination square.

// x??? --> Promotion bit
// ?x?? --> Capture bit
// ??xx --> flaf Bit

// 0000  ===> Quiet move
// 0001  ===> Double Pawn Push
// 0010  ===> King Castle
// 0011  ===> Queen Castle
// 0100  ===> Capture
// 0101  ===> EP Capture
// 0110  ===>
// 0111  ===>
// 1000  ===> Knight Promotion
// 1001  ===> Bishop Promo
// 1010  ===> Rook   Promo
// 1011  ===> Queen  Capture  Promo
// 1100  ===> Knight Capture  Promotion
// 1101  ===> Bishop Capture  Promo
// 1110  ===> Rook   Capture  Promo
// 1111  ===> Queen  Capture  Promo


// Castles have the src as the king bit and the dst as the rook

static SRC_MASK: u16 = 0b0000_000000_111111;
static DST_MASK: u16 = 0b0000_111111_000000;
static PR_MASK: u16 = 0b1000_000000_000000;
static CP_MASK: u16 = 0b0100_000000_000000;
static FLAG_MASK: u16 = 0b1111_000000_000000;
static SP_MASK: u16 = 0b0011_000000_000000;

/// Represents a singular move. 
///
/// A [BitMove] consists of 16 bits, all of which to include a source square, destination square,
/// and special move-flags to differentiate types of moves. 
///
/// A BitMove should never be created directly, but rather instigated with a [PreMoveInfo]. This is because
/// the bits are in a special order, and manually creating moves risks creating an invalid move.
#[derive(Copy, Clone, PartialEq, Eq)]
pub struct BitMove {
    data: u16,
}

/// Selected Meta-Data to accompany each move.
#[derive(Copy, Clone, PartialEq)]
pub enum MoveFlag {
    Promotion { capture: bool, prom: Piece },
    Castle { king_side: bool },
    DoublePawnPush,
    Capture { ep_capture: bool },
    QuietMove,
}

/// A Subset of MoveGlag, used to determine the overall classfication of a move.
#[derive(Copy, Clone, PartialEq, Debug)]
pub enum MoveType {
    Promotion,
    Castle,
    EnPassant,
    Normal,
}

/// Useful pre-incoding of a move's information before it is compressed into a BitMove struct.
#[derive(Copy, Clone, PartialEq)]
pub struct PreMoveInfo {
    pub src: SQ,
    pub dst: SQ,
    pub flags: MoveFlag,
}

impl fmt::Display for BitMove {
    fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
        write!(f, "{}", self.stringify())
    }
}


// https://chessprogramming.wikispaces.com/Encoding+Moves
impl BitMove {

    /// Creates a new BitMove from raw bits.
    ///
    /// # Safety
    ///
    /// Using this method cannot gaurntee that the move is legal. The input bits must be encoding a legal
    /// move, or else there is Undefined Behavior if the resulting BitMove is used.
    pub fn new(input: u16) -> BitMove {
        BitMove { data: input }
    }

    /// Creates a BitMove from a [PreMoveInfo].
    pub fn init(info: PreMoveInfo) -> BitMove {
        let src = info.src as u16;
        let dst = (info.dst as u16) << 6;
        let flags = info.flags;
        let flag_bits: u16 = match flags {
            MoveFlag::Promotion { capture, prom } => {
                let p_bit: u16 = match prom {
                    Piece::R => 2,
                    Piece::B => 1,
                    Piece::N => 0,
                    Piece::Q | _ => 3,
                };
                let cp_bit = if capture { 4 } else { 0 };
                p_bit + cp_bit + 8
            }
            MoveFlag::Capture { ep_capture } => {
                if ep_capture {
                    5
                } else {
                    4
                }
            }
            MoveFlag::Castle { king_side } => {
                if king_side {
                    2
                } else {
                    3
                }
            }
            MoveFlag::DoublePawnPush => 1,
            MoveFlag::QuietMove => 0,
        };
        BitMove { data: (flag_bits << 12) | src | dst }
    }

    /// Creates a Null Move.
    ///
    /// # Safety
    ///
    /// A Null move is never a valid move to play. Using a Null move should onl be used for search and
    /// evaluation purposes. 
    pub fn null() -> Self {
        BitMove { data: 0 }
    }

    /// Returns if a [BitMove] is a Null Move.
    ///
    /// See [BitMove::null()] for more information on Null moves.
    pub fn is_null(&self) -> bool {
        self.data == 0
    }

    /// Returns if a [BitMove] captures an opponent's piece.
    #[inline(always)]
    pub fn is_capture(&self) -> bool {
        ((self.data & CP_MASK) >> 14) == 1
    }

    /// Returns if a [BitMove] is a Quiet Move, meaning it is not any of the following: a capture, promotion, castle, or double pawn push.
    #[inline(always)]
    pub fn is_quiet_move(&self) -> bool {
        ((self.data & FLAG_MASK) >> 12) == 0
    }

    /// Returns if a [BitMove] is a promotion.
    #[inline(always)]
    pub fn is_promo(&self) -> bool {
        (self.data & PR_MASK) != 0
    }

    /// Returns the destination of a [BitMove].
    #[inline(always)]
    pub fn get_dest(&self) -> SQ {
        ((self.data & DST_MASK) >> 6) as u8
    }

    /// Returns the source square of a [BitMove].
    #[inline(always)]
    pub fn get_src(&self) -> SQ {
        (self.data & SRC_MASK) as u8
    }

    /// Returns if a [BitMove] is a castle.
    #[inline(always)]
    pub fn is_castle(&self) -> bool {
        ((self.data & FLAG_MASK) >> 13) == 1
    }

    /// Returns if a [BitMove] is a Castle && it is a KingSide Castle.
    #[inline(always)]
    pub fn is_king_castle(&self) -> bool {
        ((self.data & FLAG_MASK) >> 12) == 2
    }

    /// Returns if a [BitMove] is a Castle && it is a QueenSide Castle.
    #[inline(always)]
    pub fn is_queen_castle(&self) -> bool {
        ((self.data & FLAG_MASK) >> 12) == 3
    }

    /// Returns if a [BitMove] is an enpassant capture.
    #[inline(always)]
    pub fn is_en_passant(&self) -> bool {
        (self.data & FLAG_MASK) >> 12 == 5
    }

    /// Returns if a [BitMove] is a double push, and if so returns the Destination square as well.
    #[inline(always)]
    pub fn is_double_push(&self) -> (bool, u8) {
        let is_double_push: u8 = ((self.data & FLAG_MASK) >> 12) as u8;
        match is_double_push {
            1 => (true, self.get_dest() as u8),
            _ => (false, 64),
        }
    }

    // TODO: Return as Row / Coloumn Enums.

    #[inline(always)]
    pub fn dest_row(&self) -> u8 {
        ((self.data & DST_MASK) >> 6) as u8 / 8
    }

    #[inline(always)]
    pub fn dest_col(&self) -> u8 {
        ((self.data & DST_MASK) >> 6) as u8 % 8
    }
    #[inline(always)]
    pub fn src_row(&self) -> u8 {
        (self.data & SRC_MASK) as u8 / 8
    }
    #[inline(always)]
    pub fn src_col(&self) -> u8 {
        (self.data & SRC_MASK) as u8 % 8
    }

    /// Returns the Promotion Piece of a [BitMove].
    ///
    /// # Safety
    ///
    /// Method should only be used if the [BitMove] is a promotion. Otherwise, Undefined Behavior may result.
    #[inline(always)]
    pub fn promo_piece(&self) -> Piece {
        match (self.data >> 12) & 0b0011 {
            0 => Piece::N,
            1 => Piece::B,
            2 => Piece::R,
            3 | _ => Piece::Q,
        }
    }

    /// Returns the [MoveType] of a [BitMove].
    #[inline(always)]
    pub fn move_type(&self) -> MoveType {
        if self.is_castle() {
            return MoveType::Castle;
        }
        if self.is_promo() {
            return MoveType::Promotion;
        }
        if self.is_en_passant() {
            return MoveType::EnPassant;
        }
        MoveType::Normal
    }

    /// Returns a String representation of a [BitMove]
    ///
    /// Format goes "Source Square, Destination Square, (Promo Piece)". Moving a Queen from A1 to B8
    /// will stringify to "a1b8". If there is a pawn promotion involved, the piece promoted to will be
    /// appended to the end of the string, alike "a7a8q" in the case of a queen promotion
    pub fn stringify(&self) -> String {
        let src = parse_sq(self.get_src());
        let dst = parse_sq(self.get_dest());
        let mut s = format!("{}{}", src, dst);
        if self.is_promo() {
            let char = match self.promo_piece() {
                Piece::B => 'b',
                Piece::N => 'n',
                Piece::R => 'r',
                Piece::Q => 'q',
                _ => unreachable!(),
            };
            s.push(char);
        }
        s
    }

    /// Returns the raw number represenation of the move.
    pub fn get_raw(&self) -> u16 {
        self.data
    }
}