npm package discovery and stats viewer.

Discover Tips

  • General search

    [free text search, go nuts!]

  • Package details

    pkg:[package-name]

  • User packages

    @[username]

Sponsor

Optimize Toolset

I’ve always been into building performant and accessible sites, but lately I’ve been taking it extremely seriously. So much so that I’ve been building a tool to help me optimize and monitor the sites that I build to make sure that I’m making an attempt to offer the best experience to those who visit them. If you’re into performant, accessible and SEO friendly sites, you might like it too! You can check it out at Optimize Toolset.

About

Hi, 👋, I’m Ryan Hefner  and I built this site for me, and you! The goal of this site was to provide an easy way for me to check the stats on my npm packages, both for prioritizing issues and updates, and to give me a little kick in the pants to keep up on stuff.

As I was building it, I realized that I was actually using the tool to build the tool, and figured I might as well put this out there and hopefully others will find it to be a fast and useful way to search and browse npm packages as I have.

If you’re interested in other things I’m working on, follow me on Twitter or check out the open source projects I’ve been publishing on GitHub.

I am also working on a Twitter bot for this site to tweet the most popular, newest, random packages from npm. Please follow that account now and it will start sending out packages soon–ish.

Open Software & Tools

This site wouldn’t be possible without the immense generosity and tireless efforts from the people who make contributions to the world and share their work via open source initiatives. Thank you 🙏

© 2025 – Pkg Stats / Ryan Hefner

@ayshrj/checkers.js

v1.0.3

Published

A TypeScript-based headless Checker game engine for simulating game logic, AI moves, and game state management.

Downloads

19

Readme

@ayshrj/checkers.js

npm npm

@ayshrj/checkers.js is a TypeScript library for playing Checkers (Draughts) with AI and real-time state management. It provides:

  • Full Rules Enforcement: Ensures valid moves, mandatory captures, and king promotions.
  • AI Support: Minimax-based AI for strategic move recommendations.
  • Event-Driven Updates: Uses an event system to notify state changes.
  • Typed Data Structures: Full TypeScript support for safe and reliable development.

Table of Contents


Installation

npm install @ayshrj/checkers.js

or

yarn add @ayshrj/checkers.js

Importing

Import (as ESM)

import { Checkers } from '@ayshrj/checkers.js';

Import (as CommonJS)

const { Checkers } = require('@ayshrj/checkers.js');

Quick Start Example

import { Checkers } from '@ayshrj/checkers.js';

// Initialize a new game
const game = new Checkers();

game.on('stateChange', (state) => {
  console.log('New State:', state.boardStatus);
});

// Make first valid move
const moves = game.getCurrentState().allowedMoves;
if (moves.length > 0) {
  game.move(moves[0]);
}

// Get AI move suggestion and apply it
const best = game.bestMove(3);
if (best) game.move(best);

Features

  1. Rules Enforcement

    • Ensures valid piece movement.
    • Implements forced captures where required.
    • Handles king promotions.
  2. AI Move Suggestions

    • Uses Minimax algorithm to provide best moves.
    • Adjustable depth for AI difficulty.
  3. Event-Driven Updates

    • Emits stateChange event after every move.
    • Helps in real-time UI updates.
  4. Typed Data Structures

    • TypeScript definitions for all game elements.

API

Checkers Class

Methods

  • reset(): Resets the game state to the initial configuration.
  • move(move: CheckersMove): Executes a validated move.
  • bestMove(depth: number): Returns the best AI move using Minimax.
  • getCurrentState(): Returns the current game state, including allowed moves and board setup.

Event Handling

  • stateChange: Triggered after every valid move with the updated game state.
    game.on('stateChange', (state) => {
      console.log(state);
    });

Type Definitions

  • CheckersGameState: Represents the full game state, including the board, turn, and available moves.
  • CheckersMove: Defines a validated move with piece positions.
  • Piece/Position: Represents board components.

Example: React Integration

"use client";

import React, { useEffect, useState } from "react";
import { Checkers, CheckersMove, Piece } from "@ayshrj/checkers.js";

interface Position {
  row: number;
  col: number;
}

