<!DOCTYPE html>
<html lang="en">
<head>
  <meta charset="UTF-8">
  <meta name="viewport" content="width=device-width, initial-scale=1.0">
  <title>Sword & Poker AI Battle</title>
  <style>
    body {
      font-family: Arial, sans-serif;
      text-align: center;
      background-color: #f4f4f9;
      margin: 0;
      padding: 0;
    }

    #game-container {
      max-width: 600px;
      margin: 0 auto;
      padding: 20px;
    }

    #game-board {
      display: grid;
      grid-template-columns: repeat(5, 50px);
      grid-gap: 5px;
      justify-content: center;
      margin: 20px auto;
    }

    .card {
      width: 50px;
      height: 70px;
      border: 1px solid #000;
      display: flex;
      justify-content: center;
      align-items: center;
      background-color: #fff;
      cursor: pointer;
      font-size: 18px;
      font-weight: bold;
    }

    .spades { color: black; }
    .hearts { color: red; }
    .diamonds { color: orange; }
    .clubs { color: green; }

    #end-turn {
      margin-top: 20px;
      padding: 10px 20px;
      font-size: 16px;
      background-color: #4CAF50;
      color: white;
      border: none;
      cursor: pointer;
    }

    #end-turn:hover {
      background-color: #45a049;
    }

    #log-container, #rules {
      margin-top: 20px;
      text-align: left;
      max-width: 600px;
      background: #fff;
      padding: 10px;
      border: 1px solid #ddd;
    }

    .log {
      margin: 5px 0;
    }

    #rules {
      margin-bottom: 20px;
    }
  </style>
</head>
<body>
  <div id="game-container">
    <h1>Sword & Poker AI Battle</h1>
    <div id="rules">
      <h3>Rules & Damage:</h3>
      <p>- High Card: 1 Damage</p>
      <p>- One Pair: 5 Damage</p>
      <p>- Two Pairs: 10 Damage</p>
      <p>- Three of a Kind: 15 Damage</p>
      <p>- Straight: 20 Damage</p>
      <p>- Flush: 25 Damage</p>
      <p>- Full House: 30 Damage</p>
      <p>- Four of a Kind: 35 Damage</p>
      <p>- Straight Flush: 40 Damage</p>
    </div>
    <p>วิธีเล่น: เลือกไพ่ 5 ใบบนกระดาน แล้วกด "End Turn" เพื่อโจมตีศัตรู</p>
    <div id="player-info">
      <p>Player Health: <span id="player-health">200</span></p>
      <p>AI Health: <span id="ai-health">200</span></p>
    </div>
    <div id="game-board"></div>
    <button id="end-turn" disabled>End Turn</button>
    <div id="log-container">
      <h3>Battle Log:</h3>
      <div id="log"></div>
    </div>
  </div>
  <script>
    const gameBoard = document.getElementById("game-board");
    const playerHealthEl = document.getElementById("player-health");
    const aiHealthEl = document.getElementById("ai-health");
    const logContainer = document.getElementById("log");
    const endTurnButton = document.getElementById("end-turn");

    let playerHealth = 200;
    let aiHealth = 200;
    let selectedCards = [];
    let isPlayerTurn = true;

    const suits = ["♠", "♥", "♦", "♣"];
    const ranks = ["A", "2", "3", "4", "5", "6", "7", "8", "9", "10", "J", "Q", "K"];
    const suitColors = { "♠": "spades", "♥": "hearts", "♦": "diamonds", "♣": "clubs" };

    function createBoard() {
      gameBoard.innerHTML = "";
      for (let i = 0; i < 25; i++) {
        const card = document.createElement("div");
        card.classList.add("card");
        const cardData = getRandomCard();
        card.textContent = cardData.text;
        card.classList.add(suitColors[cardData.suit]);
        card.addEventListener("click", selectCard);
        gameBoard.appendChild(card);
      }
    }

    function getRandomCard() {
      const suit = suits[Math.floor(Math.random() * suits.length)];
      const rank = ranks[Math.floor(Math.random() * ranks.length)];
      return { text: `${rank}${suit}`, suit, rank };
    }

    function selectCard(event) {
      if (!isPlayerTurn) return;
      const card = event.target;
      if (!selectedCards.includes(card) && selectedCards.length < 5) {
        card.style.backgroundColor = "#ddd";
        selectedCards.push(card);
      } else if (selectedCards.includes(card)) {
        card.style.backgroundColor = "";
        selectedCards = selectedCards.filter(c => c !== card);
      }
      endTurnButton.disabled = selectedCards.length !== 5;
    }

    function calculateAttack(cards) {
      const values = cards.map(card => card.textContent.slice(0, -1));
      const suits = cards.map(card => card.textContent.slice(-1));
      const counts = {};
      values.forEach(v => (counts[v] = (counts[v] || 0) + 1));
      const pairs = Object.values(counts).filter(count => count === 2).length;
      const threeOfAKind = Object.values(counts).includes(3);
      const fourOfAKind = Object.values(counts).includes(4);
      const isFlush = suits.every(suit => suit === suits[0]);
      const isStraight =
        values
          .map(v => ranks.indexOf(v))
          .sort((a, b) => a - b)
          .every((v, i, arr) => i === 0 || v - arr[i - 1] === 1);

      if (isStraight && isFlush) return { type: "Straight Flush", damage: 40 };
      if (fourOfAKind) return { type: "Four of a Kind", damage: 35 };
      if (threeOfAKind && pairs > 0) return { type: "Full House", damage: 30 };
      if (isFlush) return { type: "Flush", damage: 25 };
      if (isStraight) return { type: "Straight", damage: 20 };
      if (threeOfAKind) return { type: "Three of a Kind", damage: 15 };
      if (pairs === 2) return { type: "Two Pairs", damage: 10 };
      if (pairs === 1) return { type: "One Pair", damage: 5 };
      return { type: "High Card", damage: 1 };
    }

    function playerTurn() {
      const attack = calculateAttack(selectedCards);
      const selectedCardTexts = selectedCards.map(card => card.textContent).join(", ");
      aiHealth -= attack.damage;
      aiHealthEl.textContent = Math.max(0, aiHealth);
      addLog(`Player used ${attack.type} with cards [${selectedCardTexts}] and dealt ${attack.damage} damage to AI!`);
      selectedCards.forEach(card => card.remove());
      selectedCards = [];
      endTurnButton.disabled = true;

      if (aiHealth <= 0) {
        addLog("Player wins!");
        alert("You win!");
        return;
      }

      checkBoard();
      isPlayerTurn = false;
      setTimeout(aiTurn, 1000);
    }

    function aiTurn() {
      const availableCards = Array.from(gameBoard.children);
      let maxDamage = 0;
      let bestCombo = [];

      const allCombinations = getAllCombinations(availableCards, 5);
      allCombinations.forEach(combo => {
        const attack = calculateAttack(combo);
        if (attack.damage > maxDamage) {
          maxDamage = attack.damage;
          bestCombo = combo;
        }
      });

      const selectedCardTexts = bestCombo.map(card => card.textContent).join(", ");
      bestCombo.forEach(card => card.remove());
      const attack = calculateAttack(bestCombo);
      playerHealth -= attack.damage;
      playerHealthEl.textContent = Math.max(0, playerHealth);
      addLog(`AI used ${attack.type} with cards [${selectedCardTexts}] and dealt ${attack.damage} damage to Player!`);

      if (playerHealth <= 0) {
        addLog("AI wins!");
        alert("AI wins!");
        return;
      }

      checkBoard();
      isPlayerTurn = true;
    }

    function getAllCombinations(array, size) {
      if (size === 1) return array.map(card => [card]);
      const combinations = [];
      array.forEach((card, index) => {
        const smallerCombinations = getAllCombinations(array.slice(index + 1), size - 1);
        smallerCombinations.forEach(smallerCombo => {
          combinations.push([card, ...smallerCombo]);
        });
      });
      return combinations;
    }

    function checkBoard() {
      if (gameBoard.children.length < 5) {
        addLog("The board is empty! Generating new cards...");
        createBoard();
      }
    }

    function addLog(message) {
      const logMessage = document.createElement("div");
      logMessage.classList.add("log");
      logMessage.textContent = message;
      logContainer.appendChild(logMessage);
      logContainer.scrollTop = logContainer.scrollHeight;
    }

    endTurnButton.addEventListener("click", playerTurn);

    createBoard();
  </script>
