Crear un minijuego de perfil de usuario


49

Ayer me topé con algo muy inteligente.

minitech's tic-tac-toe profile game

Sí, esa es una implementación funcional de Tic-Tac-Toe en una página de perfil de usuario, desde @minitech. Por supuesto, en el momento en que lo vi, tuve que hacer ingeniería inversa de su idea y unirlo : P

torres de mellamokb del juego de perfil de hanoi

Aquí está mi propio ejemplo incrustado directamente en la publicación. Es un poco defectuoso debido a un par de detalles de implementación para los que no he encontrado una buena solución. A veces, después de hacer clic en una clavija, no se actualiza correctamente hasta que se actualiza otra página:

Torres de Hanoi

http://hanoi.kurtbachtold.com/hanoi.php/text

http://hanoi.kurtbachtold.com/hanoi.php/1 http://hanoi.kurtbachtold.com/hanoi.php/2 http://hanoi.kurtbachtold.com/hanoi.php/3

Reiniciar

¿Puedes hacerlo mejor?

  • Crea un juego de trabajo en tu respuesta publicada (o en tu página de perfil de usuario). Esto se hace mediante la configuración adecuada de un servidor web de su propiedad (o escribiendo un programa que actúe como un servidor web), e incrustando contenido de él en una publicación, utilizando el árbitro para determinar qué comandos está dando el usuario al juego.
  • La idea más genial (la mayoría de los votos) gana la competencia, por el Día de Canadá (domingo 1 de julio de 2012 a las 11:59 p.m. EST)
  • En caso de empate, la respuesta anterior gana.

1
+1 ¡Idea simple pero brillante! Por cierto, para la fecha límite, creo que te refieres al 2 de junio de 2012.
Cristian Lupascu

Derp, sí, gracias :)
mellamokb

1
@boothby: En realidad estaba pensando en eliminar mi respuesta. La intención era proporcionar un ejemplo concreto, no ganar el concurso (o votos, no me importa mucho el representante). ¿Puedes dar algunas sugerencias constructivas a la competencia? ¿Cuál te gustaría que fuera la fecha límite? ¿Cómo se debe cambiar la especificación para motivarlo a participar?
mellamokb

44
Acabo de notar que la IA de minitech no puede jugar un juego perfecto de tic-tac-toe. Centro de juego, inferior izquierda, superior central, centro derecha, centro-izquierda.
PhiNotPi

1
@ Mr.Wizard: funciona bien en FF 12.0 y Windows 7 aquí, ¿podría publicar más detalles sobre lo que no funciona?
ChristopheD

Respuestas:


27

El juego de la vida de Conway

+1 generación - +5 generaciones - acercar - alejar

Modelo de carga: al azar - planeador - Gunstar - caracol - LWSS - lightspeedoscillator1 - vaso

Salida de Python y SVG utilizada. Al principio he intentado usar píxeles individuales (para que pueda alternar celdas individuales), pero no funcionó, porque el navegador no carga las imágenes en orden. Además, son posibles patrones mucho más grandes sin que mi servidor web se bloquee.

Actualizar:

Me divertí un poco con Python y agregué varias características y mejoras:

  • HUD agregado con conteo de población, zoom y nombre
  • Los patrones en el formato rle ahora se pueden cargar ( lista larga , vía ) usando el patternparámetro (por ejemplo ?pattern=glider). El tamaño del archivo está limitado a 1.5kB
  • Puede reenviar n generaciones, limitado a 5 a la vez, utilizando el nextparámetro
  • Algoritmo ligeramente mejorado. Sin embargo, no es realmente rápido, quiero que esto siga siendo simple
  • Ahora también funciona de forma independiente (usa un referente o su propia cadena de consulta): https://copy.sh/fcgi-bin/life2.py?pattern=gosperglidergun


sessions = {}

WIDTH = 130
HEIGHT = 130
RULE = (3,), (2, 3)

def read_pattern(filename, offset_x, offset_y):

    filename = PATH + filename + '.rle.gz'

    try:
        if os.stat(filename).st_size > 1500:
            return ['pattern too big', set()]
    except OSError as e:
        return ['could not find pattern', set()]

    file = gzip.open(filename)

    x, y = offset_x, offset_y
    name = ''
    pattern_string = ''
    field = []

    for line in file:
        if line[0:2] == '#N':
            name = line[2:-1]
        elif line[0] != '#' and line[0] != 'x':
            pattern_string += line[:-1]

    for count, chr in re.findall('(\d*)(b|o|\$|!)', pattern_string):
        count = int(count) if count else 1

        if chr == 'o':
            for i in range(x, x + count):
                field.append( (i, y) )
            x += count
        elif chr == 'b':
            x += count
        elif chr == '$':
            y += count
            x = offset_x
        elif chr == '!':
            break

    file.close()

    return [name, set(field)]



def next_generation(field, n):

    for _ in range(n):

        map = {}

        for (x, y) in field:
            for (i, j) in ( (x-1, y-1), (x, y-1), (x+1, y-1), (x-1, y), (x+1, y), (x-1, y+1), (x, y+1), (x+1, y+1) ):
                map[i, j] = map[i, j] + 1 if (i, j) in map else 1

        field = [
            (x, y)
            for x in range(0, WIDTH)
            for y in range(0, HEIGHT)
            if (x, y) in map
            if ( (map[x, y] in RULE[1]) if (x, y) in field else (map[x, y] in RULE[0]) )
        ]

    return field


