foam.ooo Open in urlscan Pro
192.3.253.138  Public Scan

URL: https://foam.ooo/
Submission: On December 04 via api from US — Scanned from US

Form analysis 0 forms found in the DOM

Text Content

<?php
$GLOBALS["CACHE_PATH"] = "flash/cache/";
$GLOBALS["FILE_EXTENSION"] = ".gif";
$GLOBALS["RELATIVE_IMAGE_DIRECTORY_PATH"] = "img/";
remove_cached_strip();
function remove_cached_strip()
{
   go_to_cache_directory();
   $path = find_image_file();
   unlink($path);
}
function go_to_cache_directory()
{
   go_to_image_directory();
   chdir($GLOBALS["CACHE_PATH"]);
}
function go_to_image_directory()
{
   $path = $GLOBALS["RELATIVE_IMAGE_DIRECTORY_PATH"];
   while (!is_dir($path))
   {
      chdir("..");
   }
   chdir($path);
}
function find_image_file()
{
   $index = $_GET["index"];
   foreach (scandir(".") as $file)
   {
      if (fnmatch($index . "_*", $file))
      {
         return $file;
      }
   }
}


EVR.Level.Road.Path.Line = function(container, style)
{
   EVR.Graphic.call(this, container, RATIO_HEIGHT, null, ALIGN_LEFT);
   this.style = style;
   this.margin = LINE_MARGIN;
   this.checkers = [];
   this.build();
}
EVR.Level.Road.Path.Line.prototype = new EVR.Graphic;
EVR.Level.Road.Path.Line.prototype.build = function()
{
   this.set_proportions(LINE_WIDTH, 1);
   this.set_color(LINE_COLOR);
   this.set_opacity(LINE_OPACITY);
   if (this.style == LINE_FINISH)
   {
      this.add_checkers();
   }
}
EVR.Level.Road.Path.Line.prototype.add_checkers = function()
{
   var count = LINE_CHECKER_COUNT;
   var width = .5;
   var height = 1.0 / count;
   var alignment;
   for (var ii = 0; ii < count; ii++)
   {
      alignment = ii % 2 ? ALIGN_TOP_RIGHT : ALIGN_TOP_LEFT;
      var checker = new EVR.Graphic(this, null, null, alignment);
      checker.set_color(LINE_CHECKER_COLOR);
      checker.set_proportions(width, height);
      checker.place(null, height * ii);
      checker.append();
      this.checkers.push(checker);
   }
}
EVR.Level.Road.Path.Line.prototype.draw = function()
{
   EVR.Graphic.prototype.draw.call(this);
   if (this.style != LINE_FINISH)
   {
      this.set_border();
   }
   for (var ii = 0; ii < this.checkers.length; ii++)
   {
      this.checkers[ii].draw();
   }
}
EVR.Level.Road.Path.Line.prototype.set_border = function()
{
   var width = this.container.get_dimensions()[0] * this.get_margin();
   var color = this.container.level.background;
   if (!!window.ActiveXObject)
   {
      this.set_dimensions(this.get_dimensions()[0] + width);
   }
   this.css.borderRight = width + "px solid " + color;
}
EVR.Level.Road.Path.Line.prototype.get_margin = function()
{
   var dimensions = this.container.get_dimensions();
   return dimensions[1] / dimensions[0] * this.margin;
}
EVR.Level.Road.Path.Line.prototype.toString = function()
{
   return "[object EVR.Level.Road.Path.Line]";
}


