-
-
Save rab/4069523 to your computer and use it in GitHub Desktop.
Scalatron Bot
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
import util.Random | |
// rab - Rob Biedenharn | |
// based on Geoff Lane's Bot | |
// Wed Nov 14 17:44:48 EST 2012 | |
/** | |
* This bot builds a 'direction value map' that assigns an attractiveness score to | |
* each of the eight available 45-degree directions. Additional behaviors: | |
* - aggressive missiles: approach an enemy master, then explode | |
* - defensive missiles: approach an enemy slave and annihilate it | |
* | |
* The master bot uses the following state parameters: | |
* - dontFireAggressiveMissileUntil | |
* - dontFireDefensiveMissileUntil | |
* - lastDirection | |
* | |
* The mini-bots use the following state parameters: | |
* - mood = Aggressive | Defensive | Lurking | |
* - target = remaining offset to target location | |
*/ | |
object ControlFunction { | |
val rand = new Random() | |
def forMaster(bot: Bot) { | |
// demo: log the view of the master bot into the debug output (if running in the browser sandbox) | |
// bot.log(bot.view.cells.grouped(31).mkString("\n")) | |
val (directionValue, nearestEnemyMaster, nearestEnemySlave) = analyzeViewAsMaster(bot.view) | |
val dontFireAggressiveMissileUntil = bot.inputAsIntOrElse("dontFireAggressiveMissileUntil", -1) | |
val dontFireDefensiveMissileUntil = bot.inputAsIntOrElse("dontFireDefensiveMissileUntil", -1) | |
val dontFireGatheringMiniBotUntil = bot.inputAsIntOrElse("dontFireGatheringMiniBotUntil", -1) | |
val lastDirection = bot.inputAsIntOrElse("lastDirection", 0) | |
// determine movement direction | |
directionValue(lastDirection) += 10 // try to break ties by favoring the last direction | |
val bestDirection45 = directionValue.zipWithIndex.maxBy(_._1)._2 | |
val direction = XY.fromDirection45(bestDirection45) | |
bot.move(direction) | |
bot.set("lastDirection" -> bestDirection45) | |
if (dontFireAggressiveMissileUntil < bot.time && bot.energy > 150) { | |
// fire attack missile? | |
nearestEnemyMaster match { | |
case None => // no-on nearby | |
case Some(relPos) => // a master is nearby | |
val unitDelta = relPos.signum | |
val remainder = relPos - unitDelta // we place slave nearer target, so subtract that from overall delta | |
bot.spawn(unitDelta, | |
"mood" -> MiniBot.AGGRESSIVE, | |
"target" -> remainder, | |
"energy" -> math.max(100, bot.energy * 0.01)) | |
bot.set("dontFireAggressiveMissileUntil" -> (bot.time + relPos.stepCount + 1)) | |
} | |
} else if (dontFireDefensiveMissileUntil < bot.time && bot.energy > 200) { | |
// fire defensive missile? | |
nearestEnemySlave match { | |
case None => // no-on nearby | |
case Some(relPos) => // an enemy slave is nearby | |
if (relPos.stepCount < 8) { | |
// this one's getting too close! | |
val unitDelta = relPos.signum | |
val remainder = relPos - unitDelta // we place slave nearer target, so subtract that from overall delta | |
bot.spawn(unitDelta, "mood" -> MiniBot.DEFENSIVE, "target" -> remainder, "energy" -> 100) | |
bot.set("dontFireDefensiveMissileUntil" -> (bot.time + relPos.stepCount + 1)) | |
} | |
} | |
} | |
if (dontFireGatheringMiniBotUntil < bot.time && bot.energy > 100) { | |
bot.spawn(bot.view.center, "mood" -> MiniBot.GATHERING, "target" -> "", "limit" -> 250 * (rand.nextInt(6) + 2)) | |
bot.set("dontFireGatheringMiniBotUntil" -> (bot.time + rand.nextInt(4))) | |
} | |
} | |
def forSlave(bot: MiniBot) { | |
bot.inputOrElse("mood", "Gathering") match { | |
case MiniBot.AGGRESSIVE => reactAsAggressiveMissile(bot) | |
case MiniBot.DEFENSIVE => reactAsDefensiveMissile(bot) | |
case MiniBot.GATHERING => reactAsGatheringMiniBot(bot) | |
case MiniBot.RETURNING => reactAsReturningMiniBot(bot) | |
case s: String => bot.log("unknown mood: " + s) | |
} | |
} | |
def reactAsAggressiveMissile(bot: MiniBot) { | |
bot.view.offsetToNearest(Entities.ENEMY) match { | |
case Some(delta: XY) => | |
// another master is visible at the given relative position (i.e. position delta) | |
if (delta.length <= 2) { // close enough to blow it up? | |
bot.explode(3) // yes -- blow it up! | |
} else { | |
bot.move(delta.signum) // no -- move closer! | |
bot.set("rx" -> delta.x, "ry" -> delta.y) | |
} | |
case None => | |
// no target visible -- follow our targeting strategy | |
val target = bot.inputAsXYOrElse("target", XY.Zero) | |
if (target.isNonZero) { // did we arrive at the target? | |
// no -- keep going | |
val unitDelta = target.signum // e.g. CellPos(-8,6) => CellPos(-1,1) | |
bot.move(unitDelta) | |
// compute the remaining delta and encode it into a new 'target' property | |
val remainder = target - unitDelta // e.g. = CellPos(-7,5) | |
bot.set("target" -> remainder) | |
} else { | |
// yes -- but we did not detonate yet, and are not pursuing anything?!? => switch purpose | |
bot.set("mood" -> MiniBot.GATHERING, "target" -> "", "limit" -> 1000) | |
bot.say("Gathering") | |
} | |
} | |
} | |
def reactAsDefensiveMissile(bot: MiniBot) { | |
bot.view.offsetToNearest(Entities.ENEMY_MINI_BOT) match { | |
case Some(delta: XY) => | |
// another slave is visible at the given relative position (i.e. position delta) | |
// move closer! | |
bot.move(delta.signum) | |
bot.set("rx" -> delta.x, "ry" -> delta.y) | |
case None => | |
// no target visible -- follow our targeting strategy | |
val target = bot.inputAsXYOrElse("target", XY.Zero) | |
// did we arrive at the target? | |
if (target.isNonZero) { // no -- keep going | |
val unitDelta = target.signum // e.g. CellPos(-8,6) => CellPos(-1,1) | |
bot.move(unitDelta) | |
// compute the remaining delta and encode it into a new 'target' property | |
val remainder = target - unitDelta // e.g. = CellPos(-7,5) | |
bot.set("target" -> remainder) | |
} else { // yes -- but we did not annihilate yet, and are not pursuing anything?!? => switch purpose | |
bot.set("mood" -> MiniBot.GATHERING, "target" -> "", "limit" -> 1000) | |
bot.say(MiniBot.GATHERING) | |
} | |
} | |
} | |
def reactAsGatheringMiniBot(bot: MiniBot) { | |
val (directionValue, nearestEnemyMaster, _, master) = analyzeViewAsGatheringMiniBot(bot.view) | |
if (nearestEnemyMaster.isDefined && nearestEnemyMaster.get.stepCount <= 2) { | |
bot.explode(3) | |
return | |
} | |
val energyLimit = bot.inputAsIntOrElse("limit", 0) | |
bot.log("Limit: " + energyLimit) | |
if (bot.energy > energyLimit && !master.isEmpty) { | |
bot.set("mood" -> MiniBot.RETURNING, "target" -> "") | |
bot.say(MiniBot.RETURNING) | |
reactAsReturningMiniBot(bot) | |
} else { | |
// determine movement direction | |
val lastDirection = bot.inputAsIntOrElse("lastDirection", 0) | |
directionValue(lastDirection) += 10 // try to break ties by favoring the last direction | |
val bestDirection45 = directionValue.zipWithIndex.maxBy(_._1)._2 | |
val direction = XY.fromDirection45(bestDirection45) | |
bot.move(direction) | |
bot.set("lastDirection" -> bestDirection45) | |
} | |
} | |
def reactAsReturningMiniBot(bot: MiniBot) { | |
val (directionValue, nearestEnemyMaster) = analyzeViewAsReturningMiniBot(bot, bot.view) | |
if (nearestEnemyMaster.isDefined && nearestEnemyMaster.get.stepCount <= 2) { | |
bot.explode(3) | |
return | |
} | |
val lastDirection = bot.inputAsIntOrElse("lastDirection", 0) | |
directionValue(lastDirection) += 10 // try to break ties by favoring the last direction | |
val bestDirection45 = directionValue.zipWithIndex.maxBy(_._1)._2 | |
val direction = XY.fromDirection45(bestDirection45) | |
bot.move(direction) | |
bot.set("lastDirection" -> bestDirection45) | |
} | |
/** | |
* Analyze the view, building a map of attractiveness for the 45-degree directions and | |
* recording other relevant data, such as the nearest elements of various kinds. | |
*/ | |
def analyzeViewAsMaster(view: View) = { | |
val directionValue = Array.ofDim[Double](8) | |
var nearestEnemyMaster: Option[XY] = None | |
var nearestEnemySlave: Option[XY] = None | |
view.cells.zipWithIndex foreach { case (c, i) => | |
val cellRelPos = view.relPosFromIndex(i) | |
if (cellRelPos.isNonZero) { | |
val stepDistance = cellRelPos.stepCount | |
val value: Double = c match { | |
case Entities.WALL => | |
// wall: harmless, just don't walk into it | |
if (stepDistance < 2) -1000 else 0 | |
case Entities.ENEMY => | |
// another master: not dangerous, but an obstacle | |
nearestEnemyMaster = Some(cellRelPos) | |
if (stepDistance < 2) -1000 else 0 | |
case Entities.ENEMY_MINI_BOT => | |
// another slave: potentially dangerous? | |
nearestEnemySlave = Some(cellRelPos) | |
-100 / stepDistance | |
case Entities.MINI_BOT => | |
// avoid our minions | |
-50 / stepDistance | |
case Entities.FOOD_BEAST => | |
// good beast: valuable, but runs away | |
if (stepDistance == 1) 600 | |
else if (stepDistance == 2) 300 | |
else (150 - stepDistance * 15).max(10) | |
case Entities.FOOD_PLANT => | |
// good plant: less valuable, but does not run | |
if (stepDistance == 1) 500 | |
else if (stepDistance == 2) 300 | |
else (150 - stepDistance * 10).max(10) | |
case Entities.PREDATOR => | |
// bad beast: dangerous, but only if very close | |
if (stepDistance < 4) -400 / stepDistance | |
else -50 / stepDistance | |
case Entities.POISON => | |
// bad plant: bad, but only if I step on it | |
if (stepDistance < 2) -1000 else 0 | |
case _ => 0.0 | |
} | |
val direction45 = cellRelPos.toDirection45 | |
directionValue(direction45) += value | |
} | |
} | |
(directionValue, nearestEnemyMaster, nearestEnemySlave) | |
} | |
/** Analyze the view, building a map of attractiveness for the 45-degree directions and | |
* recording other relevant data, such as the nearest elements of various kinds. | |
*/ | |
def analyzeViewAsGatheringMiniBot(view: View) = { | |
val directionValue = Array.ofDim[Double](8) | |
var nearestEnemyMaster: Option[XY] = None | |
var nearestEnemySlave: Option[XY] = None | |
var master: Option[XY] = None | |
view.cells.zipWithIndex foreach {case (c, i) => | |
val cellRelPos = view.relPosFromIndex(i) | |
if (cellRelPos.isNonZero) { | |
val stepDistance = cellRelPos.stepCount | |
val value: Double = c match { | |
case Entities.WALL => | |
// wall: harmless, just don't walk into it | |
if (stepDistance < 2) -2000 else 0 | |
case Entities.ENEMY => | |
// another master: not dangerous, but an obstacle | |
nearestEnemyMaster = Some(cellRelPos) | |
-100 / stepDistance | |
case Entities.ENEMY_MINI_BOT => | |
// another slave: potentially dangerous? | |
nearestEnemySlave = Some(cellRelPos) | |
-100 / stepDistance | |
case Entities.MINI_BOT => | |
// avoid our minions | |
-50 / stepDistance | |
case Entities.MASTER => | |
// our own master; we're not ready to return | |
master = Some(cellRelPos) | |
-10 | |
case Entities.FOOD_BEAST => | |
// good beast: valuable, but runs away | |
if (stepDistance == 1) 600 | |
else if (stepDistance == 2) 300 | |
else (150 - stepDistance * 15).max(10) | |
case Entities.FOOD_PLANT => | |
// good plant: less valuable, but does not run | |
if (stepDistance == 1) 500 | |
else if (stepDistance == 2) 300 | |
else (150 - stepDistance * 10).max(10) | |
case Entities.PREDATOR => | |
// bad beast: dangerous, but only if very close | |
if (stepDistance < 4) -400 / stepDistance else -50 / stepDistance | |
case Entities.POISON => | |
// bad plant: bad, but only if I step on it | |
if (stepDistance < 2) -1000 else 0 | |
case _ => 0.0 | |
} | |
val direction45 = cellRelPos.toDirection45 | |
directionValue(direction45) += value | |
} | |
} | |
(directionValue, nearestEnemyMaster, nearestEnemySlave, master) | |
} | |
def analyzeViewAsReturningMiniBot(bot: MiniBot, view: View) = { | |
val directionValue = Array.ofDim[Double](8) | |
var nearestEnemyMaster: Option[XY] = None | |
view.cells.zipWithIndex foreach {case (c, i) => | |
val cellRelPos = view.relPosFromIndex(i) | |
if (cellRelPos.isNonZero) { | |
val stepDistance = cellRelPos.stepCount | |
val value: Double = c match { | |
case Entities.ENEMY => | |
// another master: not dangerous, but an obstacle | |
nearestEnemyMaster = Some(cellRelPos) | |
-100 / stepDistance | |
case Entities.ENEMY_MINI_BOT => | |
// another slave: potentially dangerous? | |
-100 / stepDistance | |
case Entities.MINI_BOT => | |
// avoid our minions | |
-100 / stepDistance | |
case Entities.MASTER => | |
// our own master | |
1000 | |
case Entities.PREDATOR => | |
// bad beast: dangerous, but only if very close | |
if (stepDistance < 4) -400 / stepDistance else -50 / stepDistance | |
case Entities.POISON => | |
// bad plant: bad, but only if I step on it | |
if (stepDistance < 2) -1000 else 0 | |
case Entities.WALL => | |
// wall: harmless, just don't walk into it | |
if (stepDistance < 2) -1000 else 0 | |
case _ => | |
// Favor going closer to master, but avoid obstacles | |
1000 / cellRelPos.distanceTo(bot.offsetToMaster) | |
} | |
val direction45 = cellRelPos.toDirection45 | |
directionValue(direction45) += value | |
} | |
} | |
(directionValue, nearestEnemyMaster) | |
} | |
} | |
// ------------------------------------------------------------------------------------------------- | |
// Framework | |
// ------------------------------------------------------------------------------------------------- | |
class ControlFunctionFactory { | |
def create = (input: String) => { | |
val (opcode, params) = CommandParser(input) | |
opcode match { | |
case "React" => | |
val bot = new BotImpl(params) | |
if (bot.generation == 0) { | |
ControlFunction.forMaster(bot) | |
} else { | |
ControlFunction.forSlave(bot) | |
} | |
bot.toString | |
case _ => "" // OK | |
} | |
} | |
} | |
// ------------------------------------------------------------------------------------------------- | |
trait Bot { | |
// inputs | |
def inputOrElse(key: String, fallback: String): String | |
def inputAsIntOrElse(key: String, fallback: Int): Int | |
def inputAsXYOrElse(keyPrefix: String, fallback: XY): XY | |
def view: View | |
def energy: Int | |
def time: Int | |
def generation: Int | |
// outputs | |
def move(delta: XY): Bot | |
def say(text: String): Bot | |
def status(text: String): Bot | |
def spawn(offset: XY, params: (String, Any)*): Bot | |
def set(params: (String, Any)*): Bot | |
def log(text: String): Bot | |
} | |
trait MiniBot extends Bot { | |
// inputs | |
def offsetToMaster: XY | |
// outputs | |
def explode(blastRadius: Int): Bot | |
} | |
object MiniBot { | |
val AGGRESSIVE = "Aggressive" | |
val DEFENSIVE = "Defensive" | |
val GATHERING = "Gathering" | |
val RETURNING = "Returning" | |
} | |
case class BotImpl(inputParams: Map[String, String]) extends MiniBot { | |
// input | |
def inputOrElse(key: String, fallback: String) = inputParams.getOrElse(key, fallback) | |
def inputAsIntOrElse(key: String, fallback: Int) = inputParams.get(key).map(_.toInt).getOrElse(fallback) | |
def inputAsXYOrElse(key: String, fallback: XY) = inputParams.get(key).map(s => XY(s)).getOrElse(fallback) | |
val view = View(inputParams("view")) | |
val energy = inputParams("energy").toInt | |
val time = inputParams("time").toInt | |
val generation = inputParams("generation").toInt | |
def offsetToMaster = inputAsXYOrElse("master", XY.Zero) | |
// output | |
private var stateParams = Map.empty[String, Any] | |
// holds "Set()" commands | |
private var commands = List[String]() | |
// holds all other commands | |
private var debugOutput = "" // holds all "Log()" output | |
/**Appends a new command to the command string; returns 'this' for fluent API. */ | |
private def append(s: String): Bot = { | |
commands ::= s | |
this | |
} | |
/**Renders commands and stateParams into a control function return string. */ | |
override def toString = { | |
var result = commands.mkString("|") | |
if (!stateParams.isEmpty) { | |
if (!result.isEmpty) result += "|" | |
result += stateParams.map(e => e._1 + "=" + e._2).mkString("Set(", ",", ")") | |
} | |
if (!debugOutput.isEmpty) { | |
if (!result.isEmpty) result += "|" | |
result += "Log(text=" + debugOutput + ")" | |
} | |
result | |
} | |
def log(text: String) = { | |
debugOutput += text + "\n" | |
this | |
} | |
def move(direction: XY) = append("Move(direction=%s)".format(direction)) | |
def say(text: String) = append("Say(text=%s)".format(text)) | |
def status(text: String) = append("Status(text=%s)".format(text)) | |
def explode(blastRadius: Int) = append("Explode(size=%d)".format(blastRadius)) | |
def spawn(offset: XY, params: (String, Any)*) = { | |
var paramStr = "" | |
if (!params.isEmpty) | |
paramStr = "," + params.map(e => e._1 + "=" + e._2).mkString(",") | |
append("Spawn(direction=%s%s)".format(offset, paramStr)) | |
} | |
def set(params: (String, Any)*) = { | |
stateParams ++= params | |
this | |
} | |
def set(keyPrefix: String, xy: XY) = { | |
stateParams ++= List(keyPrefix + "x" -> xy.x, keyPrefix + "y" -> xy.y) | |
this | |
} | |
} | |
// ------------------------------------------------------------------------------------------------- | |
/** | |
* Utility methods for parsing strings containing a single command of the format | |
* "Command(key=value,key=value,...)" | |
*/ | |
object CommandParser { | |
/**"Command(..)" => ("Command", Map( ("key" -> "value"), ("key" -> "value"), ..}) */ | |
def apply(command: String): (String, Map[String, String]) = { | |
/**"key=value" => ("key","value") */ | |
def splitParameterIntoKeyValue(param: String): (String, String) = { | |
val segments = param.split('=') | |
(segments(0), if (segments.length >= 2) segments(1) else "") | |
} | |
val segments = command.split('(') | |
if (segments.length != 2) | |
throw new IllegalStateException("invalid command: " + command) | |
val opcode = segments(0) | |
val params = segments(1).dropRight(1).split(',') | |
val keyValuePairs = params.map(splitParameterIntoKeyValue).toMap | |
(opcode, keyValuePairs) | |
} | |
} | |
// ------------------------------------------------------------------------------------------------- | |
object Entities { | |
val WALL = 'W' // Wall, you should avoid these | |
val MASTER = 'M' // Bot (=master; yours, always in the center unless seen by a slave) | |
val MINI_BOT = 'S' // Mini-bot (=slave, yours) | |
val ENEMY = 'm' // Bot (=master; enemy, not you) | |
val ENEMY_MINI_BOT = 's' // Mini-bot (=slave; enemy's, not yours) | |
val FOOD_PLANT = 'P' // Zugar (=good plant, food) | |
val FOOD_BEAST = 'B' // Fluppet (=good beast, food) | |
val POISON = 'p' // Toxifera (=bad plant, poisonous) | |
val PREDATOR = 'b' // Snorg (=bad beast, predator) | |
} | |
/** | |
* Utility class for managing 2D cell coordinates. | |
* The coordinate (0,0) corresponds to the top-left corner of the arena on screen. | |
* The direction (1,-1) points right and up. | |
*/ | |
case class XY(x: Int, y: Int) { | |
override def toString = x + ":" + y | |
def isNonZero = x != 0 || y != 0 | |
def isZero = x == 0 && y == 0 | |
def isNonNegative = x >= 0 && y >= 0 | |
def updateX(newX: Int) = XY(newX, y) | |
def updateY(newY: Int) = XY(x, newY) | |
def addToX(dx: Int) = XY(x + dx, y) | |
def addToY(dy: Int) = XY(x, y + dy) | |
def +(pos: XY) = XY(x + pos.x, y + pos.y) | |
def -(pos: XY) = XY(x - pos.x, y - pos.y) | |
def *(factor: Double) = XY((x * factor).intValue, (y * factor).intValue) | |
def distanceTo(pos: XY): Double = (this - pos).length | |
def length: Double = math.sqrt(x * x + y * y) // Phythagorean | |
def stepsTo(pos: XY): Int = (this - pos).stepCount | |
// steps to reach pos: max delta X or Y | |
def stepCount: Int = x.abs.max(y.abs) // steps from (0,0) to get here: max X or Y | |
def signum = XY(x.signum, y.signum) | |
def negate = XY(-x, -y) | |
def negateX = XY(-x, y) | |
def negateY = XY(x, -y) | |
/** Returns the direction index with 'Right' being index 0, then clockwise in 45 degree steps. */ | |
def toDirection45: Int = { | |
val unit = signum | |
unit.x match { | |
case -1 => | |
unit.y match { | |
case -1 => | |
if (x < y * 3) Direction45.Left | |
else if (y < x * 3) Direction45.Up | |
else Direction45.UpLeft | |
case 0 => | |
Direction45.Left | |
case 1 => | |
if (-x > y * 3) Direction45.Left | |
else if (y > -x * 3) Direction45.Down | |
else Direction45.LeftDown | |
} | |
case 0 => | |
unit.y match { | |
case 1 => Direction45.Down | |
case 0 => throw new IllegalArgumentException("cannot compute direction index for (0,0)") | |
case -1 => Direction45.Up | |
} | |
case 1 => | |
unit.y match { | |
case -1 => | |
if (x > -y * 3) Direction45.Right | |
else if (-y > x * 3) Direction45.Up | |
else Direction45.RightUp | |
case 0 => | |
Direction45.Right | |
case 1 => | |
if (x > y * 3) Direction45.Right | |
else if (y > x * 3) Direction45.Down | |
else Direction45.DownRight | |
} | |
} | |
} | |
def rotateCounterClockwise45 = XY.fromDirection45((signum.toDirection45 + 1) % 8) | |
def rotateCounterClockwise90 = XY.fromDirection45((signum.toDirection45 + 2) % 8) | |
def rotateClockwise45 = XY.fromDirection45((signum.toDirection45 + 7) % 8) | |
def rotateClockwise90 = XY.fromDirection45((signum.toDirection45 + 6) % 8) | |
def wrap(boardSize: XY) = { | |
val fixedX = if (x < 0) boardSize.x + x else if (x >= boardSize.x) x - boardSize.x else x | |
val fixedY = if (y < 0) boardSize.y + y else if (y >= boardSize.y) y - boardSize.y else y | |
if (fixedX != x || fixedY != y) XY(fixedX, fixedY) else this | |
} | |
} | |
object XY { | |
/** Parse an XY value from XY.toString format, e.g. "2:3". */ | |
def apply(s: String): XY = { | |
val a = s.split(':') | |
XY(a(0).toInt, a(1).toInt) | |
} | |
val Zero = XY(0, 0) | |
val One = XY(1, 1) | |
val Right = XY(1, 0) | |
val RightUp = XY(1, -1) | |
val Up = XY(0, -1) | |
val UpLeft = XY(-1, -1) | |
val Left = XY(-1, 0) | |
val LeftDown = XY(-1, 1) | |
val Down = XY(0, 1) | |
val DownRight = XY(1, 1) | |
def fromDirection45(index: Int): XY = index match { | |
case Direction45.Right => Right | |
case Direction45.RightUp => RightUp | |
case Direction45.Up => Up | |
case Direction45.UpLeft => UpLeft | |
case Direction45.Left => Left | |
case Direction45.LeftDown => LeftDown | |
case Direction45.Down => Down | |
case Direction45.DownRight => DownRight | |
} | |
def fromDirection90(index: Int): XY = index match { | |
case Direction90.Right => Right | |
case Direction90.Up => Up | |
case Direction90.Left => Left | |
case Direction90.Down => Down | |
} | |
def apply(array: Array[Int]): XY = XY(array(0), array(1)) | |
} | |
object Direction45 { | |
val Right = 0 | |
val RightUp = 1 | |
val Up = 2 | |
val UpLeft = 3 | |
val Left = 4 | |
val LeftDown = 5 | |
val Down = 6 | |
val DownRight = 7 | |
} | |
object Direction90 { | |
val Right = 0 | |
val Up = 1 | |
val Left = 2 | |
val Down = 3 | |
} | |
// ------------------------------------------------------------------------------------------------- | |
case class View(cells: String) { | |
val size = math.sqrt(cells.length).toInt | |
val center = XY(size / 2, size / 2) | |
def apply(relPos: XY) = cellAtRelPos(relPos) | |
def indexFromAbsPos(absPos: XY) = absPos.x + absPos.y * size | |
def absPosFromIndex(index: Int) = XY(index % size, index / size) | |
def absPosFromRelPos(relPos: XY) = relPos + center | |
def cellAtAbsPos(absPos: XY) = cells.charAt(indexFromAbsPos(absPos)) | |
def indexFromRelPos(relPos: XY) = indexFromAbsPos(absPosFromRelPos(relPos)) | |
def relPosFromAbsPos(absPos: XY) = absPos - center | |
def relPosFromIndex(index: Int) = relPosFromAbsPos(absPosFromIndex(index)) | |
def cellAtRelPos(relPos: XY) = cells.charAt(indexFromRelPos(relPos)) | |
def offsetToNearest(c: Char) = { | |
val matchingXY = cells.view.zipWithIndex.filter(_._1 == c) | |
if (matchingXY.isEmpty) | |
None | |
else { | |
val nearest = matchingXY.map(p => relPosFromIndex(p._2)).minBy(_.length) | |
Some(nearest) | |
} | |
} | |
} |
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment