Grid-Routing Battle


22

NOTA: questa sfida è attualmente morta, poiché non riesco a installare le lingue necessarie per eseguire una partita. Se qualcun altro ha il tempo e l'interesse per farlo, non sono contrario.

Vedi il fondo del post per una classifica.

Questa è una sfida semi cooperativa del re della collina, in cui i robot costruiscono percorsi attraverso un grafico a griglia bidimensionale. Il bot che controlla i nodi con più traffico è il vincitore. Tuttavia, sono necessarie più risorse di un bot per creare effettivamente un percorso di connessione, quindi i robot dovranno lavorare insieme - in una certa misura.

gameplay

Di seguito, N > 0sia il numero di robot in gioco.

La griglia

Il gioco si gioca su una griglia intera bidimensionale di dimensioni , la cui coordinata in basso a sinistra è a . Ciascuna coordinata con ha archi uscenti alle tre coordinate , e sopra di esso, dove i -coordinates sono presi modulo . Ciò significa che la griglia si avvolge ai bordi est e ovest. Ogni coordinata inferiore è una sorgente e ogni coordinata superiore è un sink .⌊4/3N2⌋ × ⌊4/3N2(0,0)(x,y)0 ≤ y < ⌊4/3N2⌋-1(x-1,y+1)(x,y+1)(x+1,y+1)x⌊4/3N2(x,0)(x,⌊4/3N2⌋-1)

L'immagine seguente mostra una 8 × 8griglia.

Una griglia 8x8.

Ogni vertice del grafico è inattivo , attivo o interrotto . Tutti i vertici iniziano inattivi e possono essere attivati ​​dai robot, che saranno quindi i loro proprietari. Inoltre, i robot possono rompere i vertici e non possono essere riparati.

Ordine di svolta

Una svolta consiste in una fase di distruzione e una fase di attivazione . Nella fase di distruzione, ogni bot può rompere un vertice inattivo. Quel vertice è rotto da allora in poi e non può essere attivato da nessuno. Nella fase di attivazione, ciascun bot può attivare un vertice inattivo. Da quel momento in poi, possiedono quel vertice e non può essere riattivato da nessun altro. Più robot possono possedere un singolo vertice, se tutti lo attivano nello stesso turno. In ogni fase, le selezioni dei vertici vengono eseguite contemporaneamente.

punteggio

Un round dura esattamente per turni. Dopo questo, il round viene segnato come segue. Da ciascun vertice della sorgente attiva, eseguiamo volte una ricerca di profondità randomizzata prima sui vertici attivi (nel senso che i figli di ciascun vertice sono visitati in un ordine casuale). Se viene trovato un percorso dalla sorgente a qualche sink, quindi per tutti i vertici lungo quel percorso, ogni proprietario del vertice ottiene un punto.N2N

L'intero gioco dura 100 round e il bot con il maggior numero di punti è il vincitore. Potrei aumentare questo numero, se la varianza dei punteggi è troppo alta.

Regole aggiuntive

  • Nessun pasticcio con il controller o altri invii.
  • Al massimo un invio per concorrente.
  • Nessuna risorsa esterna, tranne un file di testo privato, è stata ripulita all'inizio del gioco.
  • Non progettare il tuo bot per battere o supportare avversari specifici.
  • Fornisci comandi per compilare ed eseguire il tuo bot. Qualsiasi compilatore / interprete disponibile gratuitamente per Debian Linux è accettabile.

Il controller

Il controller è scritto in Python 3 e può essere trovato in GitHub . Vedere il file README per istruzioni dettagliate. Ecco un'API per iniziare:

  • I robot vengono avviati all'inizio di ogni round e persistono fino alla fine del round. Comunicano con il controller tramite STDIN e STDOUT, utilizzando messaggi con terminazione di nuova riga.
  • BEGIN [num-of-bots] [num-of-turns] [side-length] viene inserito all'inizio.
  • DESTROY [turn]viene inserito all'inizio di ogni fase di distruzione. Il tuo bot risponderà con o VERTEX x,yper scegliere un vertice oppure NONE.
  • BROKEN [turn] [your-choice] [other-choices]viene inserito alla fine di ogni fase di distruzione. L'ordine degli altri robot viene randomizzato all'inizio di ogni gioco, ma rimane fisso durante esso. Le scelte sono presentate come x,yo N.
  • ACTIVATE [turn]e OWNED [turn] [your-choice] [other-choices]sono gli equivalenti di quanto sopra per la fase di attivazione e hanno la stessa semantica.
  • SCORE [your-score] [other-scores] viene inserito alla fine del gioco.
  • Il tuo bot ha 1 secondo per analizzare i risultati di una fase e scegliere il vertice successivo e 1 secondo per uscire dopo aver dato il punteggio. Metterò alla prova le osservazioni sul mio laptop relativamente vecchio, quindi è meglio lasciare un po 'di margine qui.

Ricordarsi di svuotare il buffer di output. In caso contrario, il controller potrebbe bloccarsi in alcuni ambienti.

Classifica

Aggiornato il 13/03/2015

Peacemaker è attivo e funzionante e anche Funnelweb ha ricevuto un aggiornamento. I punteggi sono aumentati di un ordine di grandezza. Il connettore ha superato il limite di tempo in due giochi.

Funnelweb: 30911
Connector: 18431
Watermelon: 3488
Annoyance: 1552
Explorer: 735
Checkpoint: 720
Random Builder: 535
FaucetBot: 236
Peacemaker: 80

Il registro completo con grafica ASCII è disponibile nel repository del controller, in graphical_log.txt.