def life(env, start):


    if 'REMOTE_ADDR' in env:
        client_ip = env['REMOTE_ADDR']
    else:
        client_ip = '0'

    if not client_ip in sessions:
        sessions[client_ip] = read_pattern('trueperiod22gun', 10, 10) + [2]

    session = sessions[client_ip]

    if 'HTTP_REFERER' in env:
        query = urlparse.parse_qs(urlparse.urlparse(env['HTTP_REFERER']).query, True)
    elif 'QUERY_STRING' in env:
        query = urlparse.parse_qs(env['QUERY_STRING'], True)
    else:
        query = None

    timing = time.time()

    if query:
        if 'next' in query:
            try:
                count = min(5, int(query['next'][0]))
            except ValueError as e:
                count = 1
            session[1] = set( next_generation(session[1], count) )
        elif 'random' in query:
            session[0:2] = 'random', set([ (random.randint(0, WIDTH), random.randint(0, HEIGHT)) for _ in range(800) ])
        elif 'pattern' in query:
            filename = query['pattern'][0]
            if filename.isalnum():
                session[0:2] = read_pattern(filename, 10, 10)
        elif 'zoomin' in query:
            session[2] += 1
        elif 'zoomout' in query and session[2] > 1:
            session[2] -= 1

    timing = time.time() - timing

    start('200 Here you go', [
        ('Content-Type', 'image/svg+xml'), 
        ('Cache-Control', 'no-store, no-cache, must-revalidate, post-check=0, pre-check=0'), 
        ('Expires', 'Tue, 01 Jan 2000 12:12:12 GMT')
    ])

    pattern_name, field, zoom = session

    yield '<?xml version="1.0" encoding="UTF-8"?>'
    yield '<!DOCTYPE svg PUBLIC "-//W3C//DTD SVG 1.1//EN" "http://www.w3.org/Graphics/SVG/1.1/DTD/svg11.dtd">'
    yield '<svg xmlns="http://www.w3.org/2000/svg" xmlns:xlink="http://www.w3.org/1999/xlink" version="1.1" baseProfile="full" width="400px" height="200px">'
    yield '<!-- finished in %f -->' % timing
    yield '<text x="0" y="10" style="font-size:10px">Population: %d</text>' % len(field)
    yield '<text x="100" y="10" style="font-size:10px">Zoom: %d</text>' % zoom
    yield '<text x="180" y="10" style="font-size:10px; font-weight:700">%s</text>' % pattern_name
    yield '<line x1="0" y1="15" x2="666" y2="15" style="stroke:#000; stroke-width:1px" />'

    for (x, y) in field:
        yield '<rect x="%d" y="%d" width="%d" height="%d"/>' % (zoom * x, zoom * y + 20, zoom, zoom)

    yield '</svg>'


from flup.server.fcgi import WSGIServer
import random
import re
import gzip
import os
import urlparse
import time

WSGIServer(life).run()

Puede tomar mi código como plantilla para futuras presentaciones de python fastcgi.


+1 ¡Impresionante! Una sugerencia: agregue #5946a sus enlaces y volverá a su publicación después de cada actualización.
mellamokb

hmm ... al menos funcionó cuando lo probé ... ah. porque en Towers of Hanoi siempre estás haciendo clic en diferentes clavijas. hmm
mellamokb

@mellamokb funciona, pero ahora no puedes hacer clic en el mismo enlace dos veces
copia

Ya, me acabo de dar cuenta de eso jajaja. Supongo que puede proporcionar un descargo de responsabilidad de que, al hacer la próxima generación, simplemente presione F5 para futuras iteraciones en lugar de hacer clic en el nextenlace una y otra vez después de la primera vez.
mellamokb

1
@mellamokb gracias. En mi opinión, no es necesario que acepte respuestas en esta plataforma, porque parece que el desafío está cerrado
copie el

35

C # - Ahorcado de intercambio de pila

Adivina los nombres de los sitios web de Stack Exchange en este juego del ahorcado:



A B C D E F G H I J K L M N O P Q R S T U V W X Y Z
New game


Esto se hizo usando ASP.NET MVC 3.0 . Aquí está el código del Controllerque hace el truco:

public class HangmanController : Controller
{
    public ActionResult Index()
    {
        var game = Session["hangman"] as HangmanGame ?? HangmanGame.New();

        game = ExecuteGameCommand(game);

        Session["hangman"] = game;

        var imageRenderer = new HangmanImageRenderer(game);
        return new ImageResult(imageRenderer.Render());
    }

    private HangmanGame ExecuteGameCommand(HangmanGame game)
    {
        var referrerQuery = Request.UrlReferrer != null ? Request.UrlReferrer.Query : string.Empty;

        if (referrerQuery.Contains("_new_hangman_"))
            return HangmanGame.New();

        if(game.IsOver())
            return game;

        var chosenLetter = HangmanGame.ValidLetters
            .FirstOrDefault(letter => referrerQuery.Contains(String.Format("_hangman_{0}_", letter)));

        if (chosenLetter != default(char))
            game.RegisterGuess(chosenLetter);

        return game;
    }
}