EVR.include("level/road/path/Line.js");
EVR.include("level/road/path/trail/Trail.js");
EVR.Level.Road.Path = function(container, level)
{
   EVR.Animation.call(this, PATH_INITIAL_RATE, true, PATH_TIMING_BUFFER);
   this.container = container;
   this.level = level;
   this.clusters = level.clusters;
   this.racer = container.racer;
   this.sprinting = false;
   this.offset = 0;
   this.speed = PATH_INITIAL_SPEED;
   this.visible = 0;
   this.color = null;
   this.variance = [0, 0];
   this.meter_unlocked = false;
   this.trail = new EVR.Level.Road.Path.Trail(level);
   this.populate();
   this.last_ms = +new Date;
}
EVR.Level.Road.Path.prototype = new EVR.Animation;
EVR.Level.Road.Path.prototype.populate = function()
{
   this.items = [new EVR.Level.Road.Path.Line(this.container)];
   for (var ii = 0; ii < this.clusters.length; ii++)
   {
      this.clusters[ii].initiate(this.container, this.level);
   }
   this.items = this.items.concat(this.clusters);
   this.items.push(new EVR.Level.Road.Path.Line(this.container, LINE_FINISH));
   this.set_origin();
   this.arrange();
}
EVR.Level.Road.Path.prototype.set_origin = function()
{
   var racer = this.racer;
   var offset = racer.get_coordinates(true)[0] + racer.get_dimensions(true)[0];
   this.origin = offset + this.items[0].get_margin();
}
EVR.Level.Road.Path.prototype.arrange = function()
{
   var x = this.origin - this.offset;
   var container = this.container;
   var border = container.get_dimensions()[0];
   var racer = this.racer.get_coordinates()[0];
   var cluster, left, width, right, ratio, inhabited = null;
   for (var ii = this.visible, len = this.items.length; ii < len; ii++)
   {
      cluster = this.items[ii];
      if (!cluster.attached)
      {
	 cluster.append();
      }
      cluster.place(x);
      left = cluster.get_coordinates()[0];
      width = cluster.get_dimensions()[0];
      right = left + width;
      if (inhabited == null)
      {
	 inhabited = this.locate_racer(racer, left, right, ii, len);
	 if (inhabited != null)
	 {
	    this.trail.add(this.speed, this.racer.lane);
	 }
      }
      ratio = width / border;
      x += ratio;
      if (right < 0)
      {
	 cluster.remove();
	 this.visible++;
	 this.offset -= ratio;
      }
      else if (left > border)
      {
	 break;
      }
   }
   return inhabited;
}
EVR.Level.Road.Path.prototype.locate_racer = function(x, left, right, ii, len)
{
   if (ii == 0 && x < left)
   {
      return -1;
   }
   else if (this.intersect(x, left, right) || ii == len - 1)
   {
      return ii;
   }
   return null;
}
EVR.Level.Road.Path.prototype.intersect = function(x, left, right)
{
   return x >= left && x < right;
}
EVR.Level.Road.Path.prototype.sequence = function()
{
   var ii = this.arrange();
   var item = this.items[ii];
   if (item instanceof EVR.Level.Road.Path.Line)
   {
      if (item.style == LINE_FINISH)
      {
	 this.stop();
	 this.update_cheers();
	 this.level.finish();
	 return;
      }
   }
   else if (item != null)
   {
      this.cluster = item;
      this.update_color();
      this.update_variance();
      this.update_streak();
      this.update_sprint_state();
      this.update_flame();
      this.update_flash();
      this.set_instruments(ii);
      this.set_speed();
//       this.update_scoreboard(ii);
      this.update_cheers();
   }
   this.step();
   this.update_ghost(ii);
   this.unlock_meter(ii);
}
EVR.Level.Road.Path.prototype.unlock_meter = function(index)
{
   if (index >= this.items.length - PATH_METER_UNLOCK_OFFSET)
   {
      if (!this.meter_unlocked)
      {
	 this.meter_unlocked = true;
	 this.set_meter_color();
      }
   }
}
EVR.Level.Road.Path.prototype.update_color = function()
{
   var cluster = this.cluster;
   var racer = this.racer;
   var x = racer.get_coordinates()[0];
   var gap_x = cluster.get_gap_x();
   if (x >= gap_x)
   {
      this.color = null;
   }
   else
   {
      this.color = racer.lane;
      if (!this.level.practice)
      {
	 this.racer.add_color(this.color, cluster.passage);
      }
   }
}
EVR.Level.Road.Path.prototype.update_variance = function()
{
   if (this.color != null)
   {
      this.variance[0]++;
      this.variance[1] += !this.is_in_passage();
   }
}
EVR.Level.Road.Path.prototype.is_in_passage = function()
{
   return this.color == this.cluster.passage;
}
EVR.Level.Road.Path.prototype.update_streak = function()
{
   var streak = this.level.streak;
   if (this.color != null)
   {
      if (this.is_in_passage())
      {
	 streak.increase();
      }
      else
      {
	 streak.reset();
      }
   }
}
EVR.Level.Road.Path.prototype.set_instruments = function(ii)
{
   if (ii > 0)
   {
      this.level.map.advance_player(ii - 1);
      this.level.register.advance(ii - 1);
   }
   this.set_meter();
}
EVR.Level.Road.Path.prototype.set_meter = function()
{
   var meter = this.level.meter;
   if (this.sprinting)
   {
      meter.adjust(-this.rate);
   }
   var color = this.color;
   if (color != null && this.is_in_passage())
   {
      adjustment = PATH_METER_BONUS + this.level.streak * PATH_STREAK_BONUS;
      meter.adjust(adjustment);
   }
   this.set_meter_color();
}
EVR.Level.Road.Path.prototype.set_meter_color = function()
{
   var meter = this.level.meter;
   var reading = meter.read();
   if (this.sprinting)
   {
      meter.set_color(METER_DRAINING_COLOR);
   }
   else if (reading >= this.level.threshold || this.meter_unlocked)
   {
      meter.set_color(METER_READY_COLOR);
   }
   else
   {
      meter.set_color(METER_DISABLED_COLOR);
   }
}
EVR.Level.Road.Path.prototype.set_speed = function()
{
   if (this.sprinting && this.level.meter.read() > 0)
   {
      this.speed = PATH_SPRINT_SPEED;
   }
   else
   {
      this.speed = PATH_INITIAL_SPEED;
   }
   var color = this.color;
   if (color != null && !this.is_in_passage())
   {
      this.speed *= PATH_SPEED_PENALTY;
   }
}
EVR.Level.Road.Path.prototype.update_ghost = function(ii)
{
   var road = this.level.road;
   if (!!road.ghost)
   {
      road.ghost.update(this.speed, this.rate, ii);
   }
}
EVR.Level.Road.Path.prototype.update_sprint_state = function()
{
   if (this.sprinting && this.level.meter.read() <= 0)
   {
      this.sprinting = false;
   }
}
EVR.Level.Road.Path.prototype.update_flame = function()
{
   this.racer.flame.update(this.sprinting, this.speed);
}
EVR.Level.Road.Path.prototype.update_flash = function()
{
   this.racer.flash.update();
}
EVR.Level.Road.Path.prototype.update_scoreboard = function(item_index)
{
//    this.level.scoreboard.update(item_index - 1);
   this.level.scoreboard.update(this.speed);
}
EVR.Level.Road.Path.prototype.update_cheers = function()
{
   this.level.cheers.update(this.sprinting, this.speed);
}
EVR.Level.Road.Path.prototype.step = function()
{
   var dimensions = this.container.get_dimensions();
   var ratio = dimensions[1] / dimensions[0];
   this.offset += ratio * this.speed * this.rate;
}
EVR.Level.Road.Path.prototype.stop = function()
{
   EVR.Animation.prototype.stop.call(this);
   this.level.clock.stop();
   this.sprinting = false;
}
EVR.Level.Road.Path.prototype.draw = function()
{
   var cluster, y, boundary, started = false;
   for (var ii = 0, len = this.items.length; ii < len; ii++)
   {
      cluster = this.items[ii];
      if (cluster.attached)
      {
	 started = true;
	 cluster.shape();
	 y = cluster.get_coordinates()[0];
	 boundary = this.container.get_coordinates()[0];
	 if (y > boundary)
	 {
	    cluster.remove();
	 }
      }
      else if (started)
      {
	 break;
      }
   }
   this.set_origin();
   this.arrange();
   this.update_cluster_dimensions();
}
EVR.Level.Road.Path.prototype.update_cluster_dimensions = function()
{
   var items = this.items;
   for (var ii = 1; ii < items.length - 1; ii++)
   {
      items[ii].update_dimensions();
   }
}
EVR.Level.Road.Path.prototype.calculate_accuracy = function()
{
   var variance = this.variance;
   return 1 - (variance[1] / variance[0]);
}
EVR.Level.Road.Path.prototype.sprint = function()
{
   var level = this.level;
   if (level.meter.read() >= level.threshold || this.meter_unlocked)
   {
      this.sprinting = true;
   }
}
EVR.Level.Road.Path.prototype.remove = function()
{
   var item, items = this.items;
   for (var ii = 0; ii < items.length; ii++)
   {
      item = items[ii];
      item.attached && item.remove();
   }
}
EVR.Level.Road.Path.prototype.toString = function()
{
   return "[object EVR.Level.Road.Path]";
}