Alcune osservazioni:

  • Il connettore può essere facilmente interrotto rompendo un singolo vertice di fronte. Ho il sospetto che spesso la seccatura lo faccia. Tuttavia, attualmente ha poco senso perché solo Connector può concepibilmente costruire un percorso.
  • L'anguria può ottenere un punteggio decente semplicemente trovandosi su un percorso di collegamento (poiché è molto probabile che il DFS utilizzi i suoi vertici).
  • A Explorer piace coltivare viti dalle angurie.
  • Il Funnelweb aggiornato ottiene punteggi davvero buoni, dal momento che Connector solitamente si aggancia su di esso nella metà inferiore della griglia.
  • I giochi stanno diventando piuttosto lunghi, il round medio impiega circa 25 secondi sulla mia macchina.

1
@Alex Ho provato a progettare la sfida in modo che i robot suicidi non rovinino tutto. Tre robot ben progettati dovrebbero sempre essere in grado di costruire un percorso valido, se lavorano insieme.
Zgarb,

2
@Zgarb Il suicidio non dovrebbe rovinare tutto, ma un paio di robot-troll che lavorano insieme potrebbero anche bloccare tutti i percorsi, rovinando il gioco.
Geobits,

2
@CarpetPython I nodi attivi non possono essere distrutti.
Zgarb,

1
Sembra che sia improbabile vedere giochi interessanti con i giocatori e le regole attuali. Ti suggerisco di modificare leggermente le regole per creare opportunità per giochi interessanti. Modificare le dimensioni della griglia su 1,5 * N ^ 2 anziché 2 * N ^ 2 dovrebbe essere buono e non confondere troppo i robot esistenti.
Logic Knight,

1
@justhalf È vero. I giochi nel registro erano effettivamente giocati con la dimensione della griglia ulteriormente ridotta di 4/3*N^2, e anche lì, i robot avevano problemi a formare percorsi validi. Tuttavia, Connector è stato temporaneamente squalificato a causa di un errore e ora che è stato risolto, mi aspetto che i giochi siano più interessanti. Farò un altro lotto stasera.
Zgarb,

Risposte:


7

Connettore (Java)

Cerca di creare un percorso in una posizione casuale. Poiché non è in grado di creare un percorso da solo, cerca le celle attive e le utilizza. Il merito va a Geobits, da cui ho rubato del codice. Inoltre, questa presentazione non è ancora terminata, in quanto smette semplicemente di fare qualsiasi cosa non appena viene creato il percorso.

Modifica: se viene creato un percorso, Connector tenta di creare più percorsi lungo quello esistente.

import java.awt.Point;
import java.io.BufferedReader;
import java.io.InputStreamReader;
import java.util.ArrayList;
import java.util.List;
import java.util.Random;

public class Connector {
    private static final int INACTIVE = 0;
    private static final int ACTIVE   = 1;
    private static final int BROKEN   = 2;
    private static final int MINE     = 3;

    private int size = 0;
    private int[][] grid = new int[size][size];
    private Point previousCell = null;
    private final List<Point> path = new ArrayList<>();

    public static void main(String[] args) {
        new Connector().start();
    }

    private void start() {
        BufferedReader reader = new BufferedReader(new InputStreamReader(System.in));
        while(true) {
            try {
                String input = reader.readLine();
                act(input);
            } catch (Exception e) {
                e.printStackTrace();
                System.exit(0);
            }
        }
    }

    private void act(String input) throws Exception {
        String[] msg = input.split(" ");
        String output = "";
        int turn;
        switch(msg[0]){
        case "BEGIN":
            size = Integer.parseInt(msg[3]);
            grid = new int[size][size];
            break;
        case "DESTROY":
            output = "NONE";
            break;
        case "BROKEN":
            update(msg, true);
            break;
        case "ACTIVATE":
            turn = Integer.parseInt(msg[1]);
            output = activate(turn);
            break;
        case "OWNED":
            update(msg, false);
            break;
        case "SCORE":
            System.exit(0);
            break;
        }
        if (output.length() > 0) {
            System.out.println(output);
        }
    }

    private String activate(int turn) {
        if (turn == 0) {
            Random r = new Random();
            previousCell = new Point(r.nextInt(size), 0);
            return "VERTEX " + previousCell.x + "," + 0;
        }
        Point lastCell = findLastPathCell(previousCell.x, previousCell.y);
        if (lastCell.y == size-1) {
            //path is done
            Point extendingPathPoint = findExtendingPathPoint();
            if (extendingPathPoint == null) {
                return "NONE";
            }
            return "VERTEX " + extendingPathPoint.x + "," + extendingPathPoint.y;
        } else {
            int x = findBestX(lastCell.x, lastCell.y);
            return "VERTEX " + x + "," + (lastCell.y + 1);
        }
    }

    private int findBestX(int x, int y) {
        int bestScore = Integer.MIN_VALUE;
        int bestX = 0;
        for (int i = -1; i <= 1; i++) {
            int newY = y + 1;
            int newX = (x + i + size) % size;
            int score = calcCellScore(newX, newY, 10);
            if (score > bestScore) {
                bestScore = score;
                bestX = newX;
            } else if (score == bestScore && Math.random() < 0.3) {
                bestX = newX;
            }
        }
        return bestX;
    }

    private int calcCellScore(int x, int y, int depth) {
        int newY = y + 1;
        if (depth < 0) {
            return 1;
        }
        if (newY >= size)
            return 100;
        int cellScore = 0;
        for (int i = -1; i <= 1; i++) {
            int newX = (x + i + size) % size;
            if (grid[newX][newY] == ACTIVE || grid[newX][newY] == MINE) {
                cellScore += 5;
            } else if (grid[newX][newY] == INACTIVE) {
                cellScore += 1;             
            } else {
                cellScore -= 2;
            }
            cellScore += calcCellScore(newX, newY, depth -1);
        }
        return cellScore;
    }