Aparte de este código, hay tres clases más que no he incluido, ya que son bastante largas y directas:

  • HangmanGame - aquí es donde se implementan las reglas comerciales del juego
  • HangmanImageRenderer - la clase que encapsula toda la fealdad de GDI
  • ImageResult- una costumbre ActionResultque se utiliza para devolver una imagen generada dinámicamente

El listado completo de códigos está disponible en http://pastebin.com/ccwZLknX


+1 Wow, ustedes son geniales :). ¡Me gustan las ideas hasta ahora!
mellamokb

Genial, nunca he oído hablar de appharbor.com. ¿Realmente estás pagando para recibir tu respuesta?
mellamokb

@mellamokb no, estoy usando el plan de alojamiento gratuito de Appharbor. Si se hace mucho clic, supongo que tendré que pagar ... :)
Cristian Lupascu

2
Si fuera necesario, mencionaría que puedo proporcionar alojamiento de subdominio personalizado y acceso FTP a mi sitio de alojamiento.
mellamokb

@mellamokb gracias, pero creo que este hosting servirá. Solo bromeaba sobre muchos clics. :)
Cristian Lupascu

19

Clojoban! [WIP]

Quería hacer un juego más grande de esto para aprender Clojure , así que me llevó un tiempo lograrlo (y me hice bastante grande). ¡Me divertí mucho haciéndolo, por cierto!

Clojoban! Restart levelNew game

. .

- No-op*

. .

** (haga clic aquí si el juego no responde) *

Instrucciones

Eres Robby Robby, un robot trabajador. Trabajas en un FlipCo Industriescomo un transportador de carga pesada. Su trabajo es mover cada uno box Una cajaa un goal Una metagasto con la menor cantidad de pasos posible. FlipCoLas instalaciones son PELIGROSAS . Hay muchos desafíos y lugares especiales para descubrir.

Si te quedas atascado, haz clic Restart level(¡pero tu conteo de pasos no se restablecerá!)


También puedes jugar en la página principal de Clojoban (aunque arruina el propósito del desafío). Soluciona el problema del ancla infame, no requiere cookies de sitios cruzados y puedes jugar con las teclas de flecha del teclado. También puedes jugar en mi página de perfil de usuario sin el molesto problema del ancla.

En Firefox, la imagen no parpadea mientras se carga, por lo que es un poco más cómoda de jugar.

Este juego está LEJOS de completarse, Clojoban todavía es un trabajo en progreso . Puede ver el código fuente completo en la página del proyecto GitHub de Clojoban . Hay información en el archivo README sobre cómo contribuir . ¡También necesito niveles! Vea el formato de nivel en los niveles de ejemplo . ¡Puedes echar un vistazo al rastreador de problemas de Clojoban y ver lo que viene después!


Ahora tu reputación es 11 :)
mellamokb

@mellamokb gracias! El juego está incrustado ahora :)
Álvaro Cuesta

Aparentemente esto no recibió mucha atención. ¿Algún consejo para mejorar?
Álvaro Cuesta

Su respuesta es buena, creo que esta pregunta en general se ha estancado. No he visto mucha actividad o votos en los últimos días.
mellamokb

Ese es un gran juego! Creo que deberías hacer una versión independiente; Llegué al tercer nivel y me libré de presionar el botón No-op. :) De todos modos, ¡buen trabajo!
Cristian Lupascu

17

Laberinto

http://phpshizzle.t15.org/sogolf_maze/maze.php -
New Noop button

Empecé desde el generador de laberintos PHP que encontré aquí: http://dev.horemag.net/2008/03/01/php-maze-generation-class/ .

EDITAR : cambió la salida a PNG en lugar de SVG (para una mejor compatibilidad entre navegadores).

EDIT 2: se agregó un encabezado para corregir la compatibilidad de cookies de IE. Ahora debería funcionar correctamente en todos los principales navegadores.

La imagen no se actualiza si toma la misma dirección dos veces (debido a los enlaces de anclaje). Presione F5 la segunda vez, o juegue el laberinto en mi perfil de stackoverflow .

EDITAR 3: se agregó un botón sin operación para poder tomar la misma dirección dos veces fácilmente (ver comentarios a continuación).

<?php
// based upon the maze generator by Evgeni Vasilev (PHP Adaptation)
// see http://dev.horemag.net/2008/03/01/php-maze-generation-class/
class Maze
{
  var $maze = array();
  var $mx = 0;
  var $my = 0;
  var $xplayer = 1;
  var $yplayer = 1;