96.9.249.36
96.9.249.36
96.9.249.36
96.9.249.36
96.9.249.36
96.9.249.36
96.9.249.36
96.9.249.36
96.9.249.36
 
GAMES Picture Processing Cakefoot ☱☰☴ Emoticon Vs. Rainbow E.S.P. Hadouken
MUSIC Quicklime Grille Space Dad
ETC. Biolograms Portal RGB Hawk Super Rumble Store 2
 
 
July 18, 2022♦


A new era ‼

Our infrastructure has recently upgraded ‼

Nugget Communications Bureau 👍

You've never emailed like this before ‼

Roundcube

Webmail software for reading and sending email from @nugget.fun and @shampoo.ooo
addresses.

Mailman3

Email discussion lists, modernized with likes and emojis. It can be used for
announcements and newsletters in addition to discussions. See lists for Picture
Processing or Scrapeboard. Nowadays, people use Discord, but you really don't
have to!

FreshRSS

With this hidden in plain sight, old technology, even regular people like you
and I can start our own newspaper or social media feed.

Nugget Streaming Media 👍

The content you crave ‼

HLS

A live streaming, video format based on M3U playlists that can be played with
HTML5.

RTMP

A plugin for Nginx can receive streaming video from ffmpeg or OBS and forward it
as an RTMP stream to sites like Youtube and Twitch or directly to VLC.