    private Point findLastPathCell(int x, int y) {
        Point thisCell = new Point(x,y);
        int newY = y + 1;
        if (newY >= size) {
            return thisCell;
        }
        List<Point> endCells = new ArrayList<>();
        endCells.add(thisCell);
        path.add(thisCell);
        for (int i = -1; i <= 1; i++) {
            int newX = (x + i + size) % size;
            if (grid[newX][newY] == ACTIVE || grid[newX][newY] == MINE) {
                endCells.add(findLastPathCell(newX, newY));
            }
        }
        int bestY = -1;
        Point bestPoint = null;
        for (Point p : endCells) {
            if (p.y > bestY) {
                bestY = p.y;
                bestPoint = p;
            }
        }
        return bestPoint;
    }

    private Point findExtendingPathPoint() {
        if (path.size() == 0)
            return null;
        Random rand = new Random();
        for (int i = 0; i < size; i++) {
            Point cell = path.get(rand.nextInt(path.size()));
            for (int j = -1; j <= 1; j += 2) {
                Point newCellX = new Point((cell.x + j + size) % size, cell.y);
                if (grid[newCellX.x][newCellX.y] == INACTIVE)
                    return newCellX;

                Point newCellY = new Point(cell.x, cell.y + j);
                if (cell.y < 0 || cell.y >= size)
                    continue;
                if (grid[newCellY.x][newCellY.y] == INACTIVE)
                    return newCellY;
            }
        }
        return null;
    }

    private void update(String[] args, boolean destroyPhase) {
        for(int i = 2; i < args.length; i++) {
            String[] tokens = args[i].split(",");
            if(tokens.length > 1){
                int x = Integer.parseInt(tokens[0]);
                int y = Integer.parseInt(tokens[1]);
                if (grid[x][y] == INACTIVE) {
                    if (destroyPhase) {
                        grid[x][y] = BROKEN;
                    } else if (i == 2) {
                        grid[x][y] = MINE;
                        path.add(new Point(x,y));
                        previousCell = new Point(x,y);
                    } else {
                        grid[x][y] = ACTIVE;
                    }
                }
            }
        }
    }
}

@Zgarb Siamo spiacenti, ho creato un errore durante la correzione dell'altro. Funziona ora
CommonGuy

@Manu, è bello che tu sia tornato in gioco. Ci sono troppi sfruttatori e non abbastanza costruttori. Con il connettore in esecuzione, i giochi potrebbero diventare più interessanti (più di 1 gioco su 100 con un punteggio).
Logic Knight,

Il connettore ha impiegato 28 secondi per rispondere in uno degli ultimi giochi (consultare il registro). Sembra che abbia incontrato Anguria e abbia avuto difficoltà a decidere dove andare dopo.
Zgarb,

Ho eseguito alcuni giochi di nuovo con il miglioramento Peacemaker, e connettore buttato un errore: java.lang.ArrayIndexOutOfBoundsException: -1 at Connector.findExtendingPathPoint(Connector.java:166).
Zgarb,

7

Funnelweb, Python 2

versione 1.2 - Migliore unione del codice, aggiunta nuova animazione

Prende il nome da uno dei ragni meno amichevoli dell'Australia. Questo bot crea prima un nido a forma di imbuto nelle prime file, quindi attira altri robot in percorsi di costruzione per il traffico verso il nido.

Ecco una nuova animazione di un gioco a 6 bot su una scheda 4 / 3N ^ 2 che mostra la canalizzazione e alcuni robot più semplici:

bots6.gif

Il codice Python del funnelweb:

from random import *
import sys
ME = 0
def pt(x,y): return '%u,%u' % (x % side_len, y)

while True:
    msg = raw_input().split()

    if msg[0] == 'BEGIN':
        turn = 0
        numbots, turns, side_len = map(int, msg[1:])
        R = range(side_len)
        top = side_len - 1
        grid = dict((pt(x, y), []) for x in R for y in R)
        mynodes = set()
        deadnodes = set()
        freenodes = set(grid.keys())
        mycol = choice(R)
        extra = sample([pt(x,top) for x in R], side_len)
        path = [(mycol, y) for y in range(top, top - side_len/6, -1)]
        moves = []
        fence = []
        for x,y in path:
            moves.append( [pt(x,y), pt(x+1,y), pt(x-1,y)] )
            fence.extend( [pt(x+1,y), pt(x-1,y)] )
        for dx in range(2, side_len):
            fence.extend( [pt(x+dx,y), pt(x-dx,y)] )
        for x,y in [(mycol, y) for y in 
                range(top - side_len/6, top - 3*side_len/4, -1)]:
            moves.append( [pt(x,y), pt(x+1,y), pt(x-1,y)] )

    elif msg[0] == 'DESTROY':
        target = 'NONE'
        while fence:
            loc = fence.pop(0)
            if loc in freenodes:
                target = 'VERTEX ' + loc
                break
        print target
        sys.stdout.flush()

    elif msg[0] == 'BROKEN':
        for rid, loc in enumerate(msg[2:]):
            if loc != 'N':
                grid[loc] = None
                deadnodes.add(loc)
                freenodes.discard(loc)
                if loc in extra: extra.remove(loc)

    elif msg[0] == 'ACTIVATE':
        target = 'NONE'
        while moves:
            loclist = moves.pop(0)
            goodlocs = [loc for loc in loclist if loc in freenodes]
            if goodlocs:
                target = 'VERTEX ' + goodlocs[0]
                break
        if target == 'NONE':
            if extra:
                target = 'VERTEX ' + extra.pop(0)
            else:
                target = 'VERTEX ' + pt(choice(R), choice(R))
        print target
        sys.stdout.flush()

    elif msg[0] == 'OWNED':
        for rid, loc in enumerate(msg[2:]):
            if loc != 'N':
                grid[loc].append(rid)
                if rid == ME:
                    mynodes.add(loc)
                freenodes.discard(loc)
                if loc in extra: extra.remove(loc)
        turn += 1

    elif msg[0] == 'SCORE':
        break