</body>
</html>
 

HTML Online Editor & Compiler

Write, Run & Share HTML code online using OneCompiler's HTML online Code editor for free. It's one of the robust, feature-rich online Code editor for HTML language, running on the latest version HTML5. Getting started with the OneCompiler's HTML compiler is simple and pretty fast. The editor shows sample boilerplate code when you choose language as HTML. You can also specify the stylesheet information in styles.css tab and scripts information in scripts.js tab and start coding.

About HTML

HTML(Hyper Text Markup language) is the standard markup language for Web pages, was created by Berners-Lee in the year 1991. Almost every web page over internet might be using HTML.

Syntax help

Fundamentals

  • Any HTML document must start with document declaration <!DOCTYPE html>
  • HTML documents begin with <html> and ends with </html>
  • Headings are defined with <h1> to <h6> where <h1> is the highest important heading and <h6> is the least important sub-heading.
  • Paragrahs are defined in <p>..</p> tag.
  • Links are defined in <a> tag.

    Example:

    <a href="https://onecompiler.com/html">HTML online compiler</a>
    
  • Images are defined in <img> tag, where src attribute consists of image name.
  • Buttons are defined in <button>..</button> tag
  • Lists are defined in <ul> for unordered/bullet list and <ol> for ordered/number list, and the list items are defined in <li>.

HTML Elements and Attributes

  • HTML element is everything present from start tag to end tag.
  • The text present between start and end tag is called HTML element content.
  • Anything can be a tagname but it's preferred to put the meaningful title to the content present as tag name.
  • Do not forget the end tag.
  • Elements with no content are called empty elements.
  • Elements can have attributes which provides additional information about the element.
  • In the below example, href is an attribute and a is the tag name.

    Example:

    <a href="https://onecompiler.com/html">HTML online compiler</a>
    

CSS

CSS(cascading style sheets) describes how HTML elements will look on the web page like color, font-style, font-size, background color etc.

Example:

Below is a sample style sheet which displays heading in green and in Candara font with padding space of 25px.

body{
  padding: 25px;
}
.title {
	color: #228B22;
	font-family: Candara;
}

HTML Tables

  • HTML Tables are defined in <table> tag.
  • Table row should be defined in <tr> tag
  • Table header should be defined in <th> tag
  • Table data should be defined in <td> tag
  • Table caption should be defined in <caption> tag

HTML-Javascript

  • Javascript is used in HTML pages to make them more interactive.
  • <script> is the tag used to write scripts in HTML
  • You can either reference a external script or write script code in this tag.

Example

<script src="script.js"></script>