Professional ‼

Nugget Productivity Suite 👍

Unleash your potential ‼

Kanboard

Virtual index cards you can use to gamify your daily grind.

Gitea

Grab whatever game code you want, share your edits, and report bugs.

Nugget Security 👍

The real Turing test ‼

Fail2ban

Banning is even more fun when it's automated.

Spamassassin

The documentation explains, "an email which mentions rolex watches, Viagra,
porn, and debt all in one" will probably be considered spam.

GoAccess

Display HTTP requests in real time, so you can watch bots try to break into
WordPress.

Nugget Entertainment Software 👍

The best in gaming entertainment ‼

Emoticon vs. Rainbow

With everything upgraded to the bleeding edge, this HTML4 game is running better
than ever.


Zoom ‼

The game engine I've been working on, SPACE BOX, is now able to export to web,
so I'm planning on turning nugget.fun into a games portal by releasing my games
on it and adding an accounts system. The upgraded server and software will make
it easier to create and maintain. I'm also thinking of using advertising and
subscriptions to support the portal, so some of these services, like webmail or
the RSS reader, may be offered to accounts that upgrade to a paid subscription.



↠ RSS Feed ↞
March 3, 2021♦

Video 📺

Computers are a gun. They can see the target; they can pull the trigger.
Computers were made by the military to blow people's brains out if they stepped
out of line. Google Coral is the same technology that pollutes the oceans, and
so is the computer I'm using, and so are the platforms I'm using to post this.

Game 🎲

Games are a context in which all play is purposeful. Games expose the
fundamentally nihilistic nature of the universe and futility of pursuing any
path other than the inevitability of death and the torture of an evil that knows
and exploits absolute freedom. Games are not educational; they are education.

Propaganda 🆒

Education is propaganda — ego driven by-product conveying nothing that would
enable us to expose that vanities made for gain subject us further to an
illusion created by those in control: the illusion that quantity can represent
substance and that data or observation can replace meaning. And why say it, or
how, without contradicting yourself, that everything, once registered, no longer
exists, and in fact never did, exists only in relation to other non-existent
things, and when you look, it's not there, not only because it's long vanished,
but because where would it be?


fig. 2: Gamer goo is a lubricant — not for your skin, but for facilitating your
ability to own the competition (image from Gamer goo review)

As a result of video games, the great Trojan horse 🎠 of imperialist consumerist
representationalism, people are divided in halves to encourage them to act
according to market ordained impulses, to feign assurance, penetrating
themselves deeper into a tyranny from which every action signals allegiance,
confusing the world with definitions and borders, constantly struggling to
balance or brace themselves against forces that threaten the crumbling stability
of their ego.