Il ragno viene eseguito con python funnelweb.py.


Algoritmo modificato e testato. Dovrebbe funzionare ora.
Logic Knight,

Funziona benissimo ora!
Zgarb,

6

Checkpoint, Java

Questo bot cerca di creare checkpoint in modo che qualsiasi percorso valido passi attraverso uno dei miei vertici. Dato che ci sono N 2 giri e la scheda ha 2N 2 di diametro, posso attivare / interrompere ogni nodo su una singola linea orizzontale (supponendo che io sia lì per primo). Fallo in uno schema alternato ( xè rotto, oè mio):

xoxoxoxoxoxox...

Se vuoi fare un percorso, devi passare attraverso i miei checkpoint :)

Ora, ci sono diversi problemi che questo potrebbe dover affrontare. Innanzitutto, non andrà affatto bene se non ci sono molti percorsi. Dal momento che non fa alcun percorso produttivo da solo, fa davvero affidamento sul fatto che ci siano alcuni concorrenti. Anche un paio di concorrenti che si combinano per creare un singolo percorso non saranno di grande aiuto, poiché ottiene solo un punto per ogni percorso trovato. Ciò di cui ha bisogno per risplendere è probabilmente un paio di robot che fanno diversi percorsi. Anche allora, potrebbe non segnare molto , ma era un'idea che avevo in chat, quindi ...

Se uno degli spazi sulla linea è già bloccato / rivendicato, cerco solo un punto vicino che posso usare (preferibilmente sulla stessa xlinea, appena spostato verticalmente).


import java.io.BufferedReader;
import java.io.InputStreamReader;

public class Checkpoint {
    public static void main(String[] args) {
        BufferedReader reader = new BufferedReader(new InputStreamReader(System.in));
        while(true)
            try {
                String input = reader.readLine();
                act(input);
            } catch (Exception e) {
                e.printStackTrace();
                System.exit(0);
            }
    }

    static void act(String input) throws Exception{
        String[] msg = input.split(" ");
        String output = "";
        int turn;
        boolean found = false;
        switch(msg[0]){
        case "BEGIN":
            size = Integer.parseInt(msg[3]);
            grid = new int[size][size];
            target = size/2;
            break;
        case "DESTROY":
            turn = Integer.parseInt(msg[1]);
            for(int x=0;x<size;x+=2)
                for(int y=0;y<size&&!found;y++)
                    if(grid[(x+turn*2)%size][(y+target)%size]==INACTIVE){
                        output = "VERTEX " + ((x+turn*2)%size) + "," + ((y+target)%size);
                        found = true;
                    }
            if(output.length() < 1)
                output = "NONE";
            break;
        case "BROKEN":
            for(int i=2;i<msg.length;i++){
                String[] tokens = msg[i].split(",");
                if(tokens.length>1){
                    int x = Integer.parseInt(tokens[0]);
                    int y = Integer.parseInt(tokens[1]);                    
                    if(grid[x][y]==INACTIVE)
                        grid[x][y] = BROKEN;
                }
            }
            break;
        case "ACTIVATE":
            turn = Integer.parseInt(msg[1]);
            for(int x=1;x<size;x+=2)
                for(int y=0;y<size&&!found;y++)
                    if(grid[(x+turn*2)%size][(y+target)%size]==INACTIVE){
                        output = "VERTEX " + ((x+turn*2)%size) + "," + ((y+target)%size);
                        found = true;
                    }
            if(output.length() < 1)
                output = "NONE";
            break;
        case "OWNED":
            for(int i=2;i<msg.length;i++){
                String[] tokens = msg[i].split(",");
                if(tokens.length>1){
                    int x = Integer.parseInt(tokens[0]);
                    int y = Integer.parseInt(tokens[1]);
                    if(i==2){
                        if(grid[x][y]==INACTIVE)
                            grid[x][y] = MINE;
                    }else{
                        if(grid[x][y]==INACTIVE)
                            grid[x][y]=ACTIVE;
                    }
                }
            }
            break;
        case "SCORE":
            System.exit(0);
            break;
        }
        if(output.length()>0)
            System.out.println(output);
    }

    static int size = 2;
    static int target = size/2;
    static int[][] grid = new int[size][size];

    static final int INACTIVE = 0;
    static final int ACTIVE   = 1;
    static final int BROKEN   = 2;
    static final int MINE     = 3;
}

Compilare, lo è javac Checkpoint.java. Per eseguire, java Checkpoint. Ti consigliamo di aggiungere / modificare il percorso per riflettere ovunque si trovi.


5

Anguria, Giava

Tenta di disegnare angurie sulla griglia.

import java.awt.*;
import java.io.BufferedReader;
import java.io.IOException;
import java.io.InputStreamReader;
import java.io.PrintStream;
import java.util.ArrayList;
import java.util.Comparator;
import java.util.List;

public class Watermelon {

    private static int numberOfBots;
    private static int numberOfTurns;
    private static int sideLength;

    private static int turn = 0;

    private static int[][] theGrid;

    private static final int INACTIVE = -2;
    private static final int BROKEN   = -1;
    private static final int MINE     =  0;
    private static final int ACTIVE   =  1;

    private static BufferedReader in = new BufferedReader(new InputStreamReader(System.in));
    private static PrintStream out = System.out;