const CheckerPage = () => {
  const [checkers, setCheckers] = useState(new Checkers());
  const [board, setBoard] = useState<(Piece | null)[][]>(
    checkers.getCurrentState().board
  );
  const [difficulty, setDifficulty] = useState<2 | 4 | 6>(4);
  const [selectedPos, setSelectedPos] = useState<Position | null>(null);
  const [validMoves, setValidMoves] = useState<CheckersMove[]>([]);
  const [gameStatus, setGameStatus] = useState<string>("Red to move");
  const [botThinking, setBotThinking] = useState(false);
  const [gameMode, setGameMode] = useState<"bot" | "human" | null>(null);
  const [isModalOpen, setIsModalOpen] = useState(false);

  const updateBoard = () => {
    setBoard(checkers.getCurrentState().board.map((row) => [...row]));
    updateGameStatus();
  };

  const updateGameStatus = () => {
    const allowedMoves = checkers.getCurrentState().allowedMoves;
    if (allowedMoves.length === 0) {
      const winner =
        checkers.getCurrentState().turn === "red"
          ? gameMode === "bot"
            ? "Green"
            : "Black"
          : "Red";
      setGameStatus(`Game over! ${winner} wins!`);
    } else {
      setGameStatus(
        `${
          checkers.getCurrentState().turn.charAt(0).toUpperCase() +
          checkers.getCurrentState().turn.slice(1)
        } to move`
      );
    }
  };

  const handleSquareClick = (row: number, col: number) => {
    if (
      botThinking ||
      (gameMode === "bot" && checkers.getCurrentState().turn === "black")
    )
      return;

    const piece = board[row][col];
    if (!selectedPos) {
      if (piece && piece.color === checkers.getCurrentState().turn) {
        setSelectedPos({ row, col });
        const allowedMoves = checkers.getCurrentState().allowedMoves;
        const pieceMoves = allowedMoves.filter(
          (move) => move.from.row === row && move.from.col === col
        );
        setValidMoves(pieceMoves);
      }
    } else {
      const move = validMoves.find((m) => {
        const final = m.path[m.path.length - 1];
        return final.row === row && final.col === col;
      });
      if (move) {
        const moveSuccess = checkers.move(move);
        if (moveSuccess) {
          updateBoard();
          setSelectedPos(null);
          setValidMoves([]);
        }
      } else {
        if (piece && piece.color === checkers.getCurrentState().turn) {
          setSelectedPos({ row, col });
          const allowedMoves = checkers.getCurrentState().allowedMoves;
          const pieceMoves = allowedMoves.filter(
            (move) => move.from.row === row && move.from.col === col
          );
          setValidMoves(pieceMoves);
        } else {
          setSelectedPos(null);
          setValidMoves([]);
        }
      }
    }
  };

  useEffect(() => {
    if (gameMode === "bot" && checkers.getCurrentState().turn === "black") {
      setBotThinking(true);
      setTimeout(() => {
        const best = checkers.bestMove(difficulty);
        if (best) {
          checkers.move(best);
          updateBoard();
        }
        setBotThinking(false);
      }, 500);
    }
  }, [board, gameMode, difficulty]);

  const startNewMatch = (mode: "bot" | "human") => {
    const newCheckers = new Checkers();
    setCheckers(newCheckers);
    setBoard(newCheckers.getCurrentState().board.map((row) => [...row]));
    setSelectedPos(null);
    setValidMoves([]);
    setGameStatus(
      `${
        newCheckers.getCurrentState().turn.charAt(0).toUpperCase() +
        newCheckers.getCurrentState().turn.slice(1)
      } to move`
    );
    setGameMode(mode);
    setIsModalOpen(false);
  };

  const modalStyle: React.CSSProperties = {
    position: "fixed",
    top: "50%",
    left: "50%",
    transform: "translate(-50%, -50%)",
    backgroundColor: "white",
    padding: "20px",
    borderRadius: "8px",
    boxShadow: "0 4px 6px rgba(0, 0, 0, 0.1)",
    zIndex: 1000,
  };

  const buttonStyle: React.CSSProperties = {
    padding: "10px 20px",
    borderRadius: "4px",
    border: "none",
    cursor: "pointer",
    fontSize: "16px",
  };

  return (
    <div
      style={{
        display: "flex",
        flexDirection: "column",
        alignItems: "center",
        padding: "16px",
        height: "100vh",
      }}
    >
      {/* Game Status */}
      <div
        style={{
          width: "100%",
          display: "flex",
          flexDirection: "column",
          gap: "8px",
        }}
      >
        <div style={{ width: "100%", textAlign: "center" }}>
          <div style={{ fontSize: "18px", fontWeight: "500" }}>
            {gameMode === "bot"
              ? gameStatus.replace("Black", "Green").replace("black", "green")
              : gameStatus}
            {botThinking && (
              <span style={{ color: "#0000FF", marginLeft: "8px" }}>
                Bot is thinking...
              </span>
            )}
          </div>
        </div>
        {/* Board */}
        <div
          style={{
            width: "100%",
            aspectRatio: "1/1",
            backgroundColor: "#f0f0f0",
            borderRadius: "8px",
            position: "relative",
          }}
        >
          {/* Files (columns) */}
          <div
            style={{
              position: "absolute",
              top: "0",
              left: "0",
              width: "100%",
              display: "flex",
              justifyContent: "space-around",
              padding: "0 16px",
            }}
          >
            {["a", "b", "c", "d", "e", "f", "g", "h"].map((file) => (
              <div key={file} style={{ fontSize: "12px", opacity: "0.7" }}>
                {file}
              </div>
            ))}
          </div>
          {/* Ranks (rows) */}
          <div
            style={{
              position: "absolute",
              top: "0",
              left: "0",
              height: "100%",
              display: "flex",
              flexDirection: "column",
              justifyContent: "space-around",
              alignItems: "center",
              padding: "16px 0",
            }}
          >
            {[8, 7, 6, 5, 4, 3, 2, 1].map((rank) => (
              <div key={rank} style={{ fontSize: "12px", opacity: "0.7" }}>
                {rank}
              </div>
            ))}
          </div>
          {/* Render the board grid */}
          <div
            style={{
              width: "100%",
              height: "100%",
              display: "grid",
              padding: "16px",
              gridTemplateColumns: "repeat(8, 1fr)",
              gridTemplateRows: "repeat(8, 1fr)",
            }}
          >
            {board.map((row, rowIndex) =>
              row.map((col, colIndex) => {
                const isDarkSquare = (rowIndex + colIndex) % 2 === 1;
                const isSelected =
                  selectedPos &&
                  selectedPos.row === rowIndex &&
                  selectedPos.col === colIndex;
                const isValidMove = validMoves.some((move) => {
                  const final = move.path[move.path.length - 1];
                  return final.row === rowIndex && final.col === colIndex;
                });
                return (
                  <div
                    key={`${rowIndex}-${colIndex}`}
                    style={{
                      width: "100%",
                      height: "100%",
                      borderBottom: "1px solid #ccc",
                      borderRight: "1px solid #ccc",
                      backgroundColor: isDarkSquare ? "#e0e0e0" : "#f8f8f8",
                      border: isSelected ? "4px solid #0000FF" : "none",
                      position: "relative",
                      ...(isValidMove ? { backgroundColor: "#00FF0030" } : {}),
                    }}
                    onClick={() => handleSquareClick(rowIndex, colIndex)}
                  >
                    <div
                      style={{
                        position: "absolute",
                        inset: "0",
                        display: "flex",
                        alignItems: "center",
                        justifyContent: "center",
                      }}
                    >
                      {col && (
                        <div
                          style={{
                            borderRadius: "50%",
                            height: "60%",
                            width: "60%",
                            backgroundColor:
                              col.color === "black" ? "#00FF00" : "#FF0000",
                            position: "absolute",
                          }}
                        >
                          {col.type === "king" && (
                            <div
                              style={{
                                position: "absolute",
                                left: "50%",
                                top: "50%",
                                transform: "translate(-50%, -50%)",
                                height: "50%",
                                width: "50%",
                                backgroundColor: "white",
                              }}
                            />
                          )}
                        </div>
                      )}
                    </div>
                  </div>
                );
              })
            )}
          </div>
        </div>
      </div>
      {/* Controls */}
      <div
        style={{
          display: "flex",
          flexDirection: "column",
          gap: "8px",
          width: "100%",
        }}
      >
        {gameMode === "bot" && (
          <div
            style={{
              display: "flex",
              width: "100%",
              gap: "8px",
              alignItems: "center",
              justifyContent: "space-between",
            }}
          >
            {[
              { value: 2, label: "Easy" },
              { value: 4, label: "Medium" },
              { value: 6, label: "Hard" },
            ].map(({ value, label }) => (
              <button
                key={value}
                style={{
                  ...buttonStyle,
                  width: "33%",
                  backgroundColor: value === difficulty ? "#00FF00" : "#ccc",
                  color: value === difficulty ? "white" : "black",
                }}
                onClick={() => setDifficulty(value as 2 | 4 | 6)}
              >
                {label}
              </button>
            ))}
          </div>
        )}
        <button
          style={{
            ...buttonStyle,
            backgroundColor: "#0000FF",
            color: "white",
            width: "100%",
          }}
          onClick={() => setIsModalOpen(true)}
        >
          Reset
        </button>
      </div>

      {/* Initial Game Mode Selection Modal */}
      {gameMode === null && (
        <div style={modalStyle}>
          <h2 style={{ marginBottom: "16px" }}>Select Game Mode</h2>
          <div
            style={{
              display: "flex",
              justifyContent: "space-around",
              gap: "16px",
            }}
          >
            <button
              style={{
                ...buttonStyle,
                width: "50%",
                backgroundColor: "#00FF00",
                color: "white",
              }}
              onClick={() => startNewMatch("bot")}
            >
              Vs Bot
            </button>
            <button
              style={{
                ...buttonStyle,
                width: "50%",
                backgroundColor: "#00FF00",
                color: "white",
              }}
              onClick={() => startNewMatch("human")}
            >
              Vs Human
            </button>
          </div>
        </div>
      )}

      {/* Reset Game Mode Modal */}
      {isModalOpen && (
        <div style={modalStyle}>
          <h2 style={{ marginBottom: "16px" }}>Reset Game</h2>
          <div
            style={{
              display: "flex",
              justifyContent: "space-around",
              gap: "16px",
            }}
          >
            <button
              style={{
                ...buttonStyle,
                width: "50%",
                backgroundColor: "#00FF00",
                color: "white",
              }}
              onClick={() => startNewMatch("bot")}
            >
              Vs Bot
            </button>
            <button
              style={{
                ...buttonStyle,
                width: "50%",
                backgroundColor: "#00FF00",
                color: "white",
              }}
              onClick={() => startNewMatch("human")}
            >
              Vs Human
            </button>
          </div>
        </div>
      )}
    </div>
  );
};

export default CheckerPage;

License

MIT - Free for commercial and personal use.