  function Maze($mx, $my)
  {
    $mx +=2;
    $my +=2;
    $this->mx = $mx;
    $this->my = $my;
    $dx = array( 0, 0, -1, 1 );
    $dy = array( -1, 1, 0, 0 );
    $todo = array(); 
    $todonum = 0;

    for ($x = 0; $x < $mx; ++$x){
      for ($y = 0; $y < $my; ++$y){
        if ($x == 0 || $x == $mx-1 || $y == 0 || $y == $my-1) {
          $this->maze[$x][$y] = 32;
        } else {
          $this->maze[$x][$y] = 63;
        }
      }
    }
    $x = rand(1, $mx-2); $y = rand(1, $my-2);
    $x = 1; $y = 1;
    $this->maze[$x][$y] &= ~48;
    for ($d = 0; $d < 4; ++$d){
      if (($this->maze[$x + $dx[$d]][$y + $dy[$d]] & 16) != 0) {
        $todo[$todonum++] = (($x + $dx[$d]) << 16) | ($y + $dy[$d]);
        $this->maze[$x + $dx[$d]][$y + $dy[$d]] &= ~16;
      }
    }

    while ($todonum > 0) {
      $n = rand(0, $todonum-1);
      $x = $todo[$n] >> 16;
      $y = $todo[$n] & 65535;
      $todo[$n] = $todo[--$todonum];
      do {
        $d = rand(0, 3);
      } while (($this->maze[$x + $dx[$d]][$y + $dy[$d]] & 32) != 0);
      $this->maze[$x][$y] &= ~((1 << $d) | 32);
      $this->maze[$x + $dx[$d]][$y + $dy[$d]] &= ~(1 << ($d ^ 1));
      for ($d = 0; $d < 4; ++$d){
        if (($this->maze[$x + $dx[$d]][$y + $dy[$d]] & 16) != 0) {
          $todo[$todonum++] = (($x + $dx[$d]) << 16) | ($y + $dy[$d]);
          $this->maze[$x + $dx[$d]][$y + $dy[$d]] &= ~16;
        }
      }
    }
    $this->maze[1][1] &= ~1;
    $this->maze[$mx-2][$my-2] &= ~2;
  }

  function _drawLine($img,$color, $x1, $y1, $x2, $y2)
  {
    imageline($img, $x1, $y1, $x2, $y2, $color);
  }

  function _drawPlayer($img, $x, $y, $r, $colorborder, $colorfill)
  {
    imagefilledellipse($img, $x, $y, $r, $r, $colorfill);
    imageellipse($img, $x, $y, $r, $r, $colorborder);
  }

  function _drawWin($img, $color)
  {
    imagestring($img, 5, 170, 90, "YOU WIN!", $color);
  }

  function movePlayerDown()
  {
    if ($this->yplayer+1 < $this->my-1 && ($this->maze[$this->xplayer][$this->yplayer] & 2) == 0)
    $this->yplayer++;
  }

  function movePlayerUp()
  {
    if ($this->yplayer-1 > 0 && ($this->maze[$this->xplayer][$this->yplayer] & 1) == 0)
      $this->yplayer--;
  }

  function movePlayerRight()
  {
    if ($this->xplayer+1 < $this->mx-1 && ($this->maze[$this->xplayer][$this->yplayer] & 8) == 0)
      $this->xplayer++;
  }  

  function movePlayerLeft()
  {
    if ($this->xplayer-1 > 0 && ($this->maze[$this->xplayer][$this->yplayer] & 4) == 0)
      $this->xplayer--;
  }  

  function renderImage($xs, $ys)
  {
    $off = 0;
    $w = ($this->mx*$xs)+($off*2); $h = ($this->my*$ys)+($off*2);
    $img = imagecreatetruecolor($w, $h);
    imagesetthickness($img, 2);
    $fg = imagecolorallocate($img, 0, 0, 0);
    $bg = imagecolorallocate($img, 248, 248, 248);
    $red = imagecolorallocate($img, 255, 0, 0);
    imagefill($img, 0, 0, $bg);
    if (($this->xplayer == $this->mx-2) && ($this->yplayer == $this->my-2)) {
      $this->_drawWin($img, $red);
      return $img;
    }

    for ($y = 1; $y < $this->my-1; ++$y) {
      for ($x = 1; $x < $this->mx-1; ++$x){
        if (($this->maze[$x][$y] & 1) != 0)
          $this->_drawLine ($img, $fg, $x * $xs + $off, $y * $ys + $off, $x * $xs + $xs + $off, $y * $ys + $off);
        if (($this->maze[$x][$y] & 2) != 0)
          $this->_drawLine ($img, $fg, $x * $xs + $off, $y * $ys + $ys + $off, $x * $xs + $xs + $off, $y * $ys + $ys + $off);
        if (($this->maze[$x][$y] & 4) != 0)
          $this->_drawLine ($img, $fg, $x * $xs + $off, $y * $ys + $off, $x * $xs + $off, $y * $ys + $ys + $off);
        if (($this->maze[$x][$y] & 8) != 0)
          $this->_drawLine ($img, $fg, $x * $xs + $xs + $off, $y * $ys + $off, $x * $xs + $xs + $off, $y * $ys + $ys + $off);
        if ($x == $this->xplayer && $y == $this->yplayer) {
          $this->_drawPlayer ($img, $x * $xs + ($xs/2), $y * $ys + ($ys/2), 14, $fg, $red);
        }
      }
    }
    return $img;
  }
}
header('P3P: CP="CURa ADMa DEVa PSAo PSDo OUR BUS UNI PUR INT DEM STA PRE COM NAV OTC NOI DSP COR"');
session_start();
$orig_url = $_SERVER['HTTP_REFERER'];
if (!isset($_SESSION['maze']) || strpos($orig_url, 'resetmaze')){
    $_SESSION['maze'] = new Maze(25,10);
}
$maze = $_SESSION['maze'];
if (strpos($orig_url, 'playerdown')) { $maze->movePlayerDown(); }
if (strpos($orig_url, 'playerup')) { $maze->movePlayerUp(); }
if (strpos($orig_url, 'playerright')) { $maze->movePlayerRight(); }
if (strpos($orig_url, 'playerleft')) { $maze->movePlayerLeft(); }
$img = $maze->renderImage(16,16);
header("Content-Type: image/png");
imagepng($img);
imagedestroy($img);
?>