    public static void main(String[] args) throws IOException {
        while (true){
            String[] input = in.readLine().trim().split(" ");
            String instruction = input[0];
            switch (instruction){
                case "BEGIN":
                    begin(input);
                    break;
                case "DESTROY":
                    destroy(input);
                    break;
                case "BROKEN":
                    broken(input);
                    break;
                case "ACTIVATE":
                    activate(input);
                    break;
                case "OWNED":
                    owned(input);
                    break;
                default:
                    return;
            }
            out.flush();
        }
    }

    private static void begin(String[] input) {
        numberOfBots = Integer.parseInt(input[1]);
        numberOfTurns = Integer.parseInt(input[2]);
        sideLength = Integer.parseInt(input[3]);
        theGrid = new int[sideLength][sideLength];
        for (int x = 0; x < sideLength; x++){
            for (int y = 0; y < sideLength; y++){
                theGrid[x][y] = INACTIVE;
            }
        }
    }

    private static void owned(String[] input) {
        turn = Integer.parseInt(input[1]);
        for (int i = input.length - 1; i >= 2; i--){
            if (input[i].equals("N")){
                continue;
            }
            String[] coordinates = input[i].split(",");
            int x = Integer.parseInt(coordinates[0]);
            int y = Integer.parseInt(coordinates[1]);
            int player = i - 2;
            if (player == 0){
                theGrid[x][y] = MINE;
            } else {
                theGrid[x][y] = ACTIVE;
            }
        }
    }

    private static void activate(String[] input) {
        turn = Integer.parseInt(input[1]);
        double[][] values = new double[sideLength][sideLength];
        List<Point> pointList = new ArrayList<>();
        for (int x = 0; x < sideLength; x++){
            for (int y = 0; y < sideLength; y++){
                if (theGrid[x][y] == MINE || theGrid[x][y] == ACTIVE){
                    for (int x1 = 0; x1 < sideLength; x1++){
                        for (int y1 = 0; y1 < sideLength; y1++){
                            double distance = Math.pow(x - x1, 2) + Math.pow(y - y1, 2);
                            values[x1][y1] += 1 / (distance + 1);
                        }
                    }
                }
                pointList.add(new Point(x, y));
            }
        }
        pointList.sort(Comparator.comparingDouble((Point a) -> values[a.x][a.y]).reversed());
        for (Point point : pointList){
            if (theGrid[point.x][point.y] == INACTIVE){
                out.println("VERTEX " + point.x + "," + point.y);
                return;
            }
        }
        out.println("NONE");
    }

    private static void broken(String[] input) {
        turn = Integer.parseInt(input[1]);
        for (int i = 2; i < input.length; i++){
            if (input[i].equals("N")){
                continue;
            }
            String[] coordinates = input[i].split(",");
            int x = Integer.parseInt(coordinates[0]);
            int y = Integer.parseInt(coordinates[1]);
            theGrid[x][y] = BROKEN;
        }
    }

    private static void destroy(String[] input) {
        turn = Integer.parseInt(input[1]);
        double[][] values = new double[sideLength][sideLength];
        List<Point> pointList = new ArrayList<>();
        for (int x = 0; x < sideLength; x++){
            for (int y = 0; y < sideLength; y++){
                if (theGrid[x][y] == MINE){
                    for (int x1 = 0; x1 < sideLength; x1++){
                        for (int y1 = 0; y1 < sideLength; y1++){
                            double distance = Math.pow(x - x1, 2) + Math.pow(y - y1, 2);
                            values[x1][y1] -= 1 / (distance + 1);
                        }
                    }
                }
                if (theGrid[x][y] == ACTIVE){
                    for (int x1 = 0; x1 < sideLength; x1++){
                        for (int y1 = 0; y1 < sideLength; y1++){
                            double distance = Math.pow(x - x1, 2) + Math.pow(y - y1, 2);
                            values[x1][y1] += 1 / (distance + 1) / (numberOfBots - 1);
                        }
                    }
                }
                pointList.add(new Point(x, y));
            }
        }
        pointList.sort(Comparator.comparingDouble((Point a) -> values[a.x][a.y]).reversed());
        for (Point point : pointList){
            if (theGrid[point.x][point.y] == INACTIVE){
                out.println("VERTEX " + point.x + "," + point.y);
                return;
            }
        }
        out.println("NONE");
    }
}

5

FaucetBot (in R)

Crea un collo di bottiglia sulla seconda riga e attiva i nodi sul percorso dietro di essa.

infile <- file("stdin")
open(infile)
repeat{
    input <- readLines(infile,1)
    args <- strsplit(input," ")[[1]]
    if(args[1]=="BEGIN"){
        L <- as.integer(args[4])
        M <- N <- matrix(0,nrow=L,ncol=L)
        x0 <- sample(2:(L-1),1)
        }
    if(args[1]=="DESTROY"){
        if(args[2]==0){
            X <- x0
            Y <- 2
            }else{
                free <- which(M[,2] == 0)
                mine <- which(N[,2] == 1)
                X <- free[which.min(abs(free-mine))]
                Y <- 2
                }
        if(length(X)){cat(sprintf("VERTEX %s,%s\n",X-1,Y-1))}else{cat("NONE\n")}
        flush(stdout())
        }
    if(args[1]=="BROKEN"){
        b <- strsplit(args[args!="N"][-(1:2)],",")
        o <- strsplit(args[3],",")[[1]]
        b <- lapply(b,as.integer)
        if(o[1]!="N") N[as.integer(o[1])+1,as.integer(o[2])+1] <- -1
        for(i in seq_along(b)){M[b[[i]][1]+1,b[[i]][2]+1] <- -1}
        }
    if(args[1]=="ACTIVATE"){
        if(args[2]==0){
            broken <- which(M[,2] == -1)
            free <- which(M[,2] == 0)
            X <- free[which.min(abs(broken-free))]
            Y <- 2
            }else{
                y <- 3
                X <- NULL
                while(length(X)<1){
                    lastrow <- which(N[,y-1]==1)
                    newrow <- unlist(sapply(lastrow,function(x)which(M[,y]==0 & abs((1:L)-x)<2)))
                    if(length(newrow)){
                        X <- sample(newrow,1)
                        Y <- y
                        }
                    y <- y+1
                    if(y>L){X <- x0; Y <- 1}
                    }
                }
        cat(sprintf("VERTEX %s,%s\n",X-1,Y-1))
        flush(stdout())
        }
    if(args[1]=="OWNED"){
        b <- strsplit(args[args!="N"][-(1:2)],",")
        o <- strsplit(args[3],",")[[1]]
        b <- lapply(b,as.integer)
        if(o[1]!="N") N[as.integer(o[1])+1,as.integer(o[2])+1] <- 1
        for(i in seq_along(b)){M[b[[i]][1]+1,b[[i]][2]+1] <- 1}
        }
    if(args[1]=="SCORE") q(save="no")
    }

Se non ho sbagliato, la configurazione finale dovrebbe essere qualcosa del tipo:

........    .a..aa..
..aaa...    ..aaa...
.xxaxx..    xxxaxxx.    etc.
........    ........

Il comando è Rscript FaucetBot.R.


5

Peacemaker, Java

Basato sul codice di Manu.

Il Peacemaker cerca le zone di conflitto (ovvero la maggior parte della concentrazione di vertice ROTTA o ATTIVA) e attiva un vertice casuale nelle vicinanze.

import java.awt.Point;
import java.io.BufferedReader;
import java.io.InputStreamReader;
import java.util.ArrayList;
import java.util.List;
import java.util.Random;
import java.util.stream.IntStream;

public class Peacemaker {
    private static final int INACTIVE = 0;
    private static final int ACTIVE   = 1;
    private static final int BROKEN   = 2;
    private static final int MINE     = 3;

    private int size = 0;
    private int[][] grid = new int[size][size];
    private int startingPoint = 0;

    public static void main(String[] args) {
        new Peacemaker().start();
    }

    private void start() {
        BufferedReader reader = new BufferedReader(new InputStreamReader(System.in));
        while(true) {
            try {
                String input = reader.readLine();
                act(input);
            } catch (Exception e) {
                e.printStackTrace();
                System.exit(0);
            }
        }
    }

    private void act(String input) throws Exception {
        String[] msg = input.split(" ");
        String output = "";
        int turn;
        switch(msg[0]){
        case "BEGIN":
            size = Integer.parseInt(msg[3]);
            grid = new int[size][size];
            break;
        case "DESTROY":
            output = "NONE";
            break;
        case "BROKEN":
            update(msg, true);
            break;
        case "ACTIVATE":
            turn = Integer.parseInt(msg[1]);
            output = activate(turn);
            break;
        case "OWNED":
            update(msg, false);
            break;
        case "SCORE":
            System.exit(0);
            break;
        }
        if (output.length() > 0) {
            System.out.println(output);
        }
    }

    private String activate(int turn) {
        Random r = new Random();
        if (turn == 0) {
            startingPoint = r.nextInt(size);
            return "VERTEX " + startingPoint + "," + 0;
        } else {

            Point point = searchConflicts();

            int posX = point.x;
            int posY = point.y;

            while (grid[posX][posY] != INACTIVE) {
                 int previousX = (posX - 1 < 0 ? size - 1 : posX - 1);
                 int nextX = (posX + 1 > size - 1 ? 0 : posX + 1);
                 int previousY = (posY - 1 < 0 ? size - 1 : posY - 1);
                 int nextY = (posY + 1 > size - 1 ? 0 : posY + 1);

                 int choice = r.nextInt(4);
                 switch (choice) {
                     case 0: posX = previousX; break;
                     case 1: posX = nextX; break;
                     case 2: posY = previousY; break;
                     case 3: posY = nextY; break;
                 }
            }

            return "VERTEX " + posX + "," + posY;
        }
    }

    private Point searchConflicts() {

        int previousCellScore = 0;
        int cellX = 0;
        int cellY = 0;
        for (int i = 0; i < size; i++) {
            for (int j = 0; j < size; j ++) {
                if (previousCellScore < adjacentCellsScore(i, j)) {
                    cellX = i; cellY = j;
                    previousCellScore = adjacentCellsScore(i, j);
                }
            }
        }
        return new Point(cellX, cellY);
    }

    /*  Format of adjacent cells :
     * 
     *   0 1 2
     *   3 . 4
     *   5 6 7
     */
    private int adjacentCellsScore(int x, int y) {

        int[] scores = new int[8];

        int previousX = (x - 1 < 0 ? size - 1 : x - 1);
        int nextX = (x + 1 > size - 1 ? 0 : x + 1);
        int previousY = (y - 1 < 0 ? size - 1 : y - 1);
        int nextY = (y + 1 > size - 1 ? 0 : y + 1);

        scores[0] = calcScore(previousX, nextY);
        scores[1] = calcScore(x, nextY);
        scores[2] = calcScore(nextX, nextY);
        scores[3] = calcScore(previousX, y);
        scores[4] = calcScore(nextX, y);
        scores[5] = calcScore(previousX, previousY);
        scores[6] = calcScore(x, previousY);
        scores[7] = calcScore(nextX, previousY);

        return IntStream.of(scores).reduce(0, (a, b) -> a + b);
    }

    private int calcScore(int x, int y) {
        int activeScore = 2;
        int mineScore = 1;
        int inactiveScore = 0;
        int brokenScore = 3;

        if (grid[x][y] == ACTIVE) 
            return activeScore;
        else if (grid[x][y] == MINE)
            return mineScore;
        else if (grid[x][y] == INACTIVE) 
            return inactiveScore;
        else if (grid[x][y] == BROKEN) 
            return brokenScore;
        else
            return 0;
    }