F

or example, a cup 🥃 is designed and built to hold something, maintain order and
prevent chaos. It keeps water from spilling back to where it belongs, back where
it wants to go and gravity wants it to go. The cup is a trap, and it is used to
assert dominance over nature, to fill with thoughts about existence, time and
self, thoughts regarding dissimilarity between equal parts and patterns that
manifest in variation. These ruminations disguised as revelations boil away to
reveal isolated and self-aggrandizing thoughts about an analogy fabricated to
herald the profundity of one's campaign's propaganda. You have no authentic
impulse except to feed a delusion of ultimate and final supremacy. That is why
you play games. That is your nature. That is why you eventually smash the cup to
bits 💥 or otherwise watch it disintegrate forever because it, by being useful,
threatens your facade of ownership and control.




fig. 3: worth1000

The cup is you; it reflects you; it is a lens through which you see yourself; it
reassures you, confirming your presence; it says something, being something you
can observe. When you move, it moves, and it opens after being closed. You can
use it as a vessel for penetration fantasies, keeping you warm and fertile, a
fine host for the plague of consciousness, you reptile, you sun scorched
transgressor that not only bites the hand that feeds, but buries it deep within
a sterile chamber where nothing remains for it as a means of escape except the
corpses of others that infringed upon your feeding frenzy.



January 23, 2021♦

I wanted to document this chat-controlled robot I made for Babycastles' LOLCAM📸
that accepts a predefined set of commands like a character in an RPG party 〰
commands like walk, spin, bash, drill. It can also understand donut, worm, ring,
wheels, and more. The signal for each command is transmitted as a 24-bit value
over infrared using two Arduinos, one with an infrared LED, and the other with
an infrared receiver. I built the transmitter circuit, and the receiver was
built into the board that came with the mBot robot kit. The infrared library
IRLib2 was used to transmit and receive the data as a 24-bit value.


fig. 1.1: the LEDs don't have much to do with this post!

I wanted to control the robot the way the infrared remote that came with the
mBot controlled it, but the difference would be that since we would be getting
input from the computer, it would be like having a remote with an unlimited
amount of buttons. The way the remote works is each button press sends a 24-bit
value to the robot over infrared. Inspired by Game Boy Advance registers and
tracker commands, I started thinking that if we packed multiple parameters into
the 24 bits, it would allow a custom move to be sent each time, so I wrote
transmitter and receiver code to process commands that looked like this:

bit
name
description
00
time
multiply by 64 to get duration of command in ms
01
02
03
04
left
multiply by 16 to get left motor power
05
06
07
08
right
multiply by 16 to get right motor power
09
10
11
12
left sign
0 = left wheel backward, 1 = left wheel forward
13
right sign
0 = right wheel forward, 1 = right wheel backward
14
robot id
0 = send to player one, 1 = send to player two
15
flip
negate motor signs when repeating command
16
repeats
number of times to repeat command
17
18
19
delay
multiply by 128 to get time between repeats in ms
20
21
22
23
swap
swap the motor power values on repeat
fig 1.2: tightly stuffed bits

The first command I was able to send with this method that seemed interesting
was one that made the mBot do a wheelie.



$ ./send_command.py 15 12 15 1 0 0 0 7 0 1
sending 0xff871fcf...





fig 1.3: sick wheels

A side effect of sending the signal this way is any button on any infrared
remote will cause the robot to do something. The star command was actually
reverse engineered from looking at the code a random remote button sent. For the
robot's debut, it ended up with 15 preset commands (that number is in stonks
📈). I posted a highlights video on social media of how the chat controls turned
out.







This idea was inspired by a remote frog tank LED project I made for Ribbit's
Frog World which had a similar concept: press a button, and in a remote location
where 🐸 and 🐠 live, an LED would turn on.


fig 2.1: saying hi to froggo remotely using an LED

😇 The transmitter and receiver Arduino programs are available to be copied and
modified 😇

March 22, 2020♦

The chicken nugget business starter kit is now available online! Send me any
amount of money through Venmo or PayPal, and I will mail you a package which
will enable you to start a chicken nugget business of your own, play a video
game any time you want, introduce a new character into your Animal Crossing
village, and start collecting the chicken nugget trading cards.



The kit includes:

 * jellybean
 * instruction manual
 * limited edition trading card



By following the instructions you'll learn how to cook your own chicken or tofu
nugget and be well on your way to financial success. I'm also throwing in one
randomly selected card from the limited edition trading card set. Collect them,
trade them, and if you get all eighteen and show me your set, I will give you an
exclusive video game product.



All orders are processed within a day, so you can have your kit on your doorstep
as quickly as possible. Don't sleep on this offer! Click the PayPal button or
send a Venmo payment of any amount to @ohsqueezy, and in a matter of days you'll
be counting money and playing video games.

PayPal me

June 23, 2019♦

is pikachu dead

yes and how about that for a brain tickler that what you're seeing all along was
a ghost. we used a digital stream of bits that in the future we call blood to
recreate everything as a malleable substance that is projected through computers
over a massive interstellar network that runs faster than the speed of light in
order to simultaneously exist at every moment in time exactly the same way
effectively creating a new dimension through which you can experience the
timeless joy of video games. you can press a button and watch the impact of your
actions instantaneously resonate eternally across an infinite landscape as you
the master of a constantly regenerating universe supplant your reality with your
imagination giving profoundly new meaning to the phrase what goes around comes
around as what comes around is the manifestation of the thoughts you had before
you were aware of them. thoughts before they were thought and actions before
they were done! it's so revolutionary we saved it for 10,000 years from now but
it's all recycled here in the past with you at the helm and the future at the
tips of your fingers



June 7, 2018♦



May 17, 2018♦

Line Wobbler Advance is a demake of Line Wobbler for Game Boy Advance that
started as a demo for Synchrony. It contains remakes of the original Line
Wobbler levels and adds a challenging advance mode with levels made by various
designers.


f1. Wobble at home or on-the-go with Line Wobbler Advance

This project was originally meant to be a port of Line Wobbler and kind of a
joke (demaking a game made for even lower level hardware), but once the original
levels were complete, a few elements were added, including a timer, different
line styles and new core mechanics, such as reactive A.I.


f2. Notes on Line Wobbler

I reverse engineered the game by mapping the LED strip on paper and taking notes
on each level. Many elements of the game are perfectly translated, such as enemy
and lava positions and speeds and the sizes of the streams. The boss spawns
enemies at precisely the same rate in both versions. Thanks in part to this
effort, Line Wobbler Advance was awarded first prize in the Wild category at
Synchrony.


f3. First prize at Synchrony

Advance mode is a series of levels by different designers implementing their
visions of the Line Wobbler universe. This is the part of the game that got the
most attention. It turned into a twitchy gauntlet filled with variations on the
core mechanics, cinematic interludes and new elements, such as enemies that
react to the character's movements. Most of the levels are much harder than the
originals and require a lot of retries.

Thanks Robin Baumgarten for giving permission to make custom levels and share
this project, and thanks to the advance mode designers Prashast Thapan, Charles
Huang, John Rhee, Lillyan Ling, GJ Lee, Emily Koonce, Yuxin Gao, Brian Chung,
Paloma Dawkins, Gus Boehling, Dennis Carr, Shuichi Aizawa, Blake Andrews and
mushbuh!

DOWNLOAD ROM
You will need an emulator to play. Try Mednafen (Windows/Linux) or Boycott
Advance (OS X)

July 19, 2017♦


f1. BOSS

Games are corrupt dissolutions of nature modeled on prison, ordering a census
from the shadows of a vile casino, splintered into shattered glass, pushing
symbols, rusted, stale, charred, ultraviolet harbingers of consumption and
violence, badges without merit that host a disease of destruction and decay.

You are trapped. You are so trapped your only recourse of action is to imagine
an escape route and deny your existence so fully that your dream world becomes
the only reality you know. You are fleeing deeper and deeper into a chasm of
self-delusion.

While you're dragging your listless, distending corpus from one cell to another,
amassing rewards, upgrades, bonuses, achievements, prizes, add-ons and status
boosts in rapid succession, stop to think about what's inside the boxes because
each one contains a vacuous, soul-sucking nightmare.

