Category: Uncategorized

  • 02 Noodles and Doodles

    I have been doing two things: Re-familiarizing myself with p5.js by duplicating and editing sketches from The Nature of Code, and, following my curiosities with musical systems.

    First, the code. The first parts of The Nature of Code describe making a random walk, this is a simple system where you have a walker, in this case a dot, and every time interval, it takes a step in a random cardinal direction. Up, Down, Left, or Right. It is quite easy and has a pleasantly organic look already. Below is a video demonstrating the walk, and a code snippet of how it is driven.

    // The Nature of Code
    // Daniel Shiffman
    // http://natureofcode.com
    
    let walker;
    
    function setup() {               // once at the beginning of the program, perform this code
      createCanvas(640, 240); // create a window of width 640 and height 240 pixels
      walker = new Walker();     // create a new walker object
      background(255);             // set the background to white
    }
    
    function draw() {       // every frame, perform this code
      walker.step();          // make the walker take a step in a random direction
      walker.show();         // draw the walker in it's new position
    }
    
    class Walker {                      // all the code defining the walker object is in here
      constructor() {                   // run this code when the walker is created               
        this.x = width / 2;             // position the walker in the dead center of the screen
        this.y = height / 2;
      }
    
      show() {                     // run this code when the command walker.show() is run
        stroke(0);                 // set the stroke color to black
        point(this.x, this.y);  // draw a stroke at the x & y positions stored in the walker
      }
    
      step() {                                                  // run this code every time walker.step() is run
        const choice = floor(random(4));        // generate a random number between 0 and 4, exclusive
        if (choice == 0) {                                  // change the x or y position dependent on the random value
          this.x++;
        } else if (choice == 1) {
          this.x--;
        } else if (choice == 2) {
          this.y++;
        } else {
          this.y--;
        }
      }
    }
    

    This code comes directly from The Nature of Code book. All lines, besides the attribution, starting with “//” are comments written by myself to explain the code.

    I decided to run with what was given to me here. After maybe an hour of tweaking settings and experimenting with the background opacity, I found a way to have a random walk that left me with a very organic and flowing movement, shown below.

    You will notice many comments in my own code, this is because while testing new ideas, it can be helpful to retain old ideas. So rather than deleting lines, I comment them out. They do not affect the output of the program.

    let walkers = [];
    
    function setup() {
        createCanvas(800, 800);
        for (let i = 0; i < 2000; i++) {
            let walker = new Walker(17)
            walkers.push(walker);
        }
        background(225);
    }
    
    function draw() {
        background(255, 10);
        for (i = 0; i < walkers.length; i++){
            walkers[i].step();
            walkers[i].show();
        }
    }
    
    class Walker {
        constructor(size) {
            // this.x = random(width);
            // this.y = random(height);
            this.x = width/2;
            this.y = height/2;
            this.size = size;
            // this.hue = floor(random(50));
            // this.shade = color(this.hue);
            this.hueshifts = [50, 20, 50];
            this.shade = color(this.hueshifts[0],this.hueshifts[1],this.hueshifts[2]);
        }
    
        show() {
            stroke(this.shade);
            strokeWeight(this.size);
            point(this.x, this.y);
        }
        
        step() {
            let xstep = random(-this.size, this.size);
            let ystep = random(-this.size, this.size);
            this.x += xstep/7;
            this.y += ystep/7;
            //let stepMult = random(min(width, height) / 200);
            //this.x += xstep*stepMult;
            //this.y += ystep*stepMult;
            
            /* keep walker on canvas horizontally */
            if (this.x >= width + (1.5*this.size) | this.x <= 0 - (1.5*this.size)) {
                this.x = width/2;
                this.y = height/2;
                // this.x = random(width);
                // this.y = random(height);
                // this.size-=1;
                // this.grey -= 102;
                // this.shade = color(this.grey);
            }
            
            /* keep walker on canvas vertically */
            if (this.y >= height + (1.5*this.size)| this.y <= 0 - (1.5*this.size)){
                this.x = width/2;
                this.y = height/2;
                // this.x = random(width);
                // this.y = random(height);
                // this.size-=1;
                // this.grey -= 102;
                // this.shade = color(this.grey);
            }
            
            // const choice = floor(random(4));
            
            // switch(choice) {
            //   case 0:
            //     this.x+=this.size;
            //     break;
            //   case 1:
            //     this.x-=this.size;
            //     break;
            //   case 2:
            //     this.y+=this.size;
            //     break;
            //   case 3:
            //     this.y-=this.size;
            // }
        }
    }
    
    

    This code is more convoluted, essentially, I am creating not just one walker, but 2000, they are a larger size, and move diagonally as well. When a walker reaches the edge of the window, they are relocated inside the window. Before reaching this result I experimented with changing the size of walkers that reached the edge or changing their color but none of these were as satisfying of effects to me.

    The final bit of code experimentation from the last couple weeks here was messing with a different type of randomness. Normal (pseudo) randomness, as seen above, distributes random values equally between the minimum and maximum range. Below is an example of a Gaussian noise, this code plots dots on the canvas based on random Gaussian values, that is, there is a concentration around the mean (average) and a standard deviation defines how the distribution changes away from the mean.

    Next up for my coding will be going through more Nature of Code exercises and pursuing my curiosities off of the code given. I am particularly excited and interested to begin playing with random noise, specifically Perlin or OpenSimplex noise, these are techniques for generating random values that create organic shapes because the changes between values are smooth and they lend themselves to animation.


    Next I would like to briefly explain the music I have been experimenting with. Below are two videos demonstrating an asynchronous looping technique. This means I have created at least two loops, repeating sections of audio, that are not the same length, therefore, they do not play in sync. This shifting relationship between the multiple loops is very intriguing to me.

    In this first experiment I have created 7 instances of a virtual flute instrument. Each instance is assigned a note, and a loop length. After each loop, the octave of the note changes to a different one within a set of 3 defined octaves. On the first go-round, we hear all of the instruments playing together in perfect sync, they start together and all of the notes are the same length. The second time we hear the collective chord, the notes are not in line with each other. Each time these individual instruments loop, they fall further apart from each other creating an increasingly complex and interesting relationship.

    In this second experiment, I did something similar to the first. In this case, I have just two instances of an identical instrument, this time a sampled piano. Each piano plays to one side of the stereo field and plays an short identical melody. The only difference is a small shift in the length of the loop and a couple of tiny tweaked settings in one of the pianos to make the timbre so slightly different.

    I found this to be far more interesting to me, having melodies play against each other is far more engaging than simply the long droning notes of the previous experiment. An interesting side effect of how I set up this system is that it does repeat. While the first experiment (I’ve been calling it Flute Loops), is random and will not repeat for an inconceivably long time, this piece (I’ve been calling it Lekko Loops (the piano is named Lekko)), repeats after exactly 6 minutes, the length of the melody loops are a round division of the tempo and relatively quickly are back in line.

    Both of these examples are relatively simple and quickly become uninteresting. As I delve further into this technique and find more textures or arrangements I enjoy, I will leave less up to chance and begin crafting a piece of music that slowly shifts over time, beyond the shifting of the loops.

  • Bionicle Display Project Part 5 – Lights, Paint, and Confusion

    Return

    Week 5 now. I feel like this semester is flying by pretty quickly.

    After sleeping on it for the weekend, I have come back to realize I still don’t want to deal with the LEDs and cables right now.

    A Splash of Color

    Instead, I’ve decided to finally get on with painting the XPS foam. Shortly after I published my blog last Friday, my friend provided me with some paints to borrow. I took some time to mess around with them on a test piece of XPS foam.

    XPS board with spots of black painted on. The bottom right corner has a splotch of brown paint.

    On the bottom right is a primer made from mixing black and some Mod Podge, painted with a mix of brown and white on top. On the top left is black painted straight onto the foam, which did not work very well at all.

    Despite leaving the primer to dry overnight before painting the brown on top of it, which was left to dry over the weekend, the brown paint still feels wet and comes off just by pressing my finger to it. This is the most experience I’ve gotten painting like this, so I’m not really sure what the issue is or how to solve it.

    I followed this Reddit post which, while it doesn’t apply to my situation exactly, does give some seemingly good ideas on what I can do to improve my situation.

    One user states that Mod Podge is supposed to “dry clear”, and to apply a layer of it before applying a separate primer. However, another user in this Reddit thread states that black paint with Mod Podge is a good sealant and primer.

    The common theme between the posts is mentions of keeping the primer layer thin, so I believe my idea was correct, but my process needs to be improved.

    So I brought out the Mod Podge and paint and tried again. I applied some Podge with a wooden stick, threw some black paint on to it, and kept mixing and adding Podge to try and get a dark grey color.

    I tried spreading the layer as thin as I could, but I definitely used WAY too much black paint. Even in person, the color is still just straight black, not dark gray. I didn’t want to keep adding more Modge Podge because I was worried I wouldn’t be able to keep the layer thin, and because it would cover the whole board.

    I’m almost certain that this won’t work, and I’ll need to adjust my mixture of Podge and paint, but we can only wait to see.

    In the meantime…

    Solving the LED Conundrum

    One of the last things I had talked about in my last post was how I could store the LED lights in the swords so that they could be replaced but also would stay in place securely.

    I talked to Shannon and Cartland about my ideas and we came to the conclusion that it’s worth at least trying to design a casing for the LED before tearing the original casing apart.

    I tried looking up the part to see if I could find literally any more information about it, and to see if someone already created the part to save me some work.

    I checked a few Lego part websites but none of them had a listing for any components of the Inika swords. Bricklink did have one custom listing for the transparent tube that goes into the swords, but there was no other information I could find.

    I also checked various 3D printing websites for a model of the LED casing, but despite this model giving me some hope, I was unable to find anything. Which is, unfortunately, not a surprise to me, given how complicated the swords are, and also with how little love the Inika get in favor of the 2001-2003 years of Bionicle.

    So with that said, it’s time to get to work.

    Micro-Measurementing

    I grabbed the two LED blocks that I had removed from Jaller and Hewkii, along with the extra sword that both Hahli and Matoro had in their canisters. My plan is to get some measurements from the blocks and the sword compartment itself using a micrometer.

    I opened up Matoro’s sword to prepare to measure, but quickly started seeing some major issues. The screws were massively stripped and seemed to be covered in a bit of rust and corrosion. The transparent tube is also extremely dirty, and the silver plastic all around the sword has signs of animal biting. I imagine the only reason this ended up in the canister is because I have no other duplicates of the sword.

    But that’s not all. After taking off the battery cover…

    The compartment is infested with some horrible corrosion! In a dark brown coloration no less, which I don’t believe I’ve seen before!

    Despite my aversion to damage or modify the original components, I can make an exception when it’s for the sake of preservation. It just so happens to be that this will provide a great look at the inner workings of this little block.

    It’s time for some emergency…

    SURGERY

    For this procedure, I’ll need the soldering tools provided in the DKC. Thankfully, one of my favorite hobbies is repairing electronics, so I already have a good amount of experience with soldering. It’s been a minute since I’ve done it though, so I’m a little nervous.

    However, this procedure is very exceedingly simple:

    The goal is to remove the green motherboard from the black plastic that houses the LED.

    The four silver points are solder joints that connect wires to the board, which will carry electrical current. The two in the middle correspond to the LED’s anode and cathode, while the two on the corners connect the coil that siphons electricity from the batteries.

    To remove these joints, it is as simple as heating them up to their melting point so that they stick to the soldering iron and come off of the board. The biggest danger here is just the potential of burning myself (and also partially the evaporated fumes of whatever type of flux was used to create these joints (and also maybe the battery corrosion itself, I’m not sure if heating it up will cause it to also evaporate or react in some way that can harm my body)).

    Of course, we must take proper caution when working with solder. I’ve opted to wear a face mask to avoid breathing any of the potential fumes created by this. The DKC is plenty spacious and well-ventilated though, so I don’t worry too much.

    With the tools in place, it’s time to glove up for the operation.

    After a good hour of persuading, finessing, and fangdangling, it eventually comes off.

    Now, as much as I’d like to call it a a complete success, there were some complications.

    Plastic’s melting point is about 400 degrees Farenheight. It is unfortunately also the melting point of solder.

    While I tried to avoid touching the plastic with the soldering iron directly, the prolonged heat, on top of the metal clip also absorbing heat wildly, meant that the plastic did start to reach the melting point. Pictured here are the teeth marks of the metal clip, melted into the casing.

    Furthermore, I also absolutely drenched the board in flux. It is harmless, but I made quite a mess.

    Regardless though, the separation was a success, so now it’s time to do some maintenence.

    For cleaning, I went with the ol’ cotton swab and a bit of alcohol… and also some isopropyl alcohol to dab them in. It cleaned off the nasty corrosion real good. There were some spots on the block that the q-tips couldn’t quite reach, but for that I just submerged it in some alcohol which should clean up most of it.

    While it’s cleaning, this gives me a good chance to talk about my findings.

    First, the LED that was in the block is almost certainly unrecoverable- or if it is, it’s going to be a lot more difficult than to just put a new one in.

    While removing it from the block, I noticed that I had a bit of trouble. I had assumed that it was due to the corrosion sticking it in place, but I was mistaken. The LED is held in place the same way the block is in the sword; with some light pressure fitting along some clips.

    Replicating that with a 3D print is going to be very difficult, so I may opt to change the design a bit when I finally create my model of the block. I’m not currently sure how I’ll go about it, but I know I’ll figure it out.

    Back to Schedule

    For now, I’ll hold off on putting the block back together as I may end up needing to take a peek at its components individually. I won’t be able to use it for measurements though, because of the deformities it gained during the operation.

    Immediately Off Schedule

    Not long after finishing the last section there, the campus was hit by a winter storm and got closed for two days. This ideally won’t really affect the hours I put into the project this week, but it does make things a bit stressful.

    Regardless, after returning back I immediately went to check the paint on the XPS board. Unfortunately, while the primer I created is dry from what I can tell, the brown paint I added afterwards is still wet to the touch. I’m not sure what to do about this, as the paint should have dried fully after two full days.

    From looking it up, my best guess is that I painted the layer too thick, somehow, or that oil-based paints just aren’t viable to use on XPS boards. I’ll look into picking up some acrylic paint instead and see how well that works.

    Finally Measuring This Time, I promise

    With that out of the way, I’m going to focus all my efforts on designing a light block to put these LEDs in. There’s been enough distractions.

    Using a micrometer, I got a variety of measurements from the light blocks that I would then mark down on a document. From there, I used those measurements to create this prototype model using my rudimentary modelling skills in Blender.

    I made sure to use as accurate of measurements as possible, and to set the scale in Blender to work with millimeters, so this should be to scale.

    I’ll do test prints until I get the size right, and then modify the actual model if need be from there. I’m really hoping I don’t have to.

    It’s worth nothing too that this model does not take into account the circuit board of the original light block. My plan was to leave the bottom open so I can slot the LED in, and then have a separate “lid” that is printed in the shape and dimensions of the circuit board.

    Next Steps

    That’s all the time I have for this week, so it’s time to discuss the next steps.

    First, I am going to stop by a Michael’s and pick up some cheap acrylic paint for the XPS boards. I can’t afford to wait weeks waiting for this oil based paint to dry.

    Then on Monday, I have a block of time carved out to use the 3D printer. It’s pretty busy so hopefully I gave myself enough time to properly do some prints on it. Once I have my current model printed out and have the kinks worked out and ready for a final product, I’ll add a modification for a lid so the LED light can be sealed in.

    Then once that is done, we can start looking into installing the new LED lights into the Inika and making some modifications to their swords so that I am able to connect the lights to wires.

    While that is being done, I want to test out the acrylic paint on the XPS board and see if it is any quicker to dry.

    Ideally, we’ll start being able to put the Inika in their final positions and make this thing look like an actual display.

  • Baseball Podcasting: Jumping in! – Blog Post #2

    Next Steps More Clear

    After starting the foundation of this podcast series, the next steps clear as to what I need to do. This includes recording the first episode, which should be the most fun part. Before doing that though, the DKC requires that I do a training in the Podcast studio since I have never used it. I recorded the podcast episode for my Archaeology class in a study room in Simpson Library, which was quiet but did not have the best acoustics and used the microphone on my laptop which was really scratchy sounding, so I think for this I need better sound quality and a space to support it, which is why I want to use the studio. I guess I can appreciate that I learned from that experience, and it should be cool to try that new space and equipment. In addition to recording, I needed to brush up the outline and make sure there was enough information on it, so I did that and sent it to guest star Michael Murphy to get his input. While I did that, I also scheduled the recording date, so February 6, 2025 was what we settled on. The last step to prep for everything is to sign up for a domain of ones own. I have decided on preservingourpastime.com as the web address and name of everything, it just has a nice ring to it. Upon signing up for it, I can start building it out and making it my own, which is pretty cool. This stage is exciting, because it will have something a little more tangible that I can show off and be proud of, outside of these blog posts of course.

    My Plan for the Website

    I have never built a website before, so I am going to preface this with the classic “I have absolutely no idea what I am doing” and the ever favorite “this will be a learning experience”. It seems like a cool concept, but I will have to learn a lot to make it look good. My vision at the moment is to have a main page talking about what each piece does and linking to the pages on the site where I am keeping everything. One of these links of course will be the StoryMap, another will be to the podcast. At some point I may have some pages with possible road trip itineraries to various ballparks and associated sites, because that is fun and also pretty tangible, especially for me who loves planning road trips. On the podcast pages I want to have some information about each episode and the process for making them, and a transcript of the episode with sources so people can learn more if they wanted to (and also to avoid plagiarism, no one wants to be accused of that). I may also include some pictures if it fits the episode to add a visual component to those that are interested in that, so naturally the podcast pages will be the biggest piece of the website. This plan is of course subject to change as I learn more, but I think it is a good starting point for knowing what I want to do with it. “preservingourpastime.com” was available as a domain, so now I just need to start building.

    My Plan for Recording the Podcast

    Recording the podcast does not require as much forward thought beyond preparing scripts and outlines, but there are still some things to consider, especially between recording, editing, and releasing the episodes. For now the plan starts with coordinating with guests if I have them, and recording the audio in the studio. After recording I need to edit, so I plan to use Adobe Podcasts for that. I was recently introduced to it and it seems pretty intuitive where I can drop the audio file into it and see a transcript that I can then edit and it changes the audio to fit the edits made. I strongly dislike hearing myself talk on recordings, so not having to do that is certainly ideal. I will have to learn this system, but that is part of the process. That makes it easier to make a transcript for the episode too, since it is there already. After that, I plan to put it on the website, probably just embedding the audio into it and having all the complementary information on the same page, and having a different page for each episode. This is my rough plan for now, and it will probably require more changes but I think it is also a good starting point.

    Recording!!

    Actually recording the Podcast was a fascinating experience. I did my training on the studio the morning of recording the first episode. The training contained all new stuff to me that was shockingly easy and when I went to do the recording later in the afternoon I felt really confident in my ability to use the space. This is ideal, because it makes things easier for me, but not what I was expecting at all. I tend to struggle using new systems so I was happy that it was as intuitive as it wound up being.

    Sitting in the Podcast studio by myself with my outline talking to nothing but a microphone was a little strange, but felt better than talking at nothing into my computer microphone like I did in my Archaeology class. I tend to do better talking to other people, so adjusting to having those people as a virtual audience that will hear what I am saying later on will be something that I will have to get used to, and is also not something I was expecting to be as small a challenge as it was. Once I started talking about things I felt better and more normal, it just took a minute to adjust to the circumstances.

    A person wearing a blue and orange jacket and glasses sitting in a room surrounded by audio equipment.
    Me in the Podcast Studio, A strange but fun experience that I’ll get used to as I do this more

    I wound up flipping the first episode from the preservation overview one to the baseball overview one, partially because I felt better about casually talking about it and mostly because my Historic Preservation episode guest was not available for any of the times I was able to reserve the space to record. That is a nice thing about preparing multiple episodes in advance, I could adjust as needed to be able to record. I expected the audio to be about 20 minutes, and it took 41 minutes. I will definitely have to take some out and move some things around in editing, but this is still a longer episode than I was expecting. That is not a bad thing though, I just know a lot about this topic because of personal interest and it did not take a lot of outside research, so I was able to freely talk more.

    Editing, A New Ballgame

    I have done a little bit of audio editing before, and by that I mean I threw some audio in SoundTrap for my Archaeology class and got rid of the dead air between words. I also tried to put some extra sounds in but it wound up not sticking in the final product for that one. To say my knowledge is limited in the way of audio editing would probably suffice. That is what makes learning fun though, I get to try new things. I am trying to use Adobe Podcast this time around, and immediately ran into a problem. It has a feature to make a transcription, and that feature was not working. That makes it a slight challenge to make it accessible, but that is okay, I can use Microsoft Word to do that. Or so I thought. It turns out talking for 41 minutes takes up a lot of digital space, and the file was too big for Word. Aside from that problem, I have been playing with other features and listened to everything to get an idea of what I need to fix. I will always hate listening to myself on a microphone, but this time was not too bad. I realized that I went all over the place with tangents but that is part of the fun of an episode like this.

    Even though talking about the history of baseball did not require a lot of outside research, I did have to go find sources to back up what I was saying and cite on the website after the fact, so further grounding my knowledge in that way has been fun. That was part of why I listened to it again, so I could hear what I actually said versus what I had outlined and find any changes I needed to make to source hunting. Luckily there were not too many, so it worked out well on that front too.

    Next Steps

    The next steps are pretty simple, I definitely need to start building out the website, and editing the audio and making the transcript and supplemental material for this episode. As far as supplemental material, I want to have some contextual information but nothing too fancy, just enough to make it tell a more complete story because I definitely left some things out in some places. As far as this phase went, I’ve had fun. I’m looking forward to making it look and sound good now.

  • Bionicle Display Project Part 4 – Making a Base

    Week 4 has arrived. I feel like this semester is flying by; we’re already a quarter through! There’s plenty of work to keep me busy in the meantime though.

    Soaking Update Again

    To start off the week again, it’s time for another soaking update. I received the parts from Shannon last week and reassembled Matoro and Hahli after letting them dry off. When I had put them together last week, the whitening process was less than impressive, but after coming back to them this week…

    They turned out pretty well, for the most part. The photos make it hard to tell (for which I apologize; I don’t know how to use a camera to great extent), but Matoro is just about fully whitened on the surface. Unfortunately, parts such as his forearms and pelvis have yellow spots stuck in their crevices, and the same is true for the pin connectors in Hahli’s joints. But overall, I am very pleased with this.

    Moreover, I was particularly worried about Matoro’s mask as, after removing it from the initial peroxide bath, it ended up being slightly sticky. Being rubber, I was almost certain I had destroyed its protection and caused it to start melting back into oils like rubber tends to do.

    To my amazement, however, after drying it and leaving it on him over the weekend, it has turned out nearly pristine! It’s amazingly white and cleaner than I ever thought it would be. It’s worked so well, I may end up putting the rest of the masks in another bath for the same treatment.

    In the future I may end up replacing the still yellowed parts on Matoro if I am unable to clean them any further, but we have plenty of time to find out if that’s the case or not.

    As a note too: I adjusted both Matoro and Hahli’s poses, and I believe this is generally what I will stick with for the final display.

    New Stuff

    Now, with that out of the way (again), we can move on to the big announcement.

    Various crafts materials

    The supplies Cartland ordered last week have come in! This means we can start finally making some tangible progress on the display base. Before that though, there is something I’ve been dying to do for years now.

    A Quick Distraction

    You may have noticed that on top of each Inika’s canister is a gray axle that has been keeping the Zamor spheres in place. This is not part of the original sets and was added by me, because without it, the Zamor spheres just sit loose in the magazine. To remedy this, I had Cartland order some Blu Tack that I’ll use to stick the spheres together and keep them in place (hopefully) no matter what pose the Inika are in.

    Fun fact – Inika play features

    I’m not sure I had mentioned it up to this point, but the Zamor launchers have a physical play feature where, upon pressing the rubber launch mechanism, a Zamor sphere will be fired out of the launcher. This was the source of many Zamor spheres becoming lost, as with any projectile.

    Looking at it all, I definitely got way too much for just this project, and the Amazon photos made me think it was transparent in color, but it does get the job done.

    Red and gold Zamor launcher held upside-down, showing the Zamor spheres stuck together with Blu Tack

    Looking at it now, the Amazon photos made it look like the packets were way smaller than they actually are, and that the color of the Tack itself was transparent, which is less than ideal, but it does get the job done.

    I also have a bit of a concern with how long the spheres will stay in place, but I can work on messing with this stuff as the project continues. I’m sure I can find an alternative if needed.

    I (meticulously) applied Blu Tack to the rest of the Inika’s Zamor spheres and removed the contraption originally holding them in place.

    I refined my process as I went along, and kept redoing the Blu Tack until I was satisfied with it. I found it easiest to stick the Tack to the Zamor launcher and magazine itself, and then attach the spheres, while modifying the shape and amount of Tack. The ideal size seems to be about no bigger than the top of a Lego stud (aka, microscopic).

    I also stuck the loaded sphere to the launcher, and the top 3 spheres to the magazine. It seemed to make hiding the Tack easier, and it was just my preferred method. I don’t think there would be any issues with sticking each sphere together and attaching them to the launcher only.

    Furthermore, I also opted to put Tack on each sphere, but you could probably get away with only applying tack to the top-most and loaded spheres, leaving the middle two loose. I knew it would bother me if I didn’t do that though.

    Fun fact – Zamor Sphere colors

    The various colors of the Zamor spheres are (mostly) not just a style choice, they actually have unique effects when a target is struck with them! The spheres themselves are actually hollow crystals that can then be filled with various substances to produce effects.

    For example, the Piraka all have yellow-green spheres that contain an Antidermis that bends a target’s will when they are hit with it. They used these spheres to enslave the Matoran of Voya Nui and forced them to construct their stronghold. Jaller also has this color loaded into his launcher currently.

    The Inika’s “sea green”, blue, and yellow-red spheres contained Energized Protodermis that would reverse the effects of the Piraka’s Antidermis virus. Hahli has the proper sea green color in her launcher.

    There also existed silver, black, and gold variants found in a booster box that all had their own effects!

    Also, despite Toa Jovan sharing the same sphere color as Hewkii and Nuparu, his Zamor spheres would instead nullify the effects of a target’s weapon.

    This was a very long, slow, and tiring process. I had figured it would only take a few minutes, but I ended up spending 3 hours dealing with it. And I may end up coming back to poke and prod at it all in the future. Not to say it wasn’t fun overall though.

    It’s left me with an absurd amount of Blu Tack though, as I only used about 1/8th of a single strip. There are four strips per package, and two packages total. Needless to say, I’ll be donating the unopened pack to the DKC. As for the opened one though, I’ll find some uses for it… maybe to remove some dust?

    Placing Blocks and Stuff

    With that rather long detour taken care of, it’s time to start measuring the foam.

    My idea was to put the current blocks I had, and the Toa, in various configurations to see which one appealed to me the most. It turns out though, having the two 12″x15″ blocks together gave a pretty good result!

    Six Bionicle figures standing together on pink XPS foam boards

    I’m having a bit of trouble with the composition of the team together though. I decided to take the same formation from the Inika commercial I keep referencing, where, from left to right, is Hahli, Kongu, Nuparu, Matoro, Hewkii, and Jaller.

    My main concern is that Nuparu and Matoro are competing for the same viewing space. I want Matoro to be at the main forefront due to his iconic story relevance, but I also don’t want Nuparu to be in the back as I feel that’s where he tends to end up when all of the Inika are together. Not to mention his color scheme might blend in with the background I’m planning to add.

    I’ll toy around with them as we continue onwards and see what I can do.

    While doing all of this too, I noticed that Nuparu and Hewkii had some pretty loose joints which made it frustrating to set them up correctly. This is a problem I will tackle later on in this post.

    Creating a Glue

    I expected the measurements to take a lot longer than they did, so I hadn’t really thought ahead to what I would do next, honestly, so it’s all improv from here.

    Since we now know that the full 12×15 boards will be enough room on their own, I suppose we can go ahead and stick them together so that they’re ready to be modified.

    But before anything else, I decided to mark an outline of where the Toa are standing currently, so that I can put them back in their positions when done.

    Overhead of pink XPS foam boards with pencil markings

    Surprisingly, a pencil works really well for this. I expected I was going to need a sharpie.

    Now that I won’t forget where exactly the Toa are placed, it’s time to create the glue. For this, I’ll be referring back to the Beginner’s Guide to XPS Foam YouTube video I had mentioned in my previous post.

    The video mentions that HT glue and contact adhesive are better options than PVA glue due to their faster drying times, but since I only have PVA glue and don’t want to wait another week for glue to arrive, we’ll make it work.

    The video also mentioned using something to keep the pieces in place while they dried. While I probably don’t need to do that since my pieces are going to be flat on the ground, I’ll feel a lot better if I did. I found some wooden skewers that I’ll “borrow” from the DKC to serve this purpose (if I’m ever able to remove the skewers, I’ll return them back to their baggy, but we all know that is almost definitely not happening).

    Two large XPS foam boards. One has skewers sticking out of an edge

    I started by making holes in both sides of the boards with the skewers. I did not do this accurately it ended up being a huge pain to really get them both aligned with each other. I’m not really sure how you’d go about doing this properly.

    When I finally got them properly lined up, I applied glue on one side and tried spreading it out with a popsicle stick. I ended up having to put more glue on so I’m not sure spreading it really helped.

    Glue spread along an edge of an XPS foam board
    Two large XPS foam boards glued together and standing upwards. Glue is seeping out of the seam

    Finally, I put the blocks together and made sure I saw some glue getting squeezed out. While doing this though, I realized that I should leave them to set standing up as seen in the photo, otherwise glue would spill on to the table, and gravity would also help keep the seam as thin as possible.

    Getting the Slay On

    While the boards are left to set, this gives some time to deal with an issue I had brought up earlier.

    Some of the Toa have some pretty loose joints, which is to be expected given the nearly 20 years they’ve been sitting around. Notably, Hewkii’s feet, Nuparu’s feet and legs, and just about every joint on Kongu all are much too sensitive and move at the slightest push. This make posing them a hassle.

    Thankfully though, this is a very easy fix. It simply just requires some transparent nail polish, and a bit of patience.

    A small bottle of transparent nail polish

    I just picked up the first nail polish I saw from the grocery store. I don’t think any brand makes a difference.

    The idea is to apply some of the polish on the ball joints so that it gives a bit more surface area and friction to the loose socket joints.

    I applied polish to Hewkii’s ankles, Nuparu’s ankles and pelvis, and Kongu’s left shoulder, left wrist, right ankle, knees, and left hip. I tried to keep the application thin and even all over the joints.

    I cannot stress this enough; they MUST sit overnight after being painted. If you try to attach the sockets too early, you will damage the ball joint. Learn from my mistake and make sure the nail polish dries entirely.

    I’ll leave both the Toa and XPS boards to dry overnight, and hopefully they won’t need more glue or anything.

    The Next Day

    As of me writing this section, it has been one full day since I set out the parts to dry with the nailpolish. I reassembled the Toa without incident.

    I did a pretty poor job with keeping the layers properly even on Kongu. His knees are still pretty loose, and his foot is so tight that I was worried I would snap off the joint.

    Nuparu ended up a little better, but still somewhat tight.

    Hewkii definitely turned out the best. He’s easily poseable but also won’t fall over anymore.

    In any case, I’m more confident now that the Toa will keep their shape a little better now, so it was a success overall.

    Starting with the LEDs

    My original plan for the day was to paint the XPS boards, but I had some troubles in borrowing the paint from my friend, so that will have to wait for another time.

    To pass the time, I decided to start working on getting the LEDs set up, and getting some practice with the Arduino Uno R4 that I decided to use as the control board.

    Arduino Uno R4 Minima board, connected via USB C with power lights turned on

    I’ve had some experience with getting LEDs to turn on, but that’s all I’m coming into this section with. I’ve never once even touched a Raspberry Pi or Arduino before, so that will be a learning curve to overcome.

    I first started by relying on the official Arduino docs to get myself set up and prepared to work with it (found here).

    After getting the IDE set up, I followed this guide to learn how to power LEDs with the Arduino (which also happened to give some good starting experience for Arduino overall).

    I was a little worried about not having components such as resistors, but thankfully there’s more than enough all around the DKC due to past projects!

    I toyed around with the setup to figure out how it all works and it was going amazingly. Having experience in repairing some electronics absolutely helped a lot with my understanding of this stuff.

    A green LED light being powered by a control board

    And after a lot of jury rigging and some finagling…

    Bionicle sword being lit up by a green LED light

    A working prototype is produced! I’ll have to refine the technique I’m using to connect the wires to the LED, and find a way to hide those same wires for the display, but this is a start.

    The next place I want to take this is by setting up LEDs for each of the Inika. Through some testing, specifically blue LED lights don’t like to play along with green and reds, so it’ll take some experimentation.

    I also found this webpage that was particularly useful as it has the same breadboard and Arduino set up in the provided images, while also providing more information on how to set up multiple LEDs.

    One consideration I needed to make while working with these LEDs is that they will burn out eventually. No matter how well I take care of them or what methods I use to help them, there will be a time that I have to replace them.

    One major thing I can do to help this though is to add resistors, so that the LEDs are dimmed and don’t take as much power, increasing how long they can stay on for.

    Now, despite my basic understanding of how electronics work and their components, I have a severe lack of knowledge of voltage and electrical currents. So while resistors do have codes that inform you how much power they resist, I am unable to make any real sense of it. So instead, I just kept plugging in resistors linking to LEDs until I got an appropriate brightness.

    The idea doesn’t sound terrible in principle, I just don’t use the color codes that don’t give me the brightness I want, however…

    Storage bin full of hundreds of resistors

    The variety that the DKC provides will become my downfall. It took me a good while of just switching resistors around (not even to mention how green, red, and blue LEDs all needed different strengths), but eventually, I was able to get this setup:

    Multiple LED lights hooked up together and emitting light

    I spent another few hours attaching one of the lights to Hewkii so I could brainstorm ideas on how I would eventually make the lights look pretty, and hide the wires.

    My two biggest considerations with this were repairability and keeping things as unmodified as possible. I don’t want to damage or stress the plastic at all, and I want to make it easy enough to replace any faulty parts in the lights when it comes time to.

    Ultimately, I think the best option would be to either replicate the light units that originally came with the Inika, or just reusing them entirely. They were, after all, designed specifically for the swords.

    It would be much, much easier to reuse them, but my preservation side just won’t let me do that yet. It wouldn’t be very difficult, as it would only require me to desolder some spots on the motherboard, which also means I could put them back together just as easily. I just hate the idea of ruining something so vintage, even if there’s hundreds of these things available. I’ll take some time to think it over and look into options; there’s still plenty else to keep me occupied for awhile anyway.

    Furthermore, I also learned from Hewkii that there may not be another option to run wires into the sword casing other than by drilling holes. I’m strangely less adverse to this option but again, I will consider options.

    All in all, my mind is very scattered right now and I think it’s best to leave things here while I refresh for the weekend.

    Next Steps

    Next week, I want to start painting the XPS boards at last. It’s going to take a lot of time to figure out how to paint them properly, and I’m very nervous about it, but I’ll do my best.

    Regarding the LEDs, I just want to put them away and not think about them for awhile. Trying to string together cables, dig through resistors, fit them in the swords… It’s just been too much for me and has made me frustrated.

    For now, I need a break.

  • Bionicle Display Project Part 3 – Making Plans

    Week 3 is now upon us, or me, or this project… Whatever the relative term would be. Regardless, with the initial plans out of the way, it’s time to really start making progress on the “display” part of this project.

    Update on the soaking

    Firstly though, I wanted to touch on the hydrogen peroxide bath from last week. Unfortunately, it was ineffective as I did not find a place to set the parts outside at that would also have direct sunlight shining upon them. I had assumed this would be the case, so it does not devastate me to learn.

    Shannon was so kind as to take on the chore of giving these poor parts some sunlight, so I will report back once we have some results.

    Finally, on to the display

    With that mentioned, let’s jump into the plans I have.

    The first thing that needs to be done is to measure the area I’ll need to work with to fit all 6 Toa. Ideally, I want them spread out enough so that each one and their features stand out on their own, but also close enough so that they look like part of a team, and so that this display doesn’t take up an entire wall of space.

    But before I can measure anything at all, the Toa will need some poses!

    Super cool pose time

    Since Matoro and Hahli are still disassembled at the time of writing, I won’t be able to get a pose idea for them, but I’ll make sure to come back when I can.

    As for the rest of the team, I generally followed the Rule of Cool, but still tried to make each member unique so that I wasn’t just showing off and putting all the focus on their special tools (or Hewkii’s awesome climbing chain).

    I did take a lot of inspiration from the Inika’s appearance in the Piraka Online Animations for these poses too. I’m not particularly proud of it, as I’m trying to be more creative and come up with more original concepts, but it is what it is.

    As a side note, I apologize for the low-quality image. Despite being a Flash animation, most of the Piraka Online Animations were rendered out as videos beforehand. WordPress also won’t let me properly center the image on the page.

    I know for a fact that Hahli’s pose will be very similar to what’s seen here on the frame, but I’m less certain what I’ll do for Matoro. Perhaps I’ll take some further inspiration from his character teaser commercial, or perhaps from the legendary Inika commercial featuring “Move Along” by The All-American Rejects.

    Measurementing

    Back to the main goal at hand…

    I don’t really have a nice, clean method in mind to get a floor measurement. I planned to just spread out the Toa on one of the measuring mats in the DKC and try to work from there.

    From my rough estimation, again not being able to take Matoro or Hahli into account, I’m thinking we’re looking at about a floor space of 24″x18″. It’s essentially just guesswork but having an idea down will let me start getting the materials I need to start getting the whole process done.

    I’ve had Cartland order a set of 12″x15″ and 12″x7.5″ XPS foam boards that I believe should be versatile enough for my purposes. It, along with a few other materials I’ll need to work with it and spice it up, will arrive next week, just in time for my next blog post.

    This means that there is not much more physical work for me to do this week, outside of maybe inspecting each Toa for grime I missed. But, my main point with this is that the downtime gives me the perfect opportunity to do some research into working with these materials.

    Challenges and Research-ent…ting

    I’ve never worked with XPS foam before in any manner. I know it is commonly used to create terrain models, and is also used in cosplays, which is why it was my choice for this project. It clearly has enough versatility to be crafted into anything I want, and its wide usage also means there’s plenty of guides and tutorials on how to manipulate it.

    I’ve already done some light research in the background of working on this project, but I want to actually write down all of what I learn.

    Two of the major hurdles I know I have to worry about right now is getting the foam base to the proper size, and painting it. From my rough measurements earlier, I know that the 12″x15″ boards that Cartland ordered won’t be big enough on their own, so I’ll have to glue them together. Furthermore, I’ll also have to prime and paint them, and also cut them either to have the proper size for a floor, or for extra terrain details such as rocks.

    While looking up resources on how to cover most of this, I came across this absolutely amazing video on YouTube with a whopping sub 1k view count (at the time of writing) that talks about these in a really enjoyable, but also informative way.

    From this video, I now know that combining XPS foam together is as simple as using some hot glue and toothpicks, and priming and painting is also a very simple process of combining black paint and PVC glue.

    It doesn’t go super in-depth, but it still serves as a fantastic beginner’s guide that condenses a lot of, admittedly, scattered information together.

    It also covers the process of texturing, which I thankfully had already seen from Adam of the YouTube channel “North of the Border”, who, like I had previously mentioned, will also be instrumental in creating this display.

    Other Research – Plexiglass

    Something else I had been digging into occasionally is how I’ll go about creating the protective transparent case around the display. From everything I can find, Plexiglass/acrylic sheets are the way to go for this, as much as I tried to find an alternative.

    This option does slightly scare me as cutting Plexiglass can be a difficult and very dangerous process, due to requiring special tools for “thicker” sheets, and because it creates tiny, breathable sharp shards when cut. Although I suppose I’ve done just as dangerous processes when soldering and desoldering electronics.

    Because the official Lego store displays have very limited information on their exact specifications (and may not be designed to last for multiple decades), I’ve opted to look at proper display cases built to last for inspiration. Notably, this website contains a ton of display cases built to house specific Lego sets which look particularly nice (if absurdly expensive).

    I used this Star Wars AT-AT case displayed on their landing page as an example to look at. Thankfully, a lot of their creation process is detailed in the description of each product, which will serve as another great source to find information to research.

    In the description, it mentions using “3/16″ (5mm)” acrylic, of course, but also pressure fitting it together, which I hadn’t heard of before. The way it was detailed made me think the process would require a special tool or machine, but thankfully, I discovered this video that unintentionally shows off how pressure fitting works. This does mean that, should I choose to use this method instead of some sort of acrylic cement, I would have to get my Plexiglass sheets specially cut, which I discovered could be done by Ace Hardware (of which there is a store nearby campus). I’m unsure of the specifics of how the cut would be done, but I imagine I could talk to any associate in store about that.

    Another thing mentioned in the AT-AT case’s description is the use of UV printing a background on the acrylic itself. I looked into it, but unfortunately replicating this option myself is just too expensive due to the cost of UV printers. This is no issue though, as I had planned to try other methods for a background, such as a design printed onto a piece of glossy photo paper.

    While on the website, I of course had to search for any Bionicle specific displays. Unfortunately, there is only this single one (again absurdly expensive) available, designed for the 2001 run of Kanohi masks (but could also be used for the 2002 collection as well). That being said though, while searching through its description, I noticed a few things that were not seen on the AT-AT case.

    Fun fact! – Kanohi in early Bionicle

    While the display seen above shows off the entire set of Kanohi for the Toa Mata, along with the masks found in each “McToran” from the McDonald’s promotion, you would need three of these displays just to show off the entirety of the 2001 Kanohi collection!

    The masks of the Turaga could also be collected in each respective elemental color (orange, light blue, light gray, dark gay, lime green, and tan). The Turaga’s masks don’t have the special “Flip Flop” silver or gold colors that the Toa’s masks have, but there are so many other special-colored masks to fill in those slots!

    Some of these masks include the copper masks of victory in the unique “Flip Flop” bronze color, transparent green and blue Kanohi found on Rahi, the PowerPack exclusive chrome silver Hau, infected Hau (with unique paint jobs on each one), and even the legendary 14 karat solid gold Hau! (both seen here)

    This also isn’t even to mention the numerous misprints all over 2001 masks, which could fill up one of these displays on their own!

    The number of Kanohi to collect was drastically reduced in 2002 and 2003, with only the Kanohi Nuva introduced alongside the Toa Nuva, but you could easily fill up almost three full displays from the brand new Krana found in the Bohrok (and later, also the Bohrok-Kal and Bohrok Va)!

    For one, it mentions including a UV “protected” background, rather than UV printed. It doesn’t mention more about that specific feature, but from watching the included video of DuckBricks signing the limited-edition versions, he is seen lifting some sort of film up off the background to mark his signature. Obviously the film is there to protect the signature, but I have to wonder if that is part of the UV protection?

    Having this on my own display would be absolutely fantastic, as UV rays are what cause the discoloration in lighter colored Lego pieces, and are also just generally a source of slow, long-term damage, even when kept away from windows.

    Upon looking it up, the first result I found was this website that sells Plexiglass sheets that are inherently protected from UV, rather than using a film. They also allow for ordering any specific size, which would also be a nice bonus, even if I have to cut the sheets again for pressure fitting. The only downside to these is the cost, being about $45 a sheet for the general size I’m looking at. I’ll continue to do more research into this and discuss with Cartland about it as I start to get to the point where I need to create the display casing.

    Back to the Bionicle Kanohi display, the other thing mentioned in the description is the use of a magnetic front panel to allow access into the display. This is something I think I’d like to consider incorporating into my own display. Typically, these kinds of displays are sealed by using screws on mounts, and while there’s no problem with that method (being my alternative choice in case I can not apply pressure fitting), I think it could be fun to add on. I think it would also add a modern and fancy touch to the display and would further show how much care went into it all.

    The last thing I want to bring up in regard to my findings here, is the use of what seems to be a black sheet of acrylic for the base of the display. While I still want to work with XPS foam, it does get me thinking that I might need a proper foundation to place it on. Because it won’t be seen on its own, I imagine I have quite a few options for what I can use as the foundation, but I’ll look into that more when I need to.

    Special Small Update

    I spoke to Micheal Benson in the theater department for his advice, as I had meant to do for a bit now. After I gave a short explanation of this project, he suggested PETG instead of Plexiglass, which I had never heard of. Giving a very quick Google search, it seems to be generally more flexible and resistant to heavier damage compared to Plexiglass.

    Furthermore, I also told Michael that I was trying to recreate the Lego store displays, and for that he confidently told me that those displays use Lexan for their casing. Giving this material a quick search shows that it’s designed almost purely for protection, and is also quite flexible, which makes sense. You don’t want a bunch of kids to easily damage the displays.

    Overall, it seems that Plexiglass is generally chosen for displays as an aesthetic choice, so I’m thinking I’ll stick with it. I’ll definitely look more into PETG though and see what the process looks like to work with it. Knowing Michael, he wouldn’t give me a recommendation like this if he knew I wouldn’t be able to work with it better than Plexiglass. And if all else fails, the option of Lexan is still available.

    Next Steps

    With that very long entry out of the way, I want to discuss my plans for this project for next week.

    Shannon will return the (hopefully) whitened pieces tomorrow (Thursday, as of writing this) which means I’ll be able to put Hahli and Matoro back together, meaning that I can work on getting proper, more precise measurements for the display size.

    Because the materials that Cartland ordered are due to arrive on Monday, I’ll ideally start work on modifying the XPS boards to fit the display dimensions that day. I also hopefully won’t need him to order extra foam for whatever reason.

    Once the boards are measured, cut to size, and glued together properly, I’ll follow the beginner tutorial embedded above and start by priming the base with a mixture of PVC glue and black paint. From there, I will hopefully have at least some extra foam left to experiment around with different paint colors to create a terrain that I like.

    As for the terrain itself, my plan is to take inspiration from the Inika Move Along commercial, with the Toa Inika storming the Piraka Stronghold. This will involve using some silver, dark gray, and maybe some brown for that ever present brown wash seen in North of the Border creations, to add a sense of grime. Eventually, I’m also thinking of adding some transparent stands to the Toa, so they don’t fall over during transport or any accidental bumps.

    I want to also take a second page out of Adam’s book by using armature wire as seen in some of his creations to create the iconic chain-link fence seen throughout the Inika’s (and partially also the Piraka’s) promotional material.

    Finally, I plan to make two very minor modifications to the Toa. First, I’ll use the Blu Tack that is part of next week’s materials batch to stick the Zamor spheres together so that they don’t fall out of the Zamor launcher and magazine

    All of this work should cover the length of the week, but on the off chance it doesn’t, I can also start delving into options for the LEDs in the Inika’s tools. I don’t expect that will happen though.

  • 01 Beginning: Creating and Visualizing Electronic Music

    Good morning, good day, or good evening. This is my first post for this project and I would just like to do a few introductions: what I intend to create, how I will go about creating it and some of the steps along the way.

    What I intend to create: The end goal

    At the end of this project I would like to have a pleasant piece of music, written, recorded, mixed, and exported. Along with this musical piece I will have a visual or visualization that is custom made to accompany the piece.

    How I will create this piece: Techniques and tools

    The tools I will be using are a Digital Audio Workstation (DAW), I have access to and experience with both Bitwig Studio and Ableton Live, numerous virtual instruments and plugins within said DAW. For the visuals I will be using a combination of generated components and possibly some filmed footage, either way I will be using DaVinci Resolve to edit my visual component, this is a great (and free) nonlinear editor for video. To generate visuals I will be experimenting with P5.js, a library created for JavaScript designed for creating and manipulating images or visuals.

    In terms of techniques, I am very intrigued by some of the techniques used by Brian Eno (the artist credited with coining the term ‘Ambient Music’), specifically his use of asynchronous looping tape machines, this should be easy to replicate and experiment with digitally. Visually I am quite intrigued by the idea of integrating some of the systems exemplified in Daniel Shiffman’s book ‘The Nature of Code‘. These tutorials and example projects demonstrate beautiful ways of replicating apparently natural motion within a programmatic environment. I believe this can be linked to the software messages used for communicating with virtual instruments to great effect. One final technique to mention is that of Motion Extraction (embedded below), a video editing technique demonstrated by the Youtuber/film maker Posy. I am not currently sure if I will try the technique myself but I do find it compelling.

    Steps to be taken: The first

    There are already a few tasks I have laid out for myself within this project. The first being to identify a more specific musical goal. In the past I have tried a multitude of genres and structures, I believe picking a few, or if possible, one, to start with as a target will help my planning. Whatever it is, I’m sure it will involve some form of generative or programmatic music. As I begin stepping into some musical ideas, I will also be following along with The Nature of Code’s tutorials, through this I will find a path to follow with integrating my own idea for a natural system to demonstrate my music output.

    Next time, I hope to have a couple of musical snippets to share, and maybe even a duplication of a coding system or two that I find particularly compelling. Attached to this post is an audio snippet and screenshot of a simple musical system I’ve been listening to while writing, I find listening to a generative system such as this in the background can be very instructive for deciding if there is any element I wish to change, somethings may stand out or be lacking over time.

    Background plinks and plonks
    Ableton Live Screenshot. Just one track in session view.

  • Baseball Podcasting: So It Begins – Blog Post #1

    The Beginning of an Idea

    Hi, My name is Drew Meisenheimer and I am a senior here at Mary Washington. Before I begin this phase of what has so far been a really incredible journey, there are some things you should know about me. All of this may not make any sense whatsoever at first, but trust me when I say it will all tie together. The biggest thing to know is that I love the idea of the American Road Trip. I love it so much that coming to school at Mary Washington, the First Year Seminar I decided to take was centered around the American Road Trip. An added bonus was that this FSEM was taught in the Department of Historic Preservation, which ended up being my major. I know what you’re thinking, what is a preservation major doing in a fellowship with technology? Don’t we just like old things and new things aren’t our speed? I will get to that, and it is cool how it connects. There are a lot of ways historic places and artifacts can connect to modern systems and ideas. Anyway, in the FSEM I was told one thing on Day 1 that most freshmen overwhelmed with entering college would just let go right over their heads. Not me, I took this one thing to heart as the best advice I could possibly receive and it led me to this project now, as well as many other awesome places. “Life is about the detours, let your curiosity drive you to places you never expected” were the words of wisdom from the professor of the class that influenced me so much. This is something I have always believed, and yet did not quite understand the extent of what it meant until very recently, but that approach to life changed how I look at everything now. Back to the class, the semester project was to design our own Road Trip, so it was my first opportunity to take the advice to heart. I have designed every one of my family road trips since I can remember, and this was my chance to make my dream trip. I picked as many National Parks as I could, and found every baseball related attraction between, and wrote about a trip to all of it. Not only that, but I have now been to some of the places on it, among them Paterson Great Falls National Historical Park where Hinchliffe Stadium is (National Parks and Baseball in One spot!!!!), the site of Forbes Field at the University of Pittsburgh, and the site of Griffith Stadium in Washington DC where the Howard University Hospital now sits. Yes, these places will connect to this story too, buckle in for this ride with me. We are just getting started

    A person standing in front of a brick wall with Ivy covering parts of it and "463FT" written slightly to the right of the person
    Me with the Outfield Wall at Forbes Field behind me in August 2023, it is a cool site to visit. Picture taken by my dad

    Let my curiosity drive me, right? It was a road trip I can only take like this, in fragments not all at once, but it gives an opportunity for literal detours as well as figurative ones, and I know that will make life fun.

    Future Assignments

    After the FSEM, I did not expect this to grow further, and if it did I did not expect it to be because of the baseball aspect. I tend to seek out all things National Parks more, so that is where I thought it would go. But that is the thing about detours, they take you where you least expect. I did not touch the baseball aspect again for another two years, when in the Fall of 2023 I took a preservation class called Material Culture and was required to do a semester project where I analyzed any physical object of my choosing made or modified by people, and write a paper about the thing itself or how it relates to broader contexts of history. I have a baseball glove from the 1940s, and this is where the idea starts to develop into what I have now. I took this glove and started to think about how I could use it, and found a very clear answer. The 1940s were the height of the Negro Leagues, professional baseball leagues where people were prevented from what was considered the highest level of the game because of the color of their skin. I decided to dive headfirst into that. I put more work into this paper and presentation than any other assignment in my life, and it showed in the final product, which I was super proud of. I learned about people like Rube Foster, the founder of the Negro National League, and Buck O’Neil, a player for the Kansas City Monarchs whose achievements took way too long to be recognized. It opened my eyes to a glimpse of what the experience for them might have been like, and made me think that this is a story that should be told more often than it is.

    Now lets jump ahead a semester to the Spring of 2024. I took an archaeology class for the first time, and my professor encouraged me to try to connect the class term project with the one I did for Material Culture. The project was to make a podcast episode about anything relating to American Archaeology of our choosing. I thought it was impossible to connect, until I thought a little outside the box and learned that archaeology is more than just digging in the dirt. It is just as much about resources from the past, and what they can tell us about the way people lived. Baseball stadiums fit perfectly into this, so I was able to make it work. One of the stadiums on my “road trip” from freshman year that I had visited a couple times already seemed to me like the perfect place to start. I decided to look at Hinchliffe Stadium, a Negro League ballpark in Paterson, New Jersey that had just finished a massive restoration project, and see if any archaeological study was done, and if not what could be done to help interpret the site better.

    The gate of a falling apart sporting complex with wood support beams holding it up and weeds growing inside
    Hinchliffe Stadium in July 2021 while it was being restored. Picture taken by me

    With this project, I looked at a lot of primary resources and resource surveys and reports, as well as reaching out to various preservation professionals in Paterson to see if they knew anything, so the research I did was way different from anything I had done before. The final product is something I was super proud of at the time especially given I hated using technology so recording and editing a podcast episode was unfathomable to me, I actually had a lot of fun. Looking at it now, the podcast episode could have been a lot better, but the enjoyment of that phase and desire to improve upon it is actually the inspiration for the current phase of the project that I am in, which I will get to. It also led to the next phase, which is possibly the coolest thing I have ever done.

    Coolest Research Project Ever

    After the archaeology podcast project, my professor came to me with an idea, another detour that I was not at all expecting but am so glad I took. She asked if I wanted to do an independent study class where I build on what I have done so far in the FSEM, Material Culture, and the Archeology classes and expand that work, turning it into some kind of interpretive resource. I took the opportunity and ran. After 135 hours in the fall of 2024 working on something that I sometimes could not even envision a final product, but always knew I could make it awesome, I now have a StoryMap on ArcGIS that combines every element and goes deeper. I did not want to stop at Hinchliffe Stadium, so I used that as a starting point and included 12 other former Negro League Ballparks in the StoryMap. Some of these, like Hinchliffe or Rickwood Field in Birmingham, Alabama, are still standing. Others, like Griffith Stadium in Washington, DC or Greenlee Field in Pittsburgh, Pennsylvania are gone without a trace. A lot more, like Forbes Field in Pittsburgh or Bush Stadium in Indianapolis, Indiana have some of it still standing or have been adaptively reused in some way. Some have higher levels of protection and standards of preservation from being listed on the National Register of Historic Places, and others were allowed to be torn down because nobody saw their importance in time. Seeing how sites were and still are similar in spite of all their differences was just as cool to me as reading the stories of players that played in these places and whose lives deserve more recognition, and what better way is there to recognize what they did than tell the story of the place where they did it? The project also gave me an opportunity to reach out to more places and make connections with places that help to tell these stories. The StoryMap might be my single proudest accomplishment so far in an academic sense, but it is still missing something. I found a lot of side tangents and rabbit holes I could go down but did not have time to in the semester I had for it. Some of these are talking about how stadiums are seen in various movies, to talking about how a lot of the spaces were shared by multiple teams and how that worked, and so many other topics. I want to dive deeper into some of that. This brings us to the current phase of this project.

    A building with a parking lot, trees, a sidewalk with people walking, and a street in front of it.
    A view from what I believe to be where the seats behind home plate at Griffith Stadium once were. The site is now where Howard University Hospital is, a very different feel from its baseball past. Picture taken by me in October 2024
    Screenshot of a webpage for a StoryMap on ArcGIS about Baseball Stadiums
    The homepage for my StoryMap on ArcGIS, definitely a fun project to work on

    Podcast Time

    In trying to figure out the best way to tell these stories, I realize that I have an opportunity to improve a skill that I started to build about a year ago: Podcasting. The professor I worked with on the StoryMap had the same idea, and recommended I apply for this Digital Knowledge Center Fellowship to have some more support in doing that, and build on other skills as well. I am going to create some podcast episodes, the plan currently being to publish one and have two more ready to either record or edit into a finished product. I am also going to have a domain of one’s own, or a website, to house all of this and the StoryMap in a more accessible place. While my skills for all of this are currently very slim if they exist at all, I am excited to learn about how it all works and expand what I can do. Telling these stories in the process seems like a fun way to go about that, and so begins this phase.

    The first step to making this Podcast was to determine the topic of the first few episodes, of which I currently have three. Since the main ideas of the project are Historic Preservation and Baseball, I figured the opening episodes should explain what those two things are. I am planning a two part opener talking about Historic Preservation and all it entails in one, with the help of fellow preservation major Michael Murphy to add more insight, and in the other talking about the history of baseball and how it has changed, as well as implications of those changes either in the game or the world around it. The last episode is going to be about how baseball movies show stadiums, specifically the ones in my StoryMap, and how that does or does not impact how these places are preserved or how their stories are told.

    The next step was to outline everything in these episodes. For the Historic Preservation one, I consulted Michael for advice, since he is helping me tell about it on the episode. He liked my ideas of a broad overview of key terms and legislation in a style that someone who knows nothing about Preservation will understand, since the target audience is baseball fans who may not know anything about it. For this one I am thinking we will just use the outline to have a conversation about it with a more laid back vibe than lecture format, but that could change based on whether it seems to be working or not. For the baseball history overview, I am digging deeper into significant periods of time, and telling about things that occurred to change the game. Of course I will emphasize the periods of social progress, and throughout the episode I will connect it to preservation and why that should exist too. For the movies episode, I found the movies that feature the ballparks in my StoryMap and those are the movies I plan to focus on. Some of the parks have been torn down, others still stand and are listed on the National Register of Historic Places, and others have some sort of repurposing done to part or all of it. It is fascinating, and I plan to dive into whether them being featured in these movies effects the methods of preservation, or lack thereof. Based on what I have found so far, I am hypothesizing that the two things are not connected, but more may tell me something different so we will see.

    This seems to be a good start to a series, and I am formulating other ideas as I go too, so I may outline some more in the future this semester, or at the very least have a running list of ideas to go back to later.

    But Wait… There’s More!

    Of course, the Podcast is not the only part of this stage of the project. I am also going to make a website to house my StoryMap as well as the Podcast series. On it I am thinking in addition to the episodes, I will put transcripts on the page for each episode. This is not only for accessibility, but also because some people prefer to read and that allows them to get the content too. It will definitely take more time to make this possible, but it is a necessary commitment in my view, and I find doing transcripts fun because I can use that to reflect on how I can improve. This makes me better at public speaking, and for these purposes it makes me better at podcasting, which I consider a win. In terms of a podcast name, a website name, and a domain name, I have had some ideas. The domain name can basically be the same as the website name so that makes it a little easier. Obviously I need it to connect to Baseball and Preservation, and there are a lot of ways to go with that. I called the StoryMap “Preserving in Place: National Register & the Negro Leagues” which might be a good starting place. It feels too academic for this type of thing, and it does not encompass everything that will be in the podcast and website, so I would need to refine it a little.

    For the Podcast, I think a simple title that covers everything is all I need. For now I like how “Preserving Our Pastime” sounds. Preservation is clearly there, and baseball being considered by many the National Pastime, it makes sense. This could change before I release my first episode, but for now anyway that is what I think I am going with.

    For the Website and Domain, I want it to be catchy, and honestly for the domain I think preservingourpastime.com is easy to remember, and connects to the podcast in people’s heads. So I may go with that, but for the website I am not sure. I want to make it something catchy that may connect to something people know too. For a while “People Will Stay” as a reference to the famous Field of Dreams “People Will Come” speech, but it does not really stand out or feel original. At the end of the day, I think “Preserving Our Pastime” works for all three things, it is simple, to the point, and hopefully will catch some interest from people.

    Next Steps

    Now that episodes are outlined and a name for everything has at least been thought about, I need to make a plan for the next couple weeks until the next update. I think the biggest thing will be meeting with Michael Murphy to talk more about the first episode, and come up with a plan together for how it is going to work and when to record. If we are both able with our own time restraints, I think actually recording the audio is possible too. In addition, I think finding out how websites work and setting that up with the structure for everything to go on it also makes sense as a next step. These seem like logical next steps for now, and I feel like I am going to find more to refine as I go so I will include all of that in the next update. I hope this stage of the detour is as fun as the last, it has been so far, and I hope everyone reading about it finds as much enjoyment in it as I have. Farewell for now, its time for some fun!

  • Bionicle Display Project Part 2 – Clean-Up Time

    Welcome again to my display project. This last weekend proved to be very busy for my personal life, but I’m glad to get back into the swing of things again, and to start making some real progress on this.

    Intro

    I ended off my last post by talking about how many of the Toa Inika needed a proper deep clean. We can’t have any grime and dirt ruining the beauty of these figures and their soon to be home!

    To get right into it, the first thing I want to do is quickly use some compressed air to blow away any loose debris and dust on the pieces. To make this process easier, I’ll deconstruct each Inika down to have an easier time with each piece.

    Because there’s so many pieces, I only want to detail some of the worst, most visible offenders and showcase a before-and-after of those pieces. So with that being said, let’s begin.

    The Great Dusting

    I chose to start with Nuparu due to his black coloration making the grime most visible. By far his dirtiest parts are his mask, shoulder and chest armor, and torso.

    Personally, I’m amazed his feet and lower arms don’t have as much dust on them with how many fine details they have.

    Unfortunately, the compressed air was not able to remove much from the torso, and nearly nothing from the shoulder armor. However, the chest plate cleaned up nicely, as I had expected… but so did his Kadin!

    While I’ll still have to go over them again with a wash of isopropyl alcohol, it is nice to have at least some of the dust off.

    I continued his cleaning without any further surprising incidents. Everything left of him will need some alcohol.

    Fun fact! – Nuparu

    As mentioned on his character bio in my first post, Nuparu was an excellent engineer and nothing short of a genius. During the Bohrok invasion on Mata Nui, he failed to escape Onu-Koro before it was flooded and ended up trapped in its caves alongside Onepu and Taipu.

    While the two other Matoran worked on digging an escape path, Nuparu used the empty shell of a Gahlok to create the Boxor, which would play a massive role in saving the other villages across Mata Nui from the invasion.

    He quite literally built an Iron Man-like suit in a cave, with a box of scrap, 6 years before the first Iron Man movie would debut.

    Thankfully, Jaller, Kongu, and, to my surprise, Hewkii all are fairly clean as is and I don’t feel any of their parts are worth documenting.

    Hahli, on the other hand, has some parts that could use a dusting. Her parts include her torso, mask, and chest plate.

    Within these parts, her chest plate and torso cleaned up alright. Her Elda is still plagued by bits of dust and other gunk. I worry that a lot of this mess is caused by wear and tear around the mask, as there are some very clear scuff marks and light scratches. Should that be the case, I would feel that using a different mask piece entirely would have to be the best option.

    Thankfully, I happen to have a few extra copies of Hahli specifically. This is due both in part just to luck from the pieces I’ve kept over the decades, and because of the Inika exclusive combiner Toa Jovan*, who is assembled with parts of Hewkii, Nuparu, and Hahli. I bought a second copy of all three Toa Inika specifically to assemble Jovan, and after assembling him, I kept the remaining pieces of each Toa in their respective canisters.

    *Fun fact! – Toa Jovan

    Jovan was extremely unique in his lore. He was the only Toa of Magnetism, and also the only Toa in his team, to have ever gotten an official name or design. In-universe, Jovan was one of the oldest Toa created and his team reflects this, being the first ever functional Toa team. His team would also not only be the first ones to retrieve the Mask of Life, but also included the only other (unfortunately, unnamed) character who would be destined to wear said mask.

    This is all to say, I do happen to have an extra Elda I can swap out for if needed. I gave it a quick inspection but struggled to see any physical damage under the extremely thick dust all over it, so hopefully that means there is none!

    Age Begins to Show

    While continuing to clean Hahli, I spotted this crack in her right foot!

    Blue Bionicle foot with a small, deep crack towards the toe

    While it is small, and does not (currently) affect the overall structure stability of her, it does worry me that it has formed at all.

    I went to grab another foot from her canister, but spotted more cracks on each of them!

    Two different blue Bionicle feet with small, deep cracks towards the toe

    This was extremely strange to me, as I have never seen damage like this in these specific molds before, so that got me thinking that the cause was similar case to that of the infamous Gold Plastic Syndrome*. I decided to inspect Kongu’s feet, and sure enough…

    Two green Bionicle feet with small, shallow cracks towards the toe

    The cracks reveal themselves again! While his are much milder compared to Hahli’s it does seem to me that this issue is caused by the special marbled plastic they both share.

    *Tragic fact – GPS in Bionicle

    While Gold Plastic Syndrome is a term created and used by the Transformers toy community, Bionicle suffered from a very similar issue, just with another color. While the Lime (referred to as Lime Green by the community) color had been used since the beginning of the series, featuring in Toa Mata Lewa in 2001, and even the Toa Inika’s heads, it was not until 2007 that Lime Green would start to gain its horrible infamy.

    While not to the extreme, hand-crushing degree of actual GPS, any Bionicle joints made with the Lime Green coloration had a very noticeable reduction in strength, breaking under normal use extremely easily, and quickly. This was made worse because those joints were sockets, meant to snap on to ball joints after applying force.

    This excellent Reddit thread delves into the specifics and history of it all (although beware of major spoilers for Bionicle’s story). In short, something within the plastic mixture that Lego used was the culprit, and it means that nearly all Lime Green pieces made after 2006 are eventually doomed to be destroyed. Hopefully injection molding becomes cheaper in the future and fans find a way to replicate Lego’s plastic colors.

    My Hypothesis

    On top of the marbled plastic in general, I believe this to be a result of this specific foot mold, as these parts are both softer and less shiny in comparison to, say for example, Hahli’s legs, which also contain the same marbled process and have that signature Lego shine.

    What I am more unsure of though is the primary cause for this to happen. My initial guess was that it was due to aging and that it is a new phenomenon, as I was unable to find anything online that referred to these cracks (or any cracking in general on the Inika), but then it hit me.

    For some context, I am an out of state student from Texas and during the Winter and Summer breaks I pack my belongings in my car and drive the nearly 1700 miles it is from UMW to my parent’s house and back.

    Furthermore, this year Eastern U.S. was hit by a massive snowstorm and cold front featuring freezing temperatures for multiple days. Thankfully, I avoided being in the snowstorm directly as I was always a day behind it, but the further East I went, the colder the temperatures would be. Out of the three nights I traveled, two of them were in freezing weather surrounded in ice and snow, and my car would be subject to hours of that weather.

    Of course, among the belongings I packed while preparing for the drive back to UMW, was the Toa Inika in their canisters. I, in hindsight, rather foolishly decided to leave them in my car’s trunk rather than in the main cabin with other items such as electronics. And because my car’s trunk is both not air-conditioned or as well insulated as the cabin…

    I believe that these cracks could be a result of extreme temperature shifts! Similar to how a small crack in a windshield can expand to a multiple feet wide monster after the weather temperatures repeatedly lower and rise, I think that something similar happened to these Bionicle pieces.

    Here’s my full thoughts to explain my hypothesis. I believe that:

    • the special marbled plastic is just naturally weaker than normal, single-colored plastic just due to the mixing process done by Lego, creating a GPS-like effect to a much, much less severe degree
    • the specific foot mold used here has some light, but not invisible, stress in its structure that is only 99% stable, explaining why it would pass Lego’s quality control at the time, and also why the cracks form in the same place on each foot
    • the nearly 20-year-old age of the pieces gave enough time for the previously mentioned ideas to wear out the strength on them
    • this was all magnified due to the extreme temperature shifts, and poor placement in my car, during the long road trip from Texas to Virginia

    What does this mean?

    Unfortunately, I don’t have feasible means of testing any of these pieces of evidence, so the most I can do is find another copy of Kongu’s or Hahli’s foot at home and inspect them for cracks. Should I find one in good condition, I’ll happily swap it out with the damaged pieces.

    But that won’t be possible for at least a few weeks as I won’t have a chance to return home until Spring break begins at the end of February.

    Alternatively, in an emergency, I could purchase replacement parts on Bricklink, where I have previously bought all of these Toa and their canisters.

    The bright side

    Thankfully though, that doesn’t seem it will be necessary. I applied some moderately forceful pressure to the cracked areas to see if they would move, but experienced very little to no shifting whatsoever, meaning that the structure is still very strong. I have the feeling that it will hold up for a very long time, so the only true motivation to switch out pieces would be for beauty and decorative purposes. Perhaps another objective to reach towards later down the line?

    Cleaning, Returned

    I’ll continue to keep my eye out on those pieces throughout this project, but ideally the only update will be that I found undamaged versions of them to use.

    I returned to cleaning the rest of Hahli, and also gave a closer inspection to Hewkii, Jaller, and Kongu, but found no other damage that was out of the ordinary.

    What about Matoro?

    If you are one of the people who noticed I hadn’t mentioned Matoro up until now, congratulations! You’re either very astute, interested in this series, or already a true fan.

    Regardless, because Matoro is primarily white, I decided that I will only give him a quick all-around dusting for the most part, as I plan to bathe all of his white pieces in hydrogen peroxide like I had mentioned in my last post. This means that there are only 10 pieces to clean outside of that, and none of them are particularly filthy when compared to his poor yellowed parts.

    Time to Hit the Bar

    With the basic dusting out of the way, the next step for me is to remove any remaining grime with the use of some Q-tips and 91% isopropyl alcohol.

    Just about every piece needed this treatment, so instead of filling up this post with more and more images, I’ll instead opt to only document any parts that I am unable to clean fully.

    Matoro

    Since he is still out in front of me as I write this, I’ll begin with Matoro. His bright silver torso and chest plate had some especially yucky spots on them, but had nothing that really stuck around.

    However, I am noticing that his chest plate seems to be slightly yellowed, strangely. I’ll throw it in the bath with the rest of his white parts.

    His poor Iden is also absolutely COVERED in gross dirt and grime. A light wash of alcohol removed a lot of the worst bits, but I’ll be so happy to fully bathe it with the rest of Matoro’s parts.

    I sorted out his white parts and put them into a plastic container, along with his chest plate.

    Hahli

    Hahli had no parts worth mentioning. Everything that was not blown off was cleaned off easily.

    I removed her white joints, along with her marbled legs, and put them in the bathing container.

    Kongu

    Kongu had nothing that was not already cleaned off by the compressed air, so nothing worth mentioning!

    Jaller

    Jaller also had nothing that didn’t get cleaned by the compressed air.

    Hewkii

    Hewkii had a few corners that needed to be loosened up with a Q-tip, but nothing stuck around after that!

    Nuparu

    The only part that I could not fully clean off was the claw in Nuparu’s left hand. There’s both a buildup of gunk in the corners, and a stubborn mark on one of the claws itself. I’m not sure it needs a full hydrogen peroxide soak, but I decided to put it in the container regardless.

    Silver Bionicle claw with light yellow grime on its base, and a grey streak on its rightmost finger

    What’s next?

    With each of the Toa and their specific pieces accounted for now, that marks an end to the majority of my plan this week. I plan to spend a day soaking the gathered parts in hydrogen peroxide, which is a multi-hour-long process from what I’ve read.

    Specifically, I am going to consult this webpage and its attached YouTube video for the process. While that tutorial deals specifically with light grey Lego bricks, I have no doubt that it will be any less effective for the white Bionicle pieces.

    Although that being said, I have read on another page while researching this that hydrogen peroxide can wash out some colors, which does worry me when it comes to the blue on Hahli’s legs, but if worst case scenario occurs, I do have replacements. Ideally though, I’d like to avoid damaging something so vintage.

    As for next week, I will have my definitive materials list ready to discuss with Shannon and Cartland, and assuming that we have no hiccups with it, I’ll begin the process of putting the display together!

    Quite honestly, I am very nervous about it, but there’s still another 13 weeks or so to figure everything out and make this display be as amazing as it can be!

  • Bionicle Display Project – Introduction

    Welcome, all. My name is Hayden De La Chapa. I’m currently in my second semester as a junior at UMW majoring in cybersecurity, and I’m considering minoring in digital studies as I feel I have a strong artistic side.

    I’ve never really written in the style of a blogpost, nor am I very good at these kinds of introductions, so I hope that this info will suffice.

    An introduction to Bionicle

    On to what I’m much more experienced with. Ever since my earliest memories, the Lego brand Bionicle has been a part of my life. Unique from the other brands Lego is known for today, Bionicle was a series of buildable figures using Technic and unique snappable ball joint pieces made specifically for the toy line.

    Note that I have opted to add links to the fan hosted Bionicle wiki biosector01 on any Matoran Language* terminology used throughout these posts so that non-fans of the series can understand what I am discussing without bloating up the page too much. Because these things are so engrained into me, it is possible that I may pass over some spots, and for that I apologize.

    *Fun fact! – Matoran Language

    Many of the words in the Matoran Language are directly taken from the real-life Māori language. However, the Māori people viewed that certain words being used by Lego were disrespectful to, and an appropriation of their culture, filing a lawsuit against Lego in 2001 before the launch of Bionicle in North America. Lego would acknowledge their concerns and change many of their words. Most notably, this included the word “tohunga” (meaning “spiritual advisor”) being changed to the now ever-present “Matoran”. Many other words received a simple change in spelling, while others remained unchanged entirely. More information about this situation and the specific words used can be found on this page.

    Lasting from 2001 to 2010 (with a less successful reboot ranging from 2015 to 2017), Bionicle was particularly unique due to its incredibly in-depth world and story. Each buildable figure is their own character, with their own name, personality, and lore, which allowed for a deeper connection compared to the previous lines Lego had produced. The main storyline lasted the entire 2001-2010 run and consisted of books, games, comics, websites, and even a few movies that explained parts of the story. Each year introduced a new set of characters to purchase as the story progressed forward, with designs typically drastically changing and evolving.

    Beyond its story and lore, Bionicle was probably most notable for its physical aspects. The most well-known aspect of this is its very unique canister style packaging, which could include unique designs for each year and character series, or even a connection to in-universe story elements that doubled as extra play features.

    Second most well-known would have to be the iconic masks, known as Kanohi. Like the characters, each Kanohi has its own name, design, and lore, and they were typically the focus of the collection aspect especially early in Bionicle’s life. For example, the Kanohi typically associated with the series is called the Hau, the mask of shielding that allows a bearer to form a shield around themselves to protect from attacks, but not ambushes.

    Furthermore, nearly every series of characters comes with a combiner form that could only be assembled once all required characters were owned, which typically resulted in another in-universe character or creature.

    For the most part, after its poorly handled and unsuccessful reboot in 2015, Bionicle has been shunned and abandoned by Lego. Despite winning the 2022 Lego 90th Anniversary vote in the first round, and placing 2nd in the second round, it was the only series not to receive a large scale high-budget set release like Pirates, Castle, or Space, instead being restricted to a very tight budget Gift-With-Purchase (GWP) on purchases of at least $95. Harsh, especially for a series so beloved by fans and that had saved Lego during their financial troubles in the 1990’s.

    The brick-built GWP released in 2023 featuring the Toa Mata Tahu (right), the Matoran Takua (left) in his signature Mata Nui Online Game (MNOG) appearance, and a somewhat abstract rendition of the Mata Nui and Makuta stones, also seen in MNOG.

    Wiki link

    Fun fact! – Bionicle hidden in other Lego brands

    Despite the rather lackluster love from Lego for the 90th Anniversary celebration, in December of 2023, the Monkie Kid “Megapolis City” set released, featuring many references to discontinued Lego brands. Among these references, hidden away underneath the foundations, is a brick containing a mask design identical to that of Takua’s Pakari as seen above, but with Onua’s black and green color scheme. See this post on the BZPower forums for more info.

    The project

    But that’s history for another time. As should be evident by now, I am extremely passionate for this series, and it has long been my Autistic special interest. This, finally, brings me to the project I will be working on for this semester.

    One aspect I don’t really see talked about with Lego is their in-store displays. I’m uncertain about their design process in any aspect, but the Bionicle displays have long been a piece I wish to add to my collection. However, due to their scarcity it is difficult to find them available, much less for cheap or the specific ones I’d like the most. Because of this, and with inspiration from people who have posted online, I’ve wanted to make my own display for my favorite year in the series.

    Allow me to introduce who we’ll be getting to know very well throughout this project:

    A collection of six Bionicle figures stored in their canisters. Each canister has a colored lid in relation to its figure's main color, along with the striking "Inika" logo

    These are the Toa Inika, who were the mainline release for the winter season of 2006. As you can see in the image, the unique canister packaging gives a very striking appearance unlike anything else seen in Lego. Also noteworthy: the characters seen here were all originally Matoran who could be seen and even purchased in the 2001 and 2002 story chapters.

    Each main series of six figures included their own play functions which up to this point before 2006 typically involved a gearbox to allow arms to swing, a disc launcher controlled in a similar manner to a Beyblade, or switches to cause some sort of movement. In many senses, the Toa Inika were more unique than their predecessors, as they introduced the “Inika build” that would generally become the standard for each Toa series following them, and contained more than a few gimmicks:

    • They included the new Zamor launcher projectile firing weapons, seen in their left hand (or on Nuparu’s shoulder). While these were introduced with the Piraka villain series earlier that year, the Inika added a magazine modification to the launchers, allowing for upwards of four spheres to be loaded.
    • The Toa tools in their right hand contained LED lights controlled by a motherboard that would flash upon pressing a rubber button on the front.
    • Unlike any other Kanohi in the series, the masks* seen on the Inika were made out of rubber instead of plastic. This is the most controversial aspect of the sets among fans even today.
    *Fun Fact! – The Toa Inika’s masks

    As I mentioned here, the Toa Inika’s masks are unique in the sense that they are made of rubber rather than plastic. This is to fit with their in-universe lore, where after setting out on their voyage to Voya Nui, the canisters the (then) Matoran travelled in were struck by lightning. This event caused a myriad of transformations, part of which was that their masks became organic. It was noted that these masks made the Inika “unnerving” to look at, and had a level of sentience and motor control, but also allowed Toa to have easier control of their mask powers. See this page on the biosector01 wiki for more info.

    More about the Toa:

    • Hewkii
    • Kongu
    • Nuparu
    • Jaller
    • Matoro
    • Hahli
    Gunmetal grey and yellow Bionicle figure with a silver weapon attached to a chain, and orange colored Zamor spheres

    Hewkii is the cheerful and athletic Toa Inika of Stone, and the team’s deputy.

    He wears the Great Sanok, the Mask of Accuracy, which grants the user near perfect accuracy with any projectile.

    The tool granted to him is the Laser Axe that allows him to channel his powers of Stone. The Climbing Chain attached to its base allows for easier rock-climbing.

    Fun fact: As a Matoran, Huki was the greatest Koli player in all of Mata Nui. He also has a deep, platonic relationship with Macku and the two of them had dolls of each other when they resided on Mata Nui.

    Wiki link

    Green and silver Bionicle figure with a silver weapon, and blue Zamor spheres. His chest piece and feet have a unique green and silver marbled design

    Kongu is the steely yet fun-loving Toa Inika of Air.

    He wears the Great Suletu, the Mask of Telepathy. It allows the user to both read the thoughts of others, and project their own thoughts.

    The tool granted to him is the Laser Crossbow, which allows him to channel his powers of Air and fire energy bolts.

    Fun fact: As a Matoran, Kongu was in charge of the Le-Koro Gukko Bird Force and had a hand in saving Toa Lewa and the other inhabitants of Le-Koro after they were captured.

    Wiki link

    Black and grey Bionicle figure. Has silver claws that hold a dark grey weapon with a red tube for a laser sight. The Zamor launcher is located on the right shoulder and contains orange spheres

    Nuparu is the inventive Toa Inika of Earth.

    He wears the Great Kadin, the Mask of Flight. It allows the user to soar through the air.

    The tools granted to him include the Laser Drill that fires high-power laser beams. Alongside it are his claws, allowing him to dig at great speeds. Both tools allow him to channel his powers of Earth.

    Fun fact: Nuparu (alongside Hahli) were the only two Matoran who were not part of the 2001 McDonald’s collaboration to become Toa Inika, replacing Macku and Onepu respectively.

    Wiki link

    Red and orange Bionicle figure. Wields a gold weapon with a gold chest piece, and green Zamor spheres

    Jaller is the dutiful and courageous Toa Inika of Fire, and the team’s leader.

    He wears the Great Calix, the Mask of Fate. It allows the user to perform at their maximum physical limit.

    The tool granted to him is the Energized Flame Sword, which allows him to channel his powers of Fire and shoot blasts of electrified fire.

    Fun fact: As a Matoran, Jala was the captain of the Ta-Koro Guard. He, alongside the Gukko Bird Force and Ussalry, would come to the rescue of the Chronicler’s Company, saving them, and subsequently, the Toa Mata from certain doom.

    Wiki link

    White and blue Bionicle figure. Wields a silver weapon and chest piece, and has blue Zamor spheres

    Matoro is the quiet, but compassionate Toa Inika of Ice.

    He wears the Great Iden, the Mask of Spirit. It allows the user to project their spirit from their body, essentially acting as a ghost.

    The tool granted to him is the Energized Ice Sword, which allows him to channel his powers of Ice and shoot blasts of electrified ice.

    Fun fact: As a Matoran, Matoro served as a translator for Turaga Nuju. He was also one of only two people ever destined to wear the Mask of Life.

    Wiki link

    Blue and white Bionicle figure. Her shoulders, legs, and feet have a marbled blue and white design. Wields a gunmetal grey weapon and chestpiece, with green Zamor spheres

    Hahli is the shy and diligent Toa Inika of Water, and the only female member of the team.

    She wears the Great Elda, the Mask of Detection. It allows the user to detect hidden beings (such as a user of the Iden), and the legendary Ignika, the Mask of Life.

    The tool granted to her is the Laser Harpoon, which allows her to channel her powers of Water and fire energized laser harpoons.

    Fun fact: As a Matoran, Hali became the second person to earn the title of Chronicler after Takua’s transformation. She also shares a close bond with Jaller.

    Wiki link

    My idea for this project is to use these six Toa figures in a custom display that offers a stylized scene relating to their story/branding, and that involves modifications to the previously mentioned light-up Toa tools to be controlled by a master switch that may also control other lights on the display, that will be plugged into a wall outlet for power.

    Ideally, I’d like to make the display similar to the ones created by Lego, so I know already I will be using plexiglass to serve as protection from physical damage and dust. In this regard, I plan to uncover and study any information about these displays and take inspiration from fan created displays posted online.

    Two examples of official in store displays, featuring Toa Inika Jaller on the left, as we have met, and the Piraka Vezok on the right. The buttons in these cases would activate the light in Jaller’s flame sword and Vezok’s eyes respectively.

    Seen in this, unfortunately, empty forum, these images give some extra clues as to the inner workings of these displays.

    From previous experimentation, I know that the light up tools simply use red, blue, and green LED lights that shine through a transparent tube to produce the lighting effect, and that the motherboards controlling the current LEDs can be removed (so no more risk of battery corrosion, yay). I plan to remove the motherboards and insert an appropriate colored LED light to be controlled by a master switch.

    Beyond that, I’m less certain what will serve as a base for the Toa to be stood on. One idea I have is to use some form of Styrofoam which can allow for a lightweight base that can be modified to fit stands and wires, but I’m not sure how easily it can be customized in terms of paint and decals and the like.

    First steps

    First off, I need to find a good option to serve as a base. For this, I’ll look through the YouTube channel “North of the Border“, who is one of my major inspirations and also who I will primarily refer to for ideas when making this project. Once I have a base material decided, I’ll decide on the poses I’d like each Toa to have and get a general idea on the dimensions and constraints to have for the display size.

    Before any of that though, these Toa need a cleaning. They come from my personal collection, and despite my best efforts, dust still manages to penetrate my closed-door display cases. Some dust can be blown off with compressed air, but there are spots that have caked on layers from nearly two decades of time, and the rubber Kanohi masks also like to hold a tighter grip on any grime they acquire.

    Furthermore, Matoro, and Hahli to a lesser extent, also have a unique problem from the other Inika due to their white coloring. Although not limited to white pieces, sun damage is most prominently seen on them in the form of a yellow discoloration.

    Cleaning methods

    My plan of attack is to first blast the Toa with a healthy coating of compressed air, removing and loosening weaker dust from some of the more notable spots. This will help show off which spots need further action. For these, I believe some cotton tips dabbled in isopropyl alcohol may do most of the heavy lifting. Should any grime still choose to persist, they’ll be subjected to the Isopropyl Bath with some sun which should ideally get the last few bits off. I don’t have a plan for what I’ll do if that fails, but I’ll be sure to do research into further cleaning methods if needed.

    Speaking of the Isopropyl Bath, that will also be the solution to Matoro’s white plastic parts. It does seem somewhat counter intuitive to fix sun damage by letting pieces soak in the sun, but my previous experience with this method has shown great results. Because it takes a day or two for most of the yellowing to disappear, it will leave me with the perfect amount of time to put a materials list together.

    With the plastic parts mostly covered, this just leaves the rubber masks, which intimidate me. I’ve tried all manners of alcohol, both wipes and isopropyl, baths, and compressed air but it just doesn’t get even a majority of the grime off. I imagine this will be a task I’ll be researching and working on for longer than I would like.

    Finally, as for the discoloration in Matoro’s transparent blue pieces, I’ll throw them into a Bath with the white parts and see if it makes a difference. I’m not sure if the color is caused by sun damage, or if it is simply just a difference in the colors that Lego used*, but my theory is that because the coloration is generally located on Matoro’s right side, it is in fact sun damage from the pose I had him in.

    *Fun fact! – Changes in plastic color

    This exact situation is seen with silver pieces starting from around this time. Lego switched from using Flat Silver to Pearl Light Gray, and as a result some parts like Nuparu’s claws can be seen with notably different silvers. This post on the TTV YouTube channel forums shows off the differences quite well.

    Conclusion

    With all of that being said, I believe it’s time to cap off this very long post so I may begin the process. I had a lot of fun writing it in this manner, and I plan to continue including as much information as I can about this project, with a healthy sprinkling of Bionicle lore on the side.

  • Evelynestallation Blog Post 8- Final Post!

    Dear reader, thank you for accompanying me on the journey from initial concepts to a finished lighting project in the HCC! I hope that you learned a lot and that you’ll be able to implement my code in your own lighting endeavors.

    My biggest personal takeaway from this project is that creative engineering causes creative outcomes. This installation is nothing like my original plan, which was also nothing like my original project proposal. We even completely changed the installation plan on the very day we were installing it. Other than the fact that sparkle lights happened, nothing ended up the way I thought it would- and I’m so glad. This is so much better than my original creative vision!

    I hope, when you do your own projects, that you persevere through difficult things like fried microcontrollers and discover projects that are far cooler than what you originally intended to make. You can do a project just like this one with a few wires, a microcontroller, and a string of lights!

    The video below is a short clip of the lights in the HCC displaying the Rainbow Comet code from one of my earlier blog posts. The full code currently running is posted in blog post 7.

    And, of course, here’s some sparkle lights code, adapted from the original nighttime code for the third floor:

    #include <Adafruit_NeoPixel.h>
    #ifdef __AVR__
      #include <avr/power.h>
    #endif
    #define PIN      5
    #define NUMPIXELS 150
    
    
    Adafruit_NeoPixel pixels(NUMPIXELS, PIN, NEO_GRB + NEO_KHZ800);
    
    #define DELAYVAL 15
    #define DELAYVAL2 50
    #define DELAYVAL300 10 
    #define BIGDELAYLOOP  15400
    #define BIGDELAY 13900
    
    
    void setup() {
    #if defined(__AVR_ATtiny85__) && (F_CPU == 16000000)
      clock_prescale_set(clock_div_1);
    #endif
    
      pixels.begin(); 
     
    
    
    }
    
    void loop() {
      for (int g=0; g<12; g++)
    {
      for(int i=0; i<NUMPIXELS; i++) {
    
    
        pixels.setPixelColor(i, pixels.Color(0, 0, 0));
         pixels.show();
       
        }
    for (int q=0; q<2400; q++)
      {
      int x=0;
      int y=0;
      int z=120;
    
    for (int t=0; t<50; t++) //red to green
    {
    for(int i=0; i<NUMPIXELS; i++) {
    
    pixels.setPixelColor(i, pixels.Color(z, x, y));
    
    pixels.show();
    
    }
    
    delay(DELAYVAL2);
    
    z--;
    x++;
    }
    
    for (int t=0; t<50; t++) //green to blue
    {
    for(int i=0; i<NUMPIXELS; i++) {
    
    pixels.setPixelColor(i, pixels.Color(z, x, y));
    
    pixels.show();
    
    
    }
    
    delay(DELAYVAL2);
    
    y++;
    x--;
    }
    
    for (int t=0; t<50; t++) //blue to red
    {
    for(int i=0; i<NUMPIXELS; i++) {
    
    pixels.setPixelColor(i, pixels.Color(z, x, y));
    
    pixels.show();
    
    
    }
    
    delay(DELAYVAL2);
    
    y--;
    z++;
    } 
     
      }
        
    }