    private void update(String[] args, boolean destroyPhase) {
        for(int i = 2; i < args.length; i++) {
            String[] tokens = args[i].split(",");
            if(tokens.length > 1){
                int x = Integer.parseInt(tokens[0]);
                int y = Integer.parseInt(tokens[1]);
                if (grid[x][y] == INACTIVE) {
                    if (destroyPhase) {
                        grid[x][y] = BROKEN;
                    } else if (i == 2) {
                        grid[x][y] = MINE;
                    } else {
                        grid[x][y] = ACTIVE;
                    }
                }
            }
        }
    }       
}

@Zgarb Grazie, avrei dovuto risolvere questo problema ora.
Thrax,

Peacemaker funziona ora ed è incluso nella classifica. Tuttavia, non sembra fare molto, quindi probabilmente ci sono ancora alcuni bug.
Zgarb,

In realtà, guardando il tuo codice, penso che il problema sia nel whileciclo del activatemetodo. Interrompi la ricerca quando trovi un vertice che non è tuo e non è rotto, ma potrebbe essere di proprietà di qualcun altro, quindi non puoi attivarlo.
Zgarb,

@Zgarb Ho letto male le specifiche e ho pensato che più giocatori potessero attivare lo stesso vertice in qualsiasi momento. Immagino che devo solo cambiare la mia ricerca e cercare solo vertici inattivi.
Thrax,

2

Random Builder, Python 3

Questo è uno stupido bot di esempio che non distrugge mai nulla e cerca di attivare un vertice casuale ogni turno. Si noti che non è necessario verificare se il vertice è inattivo; il controller se ne occupa.

import random as r

while True:
    msg = input().split()
    if msg[0] == "BEGIN":
        side_len = int(msg[3])
    elif msg[0] == "DESTROY":
        print("NONE")
    elif msg[0] == "ACTIVATE":
        print("VERTEX %d,%d"%(r.randrange(side_len), r.randrange(side_len)), flush=True)
    elif msg[0] == "SCORE":
        break

Esegui con il comando

python3 random_builder.py

Potrebbe essere necessario sostituirlo python3a pythonseconda dell'installazione di Python. Per fare ciò, basta modificare il bots.txtfile. Ho aggiornato il controller e non è più necessario pasticciare con i percorsi dei file.


Dal momento che usi python 3, invece di sys.stdout.flush()te puoi semplicemente fare flush=Trueun argomento print.
matsjoyce,

@matsjoyce Grazie, non lo sapevo. Modificherò la versione del repository in seguito.
Zgarb,

2

Explorer, Python 3

Strategia di attivazione:

Crea una mappa di calore basata sullo stato di ogni nodo (attivo / inattivo / rotto) e sceglie il nodo che avrebbe il più grande valore di mappa di calore atteso per persona se scegliesse quello.

Strategia di distruzione:

Non distrugge mai nulla in quanto ciò non aiuta molto il bot.

import sys

class bd:

    def __init__(s, l):

        s.l=l
        s.b=[]
        s.v=[]
        s.m=[]
        s.bm=[]
        s.utd=False #up_to_date
        s.bmc=1

        for i in range(s.l):
            s.b+=[[]]
            s.v+=[[]]
            s.m+=[[]]
            s.bm+=[[]]
            for k in range(s.l):
                s.b[i]+=[0]
                s.v[i]+=[0]
                s.m[i]+=[0]
                s.bm[i]+=[s.bmc]

    def update(s):
        s.utd=True

        vu=[]
        vd=[]
        for i in range(s.l):
            vu+=[[]]
            vd+=[[]]
            for k in range(s.l):
                vu[i]+=[1]
                vd[i]+=[1]

        #spread up
        for i in range(s.l):
            vu[i][0]*=s.bm[i][0]

        for k in range(1,s.l):
            for i in range(s.l):
                sumv=vu[(i-1)%s.l][k-1]+vu[(i)%s.l][k-1]+vu[(i+1)%s.l][k-1]  
                vu[i][k]*=sumv*s.bm[i][k]/3

        #spread down
        t=s.l-1
        for i in range(s.l):
            vd[i][t]*=s.bm[i][t]

        for k in range(s.l-2,-1,-1):
            for i in range(s.l):
                sumv=vd[(i-1)%s.l][k+1]+vd[(i)%s.l][k+1]+vd[(i+1)%s.l][k+1]  
                vd[i][k]*=sumv*s.bm[i][k]/3

        #mult
        for i in range(s.l):
            for k in range(s.l):
                if s.b[i][k]==-1 or s.m[i][k]==1:
                    s.v[i][k]=float(-1)
                else:
                    s.v[i][k]=vu[i][k]*vd[i][k]/(s.b[i][k]+1)

    def add_act(s,al):
        s.utd=False

        for ind, ap in enumerate(al):
            i,k=ap
            s.b[i][k]+=1            
            s.bm[i][k]=2*s.bmc            
            #doesn't work alone WHY???
            if ind==0: s.m[i][k]=1

    def add_ina(s,il):
        s.utd=False

        for ind, ip in enumerate(il):
            i,k=ip
            s.b[i][k]=-1
            s.bm[i][k]=0                    

    def get_newact(s):
        s.update()
        vm=-28
        pm=None
        for i in range(s.l):
            for k in range(s.l):
                if s.v[i][k]>vm:
                    vm=s.v[i][k]
                    pm=(i,k)
        #doesn't work alone WHY???
        s.m[pm[0]][pm[1]]=1
        return pm


b=None