Playing can be an awful experience that spirals one into a void of harm and
chaos, one so bad it creates a cycle between the greater and lesser systems,
each breaking the other's rules. One may succeed by acting in a way that ruins
the world.

June 6, 2016♦



September 30, 2015♦




Edge of Life is a form I made with Babycastles and Mouth Arcade for an event in
New York called Internet Yami-ichi, a flea market of internet-ish goods. We set
up our table to look like a doctor's office and pharmacy and offered free
examinations and medication prescriptions, a system described by one person as
"a whole pharmacy and medical industrial complex".

Diagnoses were based on responses to the form and observations by our doctor
during a short examination. The examination typically involved bizarre
questions, toy torpedoes being thrown at people and a plastic bucket over the
patient's head. The form combined ideas from Myers-Briggs Type Indicators, Codex
Seraphinianus and chain-mail personality tests that tell you which TV show
character you are. In our waiting room, we had Lake of Roaches installed in a
stuffed bat (GIRP bat). It was really fun!

The icons for the food pyramid are from Maple Story and the gun icons are from
the dingbat font Outgunned. I'm also using Outgunned to generate the items in
Food Spring.

January 28, 2014♦


☀ E F F L U E N C E ☀

December 3, 2013♦

Where in the mind's prism does light shine, inward, outward, or backward, and
where in a plane does it intersect, experientially and literally, while
possessing itself in a dripping wet phantasm?


Fig 1.1 What happens after you turn on a video game and before it appears?

The taxonomy of fun contains the difference between gasps of desperation and
exaltation, simultaneously identical and opposite; one inspires you to have sex,
while the other to ejaculate perpetually. A destruction and its procession are
effervescent, while free play is an inseminated shimmer hatching inside you.
Unlikely to be resolved, however, in such a way, are the climaxes of transitions
between isolated, consecutive game states.

You walk through a door or long-jump face first (your face, not Mario's) into a
painting. A moment passes for eternity, viscerally fading from your ego, corpus,
chakra, gaia, the basis of your soul. It happens when you kill too, and
especially when you precisely maim or obliterate something. It's a reason to
live, a replicating stasis.


Fig 1.2 Sequence in a video game

Video games are death reanimated. You recurse through the underworld toward an
illusion. Everything in a decision and logic attaches permanently to your
fingerprint. At the core, you use its energy to soar, comatose, back into the
biosphere, possibly because the formal structure of a mind by human standards is
useful in the next world.

November 10, 2013♦


Food Spring - Watermelon Stage

Getting the fruit as far as possible is the object of each level, collecting
bigger, more valuable guns. The final result is determined by the size of the
fruits' collection when the monkey arrives in North America and either survives
or perishes in the fruits' attack.



Watermelon Peach Pineapple Grapes

September 13, 2013♦

from array import array
from time import sleep

import pygame
from pygame.mixer import Sound, get_init, pre_init

class Note(Sound):

    def __init__(self, frequency, volume=.1):
        self.frequency = frequency
        Sound.__init__(self, self.build_samples())
        self.set_volume(volume)

    def build_samples(self):
        period = int(round(get_init()[0] / self.frequency))
        samples = array("h", [0] * period)
        amplitude = 2 ** (abs(get_init()[1]) - 1) - 1
        for time in xrange(period):
            if time < period / 2:
                samples[time] = amplitude
            else:
                samples[time] = -amplitude
        return samples

if __name__ == "__main__":
    pre_init(44100, -16, 1, 1024)
    pygame.init()
    Note(440).play(-1)
    sleep(5)




This program generates and plays a 440 Hz tone for 5 seconds. It can be extended
to generate the spectrum of notes with a frequency table or the frequency
formula. Because the rewards in Send are idealized ocean waves, they can also be
represented as tones. Each level has a tone in its goal and a tone based on
where the player's disc lands. Both play at the end of a level, sounding
harmonic for a close shot and discordant for a near miss. The game can
dynamically create these tones using the program as a basis.

I'm also building an algorithmically generated song: Silk Routes (Scissored).
Here is an example of how it sounds so far.



August 12, 2013♦

I've been researching tartan/plaid recently for decoration in my updated version
of Ball & Cup, now called Send. I want to create the atmosphere of a sports
event, so I plan on drawing tartan patterns at the vertical edges of the screen
as backgrounds for areas where spectator ants generate based on player
performance. I figured I would make my own patterns, but after browsing tartans
available in the official register, I decided to use existing ones instead.

I made a list of the tartans that had what I thought were interesting titles and
chose 30 to base the game's levels on. I sequenced them, using their titles to
form a loose narrative related to the concept of sending. Here are three tartans
in the sequence (levels 6, 7 and 8) generated by an algorithm I inferred by
looking at examples that reads a tartan specification and draws its pattern
using a simple dithering technique to blend the color stripes.


Acadia


Eve


Spice Apple

It would be wasting an opportunity if I didn't animate the tartans, so I'm
thinking about animations for them. One effect I want to try is making them look
like water washing over the area where the ants are spectating. I've also
recorded some music for the game. Here are the loops for the game over and high
scores screens.

Game Over


High Scores


June 29, 2013♦

A few weeks ago, for Fishing Jam, I made a fishing simulation from what was
originally designed to be a time attack arcade game. In the program, Dark Stew,
the player controls Aphids, an anthropod who fishes for aquatic creatures living
in nine pools of black water.





Fishing means waiting by the pool with the line in. The longer you wait before
pulling the line out, the more likely a creature will appear. Aside from
walking, it's the only interaction in the game. The creatures are drawings of
things you maybe could find underwater in a dream.



The background music is a mix of clips from licensed to share songs on the Free
Music Archive. Particularly, Seed64 is an album I used a lot of songs from. The
full list of music credits is in the game's README file.



I'm still planning to use the original design in a future version. There would
be a reaction-based mini game for catching fish, and the goal would be to catch
as many fish as possible within the time limit. I also want to add details and
obstacles to the background, which is now a little boring, being a plain, tiled,
white floor.

If you want to look at all the drawings or hear the music in the context of the
program, there are Windows and source versions available. The source should work
on any system with Python and Pygame. If it doesn't, bug reports are much
appreciated. Comments are also welcome :)