1
+1 Nice! para una mejor experiencia, agregue #answer-6171al final de sus enlaces. De lo contrario, nadie tendrá suficiente paciencia para resolver el laberinto.
Cristian Lupascu

@ W0lf: Gracias. Pensé en incluir los #enlaces, pero el problema es que no actualizan la página cuando tomas la misma dirección dos veces (lo que puede suceder en un laberinto ;-). Los he agregado ahora para que las personas tengan que presionar F5 la segunda vez que quieran tomar la misma dirección. Otra opción es jugarlo aquí (mi perfil SO: stackoverflow.com/users/81179/christophed )
ChristopheD

Me gustaría un simple enlace sin operación (¿actualizar?) Para facilitar la actualización al intentar mover dos veces en la misma dirección :)
kaoD

@kaoD: Sin las partes de anclaje ( #) que saltan a la respuesta correcta a la pregunta (internamente, sin actualización de página), una actualización de página simple funcionaría bien (como puede ver en mi perfil vinculado donde el mismo laberinto también está disponible) . Pero el problema sería que se encontraría en la parte superior de la página después de cada actualización. El verdadero problema es que estamos realmente limitados en lo que podemos incluir en una respuesta aquí en StackOverflow (por una buena razón, por supuesto), no podemos usar Javascript arbitrario, por ejemplo. No tengo idea de una salida fácil.
ChristopheD

Todavía puedes tener el ancla e irá directamente a tu publicación, pero con una URL diferente (lo que permitirá un juego correcto). Encuentro el método F5 torpe.
kaoD

14

Ajedrez Pokémon para 2 jugadores [Trabajo en progreso]

Porque es más divertido de esta manera. Próximamente algún día: IA, cuadrícula isométrica y sombras.

http://minite.ch/chess/?i=1 http://minite.ch/chess/?i=2 http://minite.ch/chess/?i=3 http://minite.ch/ ajedrez /? i = 4 http://minite.ch/chess/?i=5 http://minite.ch/chess/?i=6 http://minite.ch/chess/?i=7 http: //minite.ch/chess/?i=8 
http://minite.ch/chess/?i=9 http://minite.ch/chess/?i=10 http://minite.ch/chess/ ? i = 11 http://minite.ch/chess/?i=12 http://minite.ch/chess/?i=13 http://minite.ch/chess/?i=14 http: // minite.ch/chess/?i=15 http://minite.ch/chess/?i=16 
http://minite.ch/chess/?i=17 http://minite.ch/chess/?i = 18 http://minite.ch/chess/?i=19 http://minite.ch/chess/?i=20 http://minite.ch/chess/?i=21http://minite.ch/chess/?i=22 http://minite.ch/chess/?i=23 http://minite.ch/chess/?i=24 
http://minite.ch/ ajedrez /? i = 25 http://minite.ch/chess/?i=26 http://minite.ch/chess/?i=27 http://minite.ch/chess/?i=28 http: //minite.ch/chess/?i=29 http://minite.ch/chess/?i=30 http://minite.ch/chess/?i=31 http://minite.ch/chess/ ? i = 32 
http://minite.ch/chess/?i=33 http://minite.ch/chess/?i=34 http://minite.ch/chess/?i=35 http: // minite.ch/chess/?i=36 http://minite.ch/chess/?i=37 http://minite.ch/chess/?i=38 http://minite.ch/chess/?i = 39 http://minite.ch/chess/?i=40 
http://minite.ch/chess/?i=41http://minite.ch/chess/?i=42 http://minite.ch/chess/?i=43 http://minite.ch/chess/?i=44 http://minite.ch/ ajedrez /? i = 45 http://minite.ch/chess/?i=46 http://minite.ch/chess/?i=47 http://minite.ch/chess/?i=48 
http: //minite.ch/chess/?i=49 http://minite.ch/chess/?i=50 http://minite.ch/chess/?i=51 http://minite.ch/chess/ ? i = 52 http://minite.ch/chess/?i=53 http://minite.ch/chess/?i=54 http://minite.ch/chess/?i=55 http: // minite.ch/chess/?i=56 
http://minite.ch/chess/?i=57 http://minite.ch/chess/?i=58 http://minite.ch/chess/?i = 59 http://minite.ch/chess/?i=60 http://minite.ch/chess/?i=61http://minite.ch/chess/?i=62 http://minite.ch/chess/?i=63 http://minite.ch/chess/?i=64

No en passant o enroque, lo siento. Detección de jaque mate / chequeo / estancamiento a implementar. Sprites desde aquí: http://floatzel.net/pokemon/black-white/sprites/

Aquí está la fuente:

<?php
session_start();

function kick() {
    header("Status: Forbidden\r\n", true, 403);
    header("Content-Type: text/plain\r\n");
    die('Go away.');
}

function isEnemy($item) {
    return $item !== -1 && $item & 8;
}

function iValidMoves($board, $type, $x, $y) {
    $results = array();

    switch($type) {
        case 0:
            # Pawn
            if($board[$y - 1][$x] === -1) {
                $results[] = array($x, $y - 1);

                if($y == 6 && $board[$y - 2][$x] === -1) $results[] = array($x, $y - 2);
            }

            if($x > 0 && isEnemy($board[$y - 1][$x - 1])) $results[] = array($x - 1, $y - 1);
            if($x < 7 && isEnemy($board[$y - 1][$x + 1])) $results[] = array($x + 1, $y - 1);

            break;
        case 1:
            # King
            if($x > 0 && $board[$y][$x - 1] & 8) $results[] = array($x - 1, $y);
            if($x > 0 && $y > 0 && $board[$y - 1][$x - 1] & 8) $results[] = array($x - 1, $y - 1);
            if($x > 0 && $y < 7 && $board[$y + 1][$x - 1] & 8) $results[] = array($x - 1, $y + 1);
            if($x < 7 && $board[$y][$x + 1] & 8) $results[] = array($x + 1, $y);
            if($x < 7 && $y > 0 && $board[$y - 1][$x + 1] & 8) $results[] = array($x + 1, $y - 1);
            if($x < 7 && $y < 7 && $board[$y + 1][$x + 1] & 8) $results[] = array($x + 1, $y + 1);
            if($y > 0 && $board[$y - 1][$x] & 8) $results[] = array($x, $y - 1);
            if($y < 7 && $board[$y + 1][$x] & 8) $results[] = array($x, $y + 1);

            break;
        case 2:
            # Queen
            # Downwards diagonal
            for($d = 1; $x + $d < 8 && $y + $d < 8; $d++) {
                if($board[$y + $d][$x + $d] & 8) {
                    $results[] = array($x + $d, $y + $d);

                    if($board[$y + $d][$x + $d] !== -1) break;
                } else {
                    break;
                }
            }

            for($d = -1; $x + $d >= 0 && $y + $d >= 0; $d--) {
                if($board[$y + $d][$x + $d] & 8) {
                    $results[] = array($x + $d, $y + $d);

                    if($board[$y + $d][$x + $d] !== -1) break;
                } else {
                    break;
                }
            }

            # Upwards diagonal
            for($d = 1; $x + $d < 8 && $y - $d >= 0; $d++) {
                if($board[$y - $d][$x + $d] & 8) {
                    $results[] = array($x + $d, $y - $d);

                    if($board[$y - $d][$x + $d] !== -1) break;
                } else {
                    break;
                }
            }

            for($d = -1; $x + $d >= 0 && $y - $d < 8; $d--) {
                if($board[$y - $d][$x + $d] & 8) {
                    $results[] = array($x + $d, $y - $d);

                    if($board[$y - $d][$x + $d] !== -1) break;
                } else {
                    break;
                }
            }

            # Horizontal
            for($d = 1; $x + $d < 8; $d++) {
                if($board[$y][$x + $d] & 8) {
                    $results[] = array($x + $d, $y);

                    if($board[$y][$x + $d] !== -1) break;
                } else {
                    break;
                }
            }

            for($d = -1; $x + $d >= 0; $d--) {
                if($board[$y][$x + $d] & 8) {
                    $results[] = array($x + $d, $y);

                    if($board[$y][$x + $d] !== -1) break;
                } else {
                    break;
                }
            }

            # Vertical
            for($d = 1; $y + $d < 8; $d++) {
                if($board[$y + $d][$x] & 8) {
                    $results[] = array($x, $y + $d);

                    if($board[$y + $d][$x] !== -1) break;
                } else {
                    break;
                }
            }

            for($d = -1; $y + $d >= 0; $d--) {
                if($board[$y + $d][$x] & 8) {
                    $results[] = array($x, $y + $d);

                    if($board[$y + $d][$x] !== -1) break;
                } else {
                    break;
                }
            }

            break;
        case 3:
            # Bishop
            # Downwards diagonal
            for($d = 1; $x + $d < 8 && $y + $d < 8; $d++) {
                if($board[$y + $d][$x + $d] & 8) {
                    $results[] = array($x + $d, $y + $d);

                    if($board[$y + $d][$x + $d] !== -1) break;
                } else {
                    break;
                }
            }

            for($d = -1; $x + $d >= 0 && $y + $d >= 0; $d--) {
                if($board[$y + $d][$x + $d] & 8) {
                    $results[] = array($x + $d, $y + $d);

                    if($board[$y + $d][$x + $d] !== -1) break;
                } else {
                    break;
                }
            }

            # Upwards diagonal
            for($d = 1; $x + $d < 8 && $y - $d >= 0; $d++) {
                if($board[$y - $d][$x + $d] & 8) {
                    $results[] = array($x + $d, $y - $d);

                    if($board[$y - $d][$x + $d] !== -1) break;
                } else {
                    break;
                }
            }

            for($d = -1; $x + $d >= 0 && $y - $d < 8; $d--) {
                if($board[$y - $d][$x + $d] & 8) {
                    $results[] = array($x + $d, $y - $d);

                    if($board[$y - $d][$x + $d] !== -1) break;
                } else {
                    break;
                }
            }

            break;
        case 4:
            # Knight
            if($x > 1 && $y > 0 && $board[$y - 1][$x - 2] & 8) $results[] = array($x - 2, $y - 1);
            if($x > 0 && $y > 1 && $board[$y - 2][$x - 1] & 8) $results[] = array($x - 1, $y - 2);
            if($x < 7 && $y > 1 && $board[$y - 2][$x + 1] & 8) $results[] = array($x + 1, $y - 2);
            if($x < 6 && $y > 0 && $board[$y - 1][$x + 2] & 8) $results[] = array($x + 2, $y - 1);
            if($x < 6 && $y < 7 && $board[$y + 1][$x + 2] & 8) $results[] = array($x + 2, $y + 1);
            if($x < 7 && $y < 6 && $board[$y + 2][$x + 1] & 8) $results[] = array($x + 1, $y + 2);
            if($x > 0 && $y < 6 && $board[$y + 2][$x - 1] & 8) $results[] = array($x - 1, $y + 2);
            if($x > 1 && $y < 7 && $board[$y + 1][$x - 2] & 8) $results[] = array($x - 2, $y + 1);

            break;
        case 5:
            # Rook
            # Horizontal
            for($d = 1; $x + $d < 8; $d++) {
                if($board[$y][$x + $d] & 8) {
                    $results[] = array($x + $d, $y);

                    if($board[$y][$x + $d] !== -1) break;
                } else {
                    break;
                }
            }

            for($d = -1; $x + $d >= 0; $d--) {
                if($board[$y][$x + $d] & 8) {
                    $results[] = array($x + $d, $y);

                    if($board[$y][$x + $d] !== -1) break;
                } else {
                    break;
                }
            }

            # Vertical
            for($d = 1; $y + $d < 8; $d++) {
                if($board[$y + $d][$x] & 8) {
                    $results[] = array($x, $y + $d);

                    if($board[$y + $d][$x] !== -1) break;
                } else {
                    break;
                }
            }

            for($d = -1; $y + $d >= 0; $d--) {
                if($board[$y + $d][$x] & 8) {
                    $results[] = array($x, $y + $d);

                    if($board[$y + $d][$x] !== -1) break;
                } else {
                    break;
                }
            }

            break;
    }

    return $results;
}

function invertRelationship($piece) {
    return $piece === -1 ? -1 : $piece ^ 8;
}

function invertPosition($position) {
    return array($position[0], 7 - $position[1]);
}

function invertBoard($board) {
    $invertedBoard = array();

    for($i = 7; $i > -1; $i--) {
        $invertedBoard[] = array_map('invertRelationship', $board[$i]);
    }

    return $invertedBoard;
}

function validMoves($x, $y) {
    global $board;

    $type = $board[$y][$x];

    if($type & 8) {
        return array_map('invertPosition', iValidMoves(invertBoard($board), $type & ~8, $x, 7 - $y));
    } else {
        return iValidMoves($board, $type, $x, $y);
    }
}

function shouldHighlight($x, $y) {
    global $highlight;

    foreach($highlight as $position) {
        if($position[0] == $x && $position[1] == $y) {
            return true;
        }
    }

    return false;
}

if(isset($_SESSION['board'])) {
    $board = $_SESSION['board'];
} else {
    $board = array(
        array(5 | 8, 4 | 8, 3 | 8, 1 | 8, 2 | 8, 3 | 8, 4 | 8, 5 | 8),
        array(0 | 8, 0 | 8, 0 | 8, 0 | 8, 0 | 8, 0 | 8, 0 | 8, 0 | 8),
        array(-1, -1, -1, -1, -1, -1, -1, -1),
        array(-1, -1, -1, -1, -1, -1, -1, -1),
        array(-1, -1, -1, -1, -1, -1, -1, -1),
        array(-1, -1, -1, -1, -1, -1, -1, -1),
        array(0, 0, 0, 0, 0, 0, 0, 0),
        array(5, 4, 3, 1, 2, 3, 4, 5)
    );
}

$back = array(
    imagecreatefrompng('back/16.png'),  # pawn
    imagecreatefrompng('back/6.png'),   # king
    imagecreatefrompng('back/149.png'), # queen
    imagecreatefrompng('back/37.png'),  # bishop
    imagecreatefrompng('back/25.png'),  # knight
    imagecreatefrompng('back/75.png')   # rook
);

$front = array(
    imagecreatefrompng('front/16.png'),     # pawn
    imagecreatefrompng('front/6.png'),      # king
    imagecreatefrompng('front/149.png'),    # queen
    imagecreatefrompng('front/37.png'),     # bishop
    imagecreatefrompng('front/25.png'),     # knight
    imagecreatefrompng('front/75.png')      # rook
);

$image = $_GET['i'];

if(ctype_digit($image)) {
    $image = (int)$image;
} else {
    kick();
}

if($image < 1 || $image > 64) {
    kick();
}

$highlight = array();

$referrer = $_SERVER['HTTP_REFERER'];
$action = null;

if(strpos($referrer, '?a=') > -1) {
    $action = substr($referrer, strpos($referrer, '?a=') + 3);
}

if($action !== null && $image === 1) { # Only do this once!
    if(!ctype_digit($action)) kick();
    $action = (int)$action;

    if($action < 1 || $action > 64) kick();

    $aX = ($action - 1) % 8;
    $aY = floor(($action - 1) / 8);

    if(isset($_SESSION['selected'])) {
        if($_SESSION['selected'] !== $action) {
            # Make sure the piece can actually move there.
            # If it can, move.
            # "Highlight" the places that the piece can move:
            $highlight = validMoves(($_SESSION['selected'] - 1) % 8, floor(($_SESSION['selected'] - 1) / 8));

            if(shouldHighlight($aX, $aY)) {
                # The move is good!
                $sX = ($_SESSION['selected'] - 1) % 8;
                $sY = floor(($_SESSION['selected'] - 1) / 8);
                $board[$aY][$aX] = $board[$sY][$sX];
                $board[$sY][$sX] = -1;

                # Now, rotate the board for the next person to play:
                $invertedBoard = invertBoard($board);
                $rotatedBoard = array();

                foreach($invertedBoard as $row) {
                    for($i = 0; $i < 4; $i++) {
                        $row[$i] ^= $row[7 - $i];
                        $row[7 - $i] ^= $row[$i];
                        $row[$i] ^= $row[7 - $i];
                    }

                    $rotatedBoard[] = $row;
                }

                $board = $rotatedBoard;
            }
        }

        unset($_SESSION['selected']);
    } elseif(($board[$aY][$aX] & 8) === 0) {
        # Select a piece:
        $_SESSION['selected'] = $action;
    }
}

if(isset($_SESSION['selected'])) {
    # Highlight the places that the piece can move:
    $highlight = validMoves(($_SESSION['selected'] - 1) % 8, floor(($_SESSION['selected'] - 1) / 8));
}

# Draw the background:
$background = imagecreatetruecolor(96, 96);
$black = imagecolorallocate($background, 0, 0, 0);
$white = imagecolorallocate($background, 255, 255, 255);
$red = imagecolorallocatealpha($background, 255, 0, 0, 100);

if(($image + floor(($image - 1) / 8)) % 2) {
    imagefilledrectangle($background, 0, 0, 96, 96, $black);
} else {
    imagefilledrectangle($background, 0, 0, 96, 96, $white);
}

# Draw a piece, if there is one:
$piece = $board[floor(($image - 1) / 8)][($image - 1) % 8];

if($piece > -1) {
    if($piece & 8) {
        $piece &= ~8;
        $draw = $front[$piece];
    } else {
        $draw = $back[$piece];
    }

    imagecopy($background, $draw, 0, 0, 0, 0, 96, 96);
}

# Should we highlight this place?
if(shouldHighlight(($image - 1) % 8, floor(($image - 1) / 8))) {
    imagefilledrectangle($background, 0, 0, 96, 96, $red);
}

header("Content-Type: image/png\r\n");

imagepng($background);

$_SESSION['board'] = $board;
?>

¡Me encanta esto, pero los dos lados deberían ser Pokémon diferentes!
MrZander

Muy agradable. Me gusta que la mesa gire siempre que cambie el turno.
Cristian Lupascu

1
Y en PHP, +1 para juegos PHP: p
Event_Horizon

1
@hhh: No, agrega parámetros a la misma página y genera las imágenes en el servidor marcando el Refererencabezado.
Ry-

55
:-(. Tus sprites han muerto.
Justin

10

Juego "Simon dice"

Desafortunadamente, no pude recibir esta presentación a tiempo para la fecha límite (algo arbitraria), pero realmente quería demostrar la animación en un juego de perfil de usuario de este tipo, y ninguna de las presentaciones anteriores está animada. Este juego es un clon del clásico juego de Milton Bradley Simon , en el que el jugador intenta repetir una secuencia de señales cada vez más larga.

La información sobre este juego, incluido su código fuente, está disponible en su página de GitHub . Puede haber ocasionales fallas gráficas ocasionales (especialmente en computadoras con Windows) que surgen de la "animación de paleta" que evita la necesidad de una biblioteca de dibujo de gráficos. La existencia de estos problemas técnicos puede servir como una excusa útil para perder rápidamente este juego debido a la terrible memoria.

Además, los efectos de alta latencia y ancho de banda limitado pueden hacer que este juego sea mucho más desafiante que el original también. Creo que para obtener más de cinco puntos (cuando el juego se acelera por primera vez), deberá determinar qué luz parpadea una vez más que en la ronda anterior en lugar de depender de la secuencia correcta (lo cual es muy difícil hacer).

Si este juego no funciona para usted (se reinicia cada vez que hace clic en un botón), su navegador podría estar bloqueando su cookie. Todavía no he agregado una solución alternativa, por lo tanto, por el momento, use Chrome, Opera o Firefox o cambie temporalmente la configuración de cookies de Internet Explorer o Safari.

Editar 2018-05-24: En este momento, he eliminado la instancia de Heroku de acceso público de esta aplicación. Puedo o no volver a poner la aplicación en línea más adelante. El código de la aplicación todavía está disponible en GitHub, por lo que puede ejecutarlo localmente o crear su propia instancia de la aplicación Heroku si desea jugar el juego.


+1 ¡Eso es absolutamente brillante! Nunca pensé en hacer
gif

2

Piedra Papel tijeras

Todos los enlaces van a mi página de perfil para mayor velocidad.

El juego

Al usar nuestro sitio, usted reconoce que ha leído y comprende nuestra Política de Cookies y Política de Privacidad.
Licensed under cc by-sa 3.0 with attribution required.