while True:
    inp=input()
    msg = inp.split()
    if msg[0] == "BEGIN":        
        b = bd(int(msg[3]))
    elif msg[0] == "DESTROY":
        print("NONE")
    elif msg[0] == "BROKEN":
        pl=[]
        for m in msg[2:]:
            if m!='N':
                pl+=[tuple(map(int,m.split(',')))]
        b.add_ina(pl)
    elif msg[0] == "ACTIVATE":
        at=b.get_newact()
        print("VERTEX %d,%d"%(at[0], at[1]))
    elif msg[0] == "OWNED":
        pl=[]
        for m in msg[2:]:
            if m!='N':
                pl+=[tuple(map(int,m.split(',')))]        
        b.add_act(pl)
    elif msg[0] == "SCORE":
        break       

    sys.stdout.flush()

1

Irritazione, Bash

#!/bin/bash

declare -A avail
broken=
owned=

while read c p
    case "$c" in
        ACTIVATE|BROKEN) v=broken;;
        *) v=owned
    esac
    case "$c" in
        BEGIN)
            read b t n <<<"$p"
            list=$(
                eval "echo {0..$((n-1))},{0..$((n-1))}\$'\\n'" |
                shuf
            )
            for i in $list; do
                avail[$i]=1
            done;;
        DESTROY|ACTIVATE)
            for t in $(
                for i in ${!v}; do
                    [ "$i" != N ] &&
                    if [ "$c" = ACTIVATE ]; then
                        echo $(((${i%,*}+2)%n)),${i#*,}
                        echo $(((${i%,*}-2+n)%n)),${i#*,}
                    else
                        echo ${i%,*},$(((${i#*,}+1)%n))
                        echo ${i%,*},$(((${i#*,}-1+n)%n))
                    fi
                done |
                shuf
            ) $list; do
                [ "${avail[$t]}" ] && echo VERTEX $t && break
            done ||
            echo NONE;;
        BROKEN|OWNED)
            read x m $v <<<"$p";
            for i in $m ${!v}; do
                unset avail[$i]
            done;;
        SCORE)! :
    esac
do :;done

Ho cercato di rendere il risultato più interessante.

Corri con bash annoyance.sh.


1
Il tuo bot stampa tutti i suoi input su STDERR. Non è proibito o altro, solo un fastidio (gioco di parole inteso).
Zgarb,

@Zgarb Siamo spiacenti, ho incollato la versione sbagliata. Fisso.
jimmy23013,

1

Middle Man

Ho visto che alcuni robot sono stati costruiti dall'alto e alcuni dal basso. Questo è il primo (penso) iniziare nel mezzo e lavorare su e giù.

(non viene testato con il controller, quindi se la dose non funziona, fammi sapere.)

class Node

  def self.set_size s
    @@grid = Array.new(s,Array.new(s,0))
  end

  def initialize x,y
    @x=x
    @y=y
  end

  def offset dx,dy
    return Node.new @x+dx,@y+dy
  end

  def state
    return -1 if @x<0 || @y<0 || @x>=@@grid.length || @y>=@@grid.length
    @@grid[@x][@y]
  end

  def state= n
    return -1 if @x<0 || @y<0 || @x>=@@grid.length || @y>=@@grid.length
     @@grid[@x][@y]=n
  end

  def active?
    state > 0
  end

  def open?
    state == 0
  end
  attr_reader :x,:y

  def to_s
    "VERTEX #{@x},#{@y}"
  end


  def scan_down
    ans = nil
    [0,-1,1].each do|offset|
      n = Node.new @x+offset,@y-1
      ans = (ans||n) if n.open?
      ans = (n.scan_down||ans) if n.active?
    end
    return ans
  end

  def scan_up
    ans = nil
    [0,-1,1].each do|offset|
      n = Node.new @x+offset,@y+1
      ans = (ans||n) if n.open?
      ans = (n.scan_up||ans) if n.active?
    end
    return ans
  end

end

input = gets.split
input.shift

BotCount = input.shift.to_i
Turns = input.shift.to_i
GridSize = input.shift.to_i

Node.set_size GridSize

midRow = GridSize/2

toDestroy = (0...GridSize).map{|i|Node.new i,midRow}
toDestroy.reject!{|n| n.x==midRow}

chain = []
Turns.times do
  gets;
  toDestroy.each{|x|
    if x.active?
      toDestroy.push x.offset 0,1
      toDestroy.push x.offset 1,1
      toDestroy.push x.offset -1,1
    end
  }
  toDestroy.reject!{|x|!x.open?}
  puts toDestroy.sample
  input = gets.split
  input.shift;input.shift
  input.each{|str|
    a,b = str.split ','
    (Node.new a.to_i,b.to_i).state=1
  }
  gets;

  if chain.length == 0
    n = Node.new midRow,midRow
    until n.open?
      n = Node.new n.x+1,midRow
    end
    puts chain[0]=n
  elsif rand>0.5
    n=nil
    loop do
      h=chain[0]
      n = h.scan_down
     break if !n
      chain.shift
    end
    h.unshift n
    puts n
  else
    loop do
      h=chain[-1]
      n = h.scan_up
      h.pop if !n
      brake if n
    end
    chain.push n
    puts n
  end

  input = gets.split
  input.shift;input.shift
  input.each{|str|
    a,b = str.split ','
    (Node.new a,b).state=-1
  }

end
gets
exit

Grazie per l'invio! Sfortunatamente, questa sfida è rimasta in sospeso per quasi un anno e mezzo e attualmente non sono in grado di eseguire la maggior parte dei robot, poiché non ho accesso a un computer in cui sia possibile installare le lingue.
Zgarb,

1
@Zgarb ho capito. forse un giorno risponderò a una sfida in un lasso di tempo ragionevole ...
MegaTom,
Utilizzando il nostro sito, riconosci di aver letto e compreso le nostre Informativa sui cookie e Informativa sulla privacy.
Licensed under cc by-sa 3.0 with attribution required.