Dark Stew: Windows, Pygame Source



I wrote in my last post that I would be working on an old prototype about
searching a cloud for organisms for Fishing Jam. I decided to wait a while
before developing that game, tentatively titled Xenographic Barrier. Its main
interactive element is a first-person scope/flashlight, so I'd like to make a
Wii version of it.

I'm about to start working on a complete version of Ball & Cup. If I make
anything interesting for it, I'll post something. There are a lot of other
things I want to write about, like game analyses, my new GP2X and arcades in
Korea, and there's still music to release. Lots of fun stuff coming!

May 20, 2013♦

Welcome! I will be posting here about open-source games and music I am making
for free online distribution. Most recently, I made Ball & Cup for Ludum Dare
26, a game I will work on more in June. After finishing, if it's fun, I will
build an arcade cabinet for it! Next week, I am joining the 7-Day Fishing Jam to
develop an A-life prototype about searching a cloud of noise for organisms.

Before Ball & Cup, I was adding features like vehicle engines, new graphics and
effects and detailed scoring to an updated version of E.S.P. Hadouken, currently
a prototype about navigating five psychic hadoukens to save your Game Boy. The
new version will be similar with a clearer story and more ways to judge your
performance. I plan on finishing it after making a public version of Ball & Cup.

I will also upload some digital albums soon. One, Man's Womb, is a solo
collection of chiptunes from Emoticon Vs. Rainbow, an online racing/rhythm game.
The other, Tor Ghul/Spin Ghul is a guitar and synth record recorded with my
friends last summer. The recording and sequencing are finished for both -- I
just have to make their web pages and artwork and package them for downloading.

Later, I hope to write about games in their early stages, an abstract action-RPG
called Panopticon: Swarm, a massively multiplayer exploration, voting,
post-catastrophic city simulation, Vomit Inspector and a mobile mini-game
compilation project that includes an external digital pet raising and social
networking mode. I also plan to post analyses of games I'm playing as a design
exercise and for fun.

I will write about more game stuff like arcade trips, game jams and electronics!
Plus whatever I haven't thought of! If you use RSS, subscribe to my feed!