Niagara Takes Flight

Project: Niagara Takes Flight - An On-site Color Grading Adventure

Niagara Takes Flight opens today! Its a beautifully Immersive 4d adventure over Niagara Parks. I’m very greatfull that my long time collaborator Rick Rothschild tapped me again to make the images sing like the locations do in real life. Rick and I go all the way back to Soarin’ Over California when we first met. It’s honor to work with such a consummate professional and true leader and innovator in the space.

I've spent a lot of time in the controlled environment of the theater at Warner Bros. Water Tower Color, but sometimes a project comes along that requires you to get out in the field. This was one of those times. "Niagara Takes Flight" is an immersive ride experience that uses four laser projectors and a Seventh Sense system to warp and project the content onto a massive, curved dome.

There's just no substitute for being in the venue. The interaction between those four projectors presents a unique set of grading challenges that you simply can't solve in a standard grading suite. My goal was to create a seamless, powerful, and truly immersive experience for the audience. To do that I had to take Water Tower Color to Niagara.

The Powerhouse Duo

My portable setup was built around a MacBook Pro M3 Ultra and a 12TB IOdyne Pro Data drive, configured in RAID 0 for pure performance. The disk's speed and small footprint made all the difference; honestly, there's nothing else on the market that would have let me travel so light, and set up so fast.

My Peripherals

  • Control Surface: Tangent Elements. My first choice would have been a Slate, but the Elements' modularity made it perfect for packing.

  • I/O: A Blackmagic UltraStudio Mini 4K connected via Thunderbolt.

  • Storage: An IOdyne Pro Data 12TB array. Be sure to enable multipathing and connect the disk on two different busses, for example 1&3 not 1&2.

  • Misc: An Elgato Stream Deck for macros and a 4th gen iPad Pro used as a secondary display for scopes and stills via Sidecar.

Media and Timeline:

The footage was 60fps, 5760x4320 PIZ-compressed 16-bit half-float EXR files. I kept my Baselight project on the Mac's local database, but all the source media, caches, proxies, and renders lived on the Pro Data drive. The timeline was complex. We worked in a scene-referred grading space, which meant I wasn't doing any harm to the pixels, keeping the master as fluid as water until the final delivery targets were struck for the theater and frozen into ice, ACES archival elements, and other client versions were also rendered which insures longevity for any systems that may come along in the future.

Performance & Reliability:

Playback was a dream—60fps with no problem. I did have one render hiccup: the Mac went to sleep during a long render when it ran out of power even though it was connected to the Pro Data. The solution was simple— disconnect the panels and breakout box, since they're not needed for rendering and just plug in the power adapter in.

Shout Outs

Peter Postma and the Filmlight crew came through in a big way with early versions of Baselight M. It’s such a pleasure to have that kind of power in my backpack. Another huge thank you to Mike Gitig and the entire IOdyne team for thier support. I also want to thank NPC, Brogent, Rick Rothschild and Mike Quigley for allowing me to contribute my small part to this spectacular attraction. I have a feeling it will be there for many years to come so go check it out next time you are planning your family vacation! The falls are truly one of those bucket list places you must visit. Nothing else like it on the planet.

Building a Retro CRT Effect: From Shadertoy to Baselight Matchbox Shader

Hey everyone, lately, I've been asked to dive back into the world of retro aesthetics, and one thing that always stands out is the look of old CRT (Cathode Ray Tube) monitors. That characteristic scanline flicker, the subtle noise, and the slight color fringing – it's all part of a nostalgic visual language. I wanted to bring that look into Baselight (last time I did this it was for Mistika. https://www.johndaro.com/blog/2020/10/28/vhs-shader), so I built a custom Matchbox shader that accurately simulates these CRT artifacts. This post breaks down the process, from finding inspiration to creating a user-friendly tool.

The Inspiration: Shadertoy

My journey started on Shadertoy, a fantastic resource for exploring and learning about GLSL shaders. I found a great CRT effect shader (https://www.shadertoy.com/view/Ms3XWH) that captured the essence of the look I was after. It used clever techniques to generate scanlines, add noise, and even simulate chromatic aberration (that slight color separation you see at the edges of objects on old TVs).

However, Shadertoy shaders are self-contained and designed for a specific environment. To make this useful in Baselight I needed to adapt it for the Matchbox framework.

From Shadertoy to GLSL Standard

The first step was to "translate" the Shadertoy-specific code into standard GLSL. This involved a few key changes:

  1. mainImage to main: Shadertoy uses a function signature mainImage(out vec4 fragColor, in vec2 fragCoord). Standard GLSL, and Matchbox, use void main(void). We also replace fragCoord with the built-in gl_FragCoord and output the color to gl_FragColor.

  2. Uniform Inputs: Shadertoy provides inputs like iResolution (screen resolution) and iChannel0 (the input texture) automatically. In Matchbox, we need to explicitly declare these as uniform variables: adsk_result_w, adsk_result_h, and src, respectively. We also added iTime as a uniform to control animation.

  3. Texture Sampling: Shadertoy's texture function becomes the standard texture2D in GLSL.

Here's a snippet illustrating the change:

Shadertoy:

void mainImage( out vec4 fragColor, in vec2 fragCoord )
{
    vec2 uv = fragCoord.xy / iResolution.xy;
    // ...
    vec4 tex = texture(iChannel0, uv);
    fragColor = tex;
}

Standard GLSL (for Matchbox):

uniform float adsk_result_w;
uniform float adsk_result_h;
uniform sampler2D src;

void main (void)
{
    vec2 uv = gl_FragCoord.xy / vec2(adsk_result_w, adsk_result_h);
    // ...
    vec4 tex = texture2D(src, uv);
    gl_FragColor = tex;
}

Making it Controllable: Matchbox XML

The real power of Matchbox comes from its ability to expose shader parameters as user-adjustable controls. This is done through an XML file that describes the interface. I wanted to give users control over the key aspects of the CRT effect:

  • Scanline Width: How thick the scanlines appear.

  • Noise Quality: The granularity of the vertical noise (lower values create more distinct lines).

  • Noise Intensity: The amount of horizontal jitter.

  • Scanline Offset: The intensity of the vertical scanline displacement.

  • Chromatic Aberration: The strength of the color fringing.

  • Time: The speed of the animation.

To achieve this, I did the following:

  1. GLSL Changes: In the GLSL code, I replaced the const float variables that controlled these parameters with uniform float variables. This is crucial – it tells Matchbox that these values can be changed externally.

// Before (hardcoded):
const float range = 0.05;

// After (Matchbox controllable):
uniform float scanlineRange;

XML Creation: I created an XML file (with the same name as the GLSL file) that defines the controls. Each control is specified using a <Uniform> tag. The most important attribute is Name, which must match the corresponding uniform variable name in the GLSL code.

<Uniform Max="0.1" Min="0.0" Default="0.05" Inc="0.001" ... Name="scanlineRange">
</Uniform>

The XML also includes attributes like DisplayName (the label in the Baselight UI), Min, Max, Default, Tooltip, and layout information (Row, Col, Page). These define how the control appears and behaves in Baselight.

Putting it All Together

The final step was to place both the .glsl and .xml files in the usr/fl/shaders directory. Baselight automatically recognizes the shader and makes it available in the Matchbox node. Pro tip, my shaders directory is a link to a network location. This way all the Baselights can share the same shaders and it makes updating easier.

Now, when I add a Matchbox node and select the CRT effect, I get a set of sliders and controls that let me tweak the look in real-time. I can easily adjust the scanline thickness, add more or less noise, and dial in the perfect amount of retro goodness.

Download the Files

You can download the complete GLSL and XML files for this Matchbox shader here:


Conclusion

This project was a great upgrade to my GLSL knowledge, demonstrating how to take a cool shader effect from a platform like Shadertoy and adapt it into a practical, user-friendly tool for Baselight. The combination of GLSL's power, speed, and Matchbox's flexibility opens up a world of possibilities for creating custom effects that can be used through out the entire post pipeline. It might be old tech but still very useful today. I hope this breakdown inspires you to experiment with your own implementation. Let me know what you think, and feel free to share your own shader creations!

How to - Add a LUT in Avid Media Composer

There are several ways to load LUTs into Avid Media Composer:

1. Through Source Settings:

  • Right-click on a clip in your bin or timeline.  

  • Select "Source Settings."  

  • Under the "Color Encoding" tab, go to "Color Adapter Type."  

  • Click on the dropdown menu and choose "User Installed LUTs." You can add LUTs you have already loaded to the source clip and hit “Apply”

  • To load a LUT click Color Management Settings and then click “Select LUT file”

  • Browse your LUT file's location (.cube or .lut format) and select it.

  • Click "Open" to load the LUT.

2. Through Color Management Settings:

Color Management Settings
  • Go to "Settings" in the menu bar.

  • Select "Color Management."  

  • Under the "Project" or "Shared" tab (depending on where you want the LUT to be available), click "Select LUT File."  

  • Browse for your LUT file and select it.  

  • Click "Open" to load the LUT.  

3. Using the "Color LUT" Effect:

  • Go to the "Effects" tab in the Effect Palette.

  • Under "Image" effects, find and drag the "Color LUT" effect onto your clip in the timeline.  

  • In the Effect Editor, click on the dropdown menu next to "LUT File" and choose your loaded LUT.

Avid LUT Effect on Filler track

Additional Tips:

  • LUTs should be in either .cube or .lut format to be compatible with Avid.

  • Make sure to place the LUT files in a location you can easily access and remember.

  • You can organize your LUTs by creating subfolders within the Avid LUTs directory.

  • Shared LUTs are available to all projects, while project-specific LUTs are only accessible within the current project.

For more detailed instructions and visual guides, you can refer to these resources:

I hope this helps! Let me know if you have any other questions.

Cheers to "The Sea Beast" Best Animated Feature Film Nomination!

Sending a big cheers and congratulations to Netflix and The Sea Beast crew for their nomination today. The film is a beautiful culmination of an elite group of artists' fantastic work. I am super grateful and proud to have been a part of the team.

Cheers to "The Sea Beast" Best Animated Feature Film Oscar Nomination!

Flippers crossed for a win on the day!

Best Animated Feature Film Nominations

  • “Guillermo del Toro’s Pinocchio,” Guillermo del Toro, Mark Gustafson, Gary Ungar and Alex Bulkley

  • “Marcel the Shell With Shoes On,” Dean Fleischer Camp, Elisabeth Holm, Andrew Goldman, Caroline Kaplan and Paul Mezey

  • “Puss in Boots: The Last Wish,” Joel Crawford and Mark Swift

  • “The Sea Beast,” Chris Williams and Jed Schlanger

  • “Turning Red,” Domee Shi and Lindsey Collins

DC League of Super Pets

Super excited for everyone to check out the latest from Warner Animation. DC League of Super Pets is a super fun romp expertly animated by the talented team at Animal Logic.

Toshi the Wonder Dog!

Anybody that has ever had a pet is going to love this movie.

Post services provided by Warner PPCS include an ACES HDR picture finish and sound. Truly a post-production one-stop-shop.

The project was supervised by Randy Bol. The great thing about working with Randy is we have a level of trust that has been built over many other projects collaborating together. There is definitely a shorthand when both of us are in the suite. One of the best post sups you’ll work with plus just a good dude too.

Color was supervised by co-director Sam Levine. This guy was cracking me up every session. Not only was he hilarious, but damn, what an eagle eye. I was sort of bummed when our time together ended.

A big thanks to Paul Lavoie and Leo Ferrini too for keeping the ship afloat. I would be drowning in a pile of pixels without these guys.

Now go see DC League of Super Pets only in theaters… Preferably a Dolby Cinema one.

SCOOB! and Best Friends Animal Society

It's not a mystery, everyone needs a best friend! I couldn’t imagine life without my little man Toshi! Watch Shaggy meet his new friend, rescued dog Scooby Doo, in this new PSA from @BestFriendsAnimalSociety.  And you can enjoy Exclusive Early Access to the new animated movie @SCCOB with Home Premiere! Available to own May 15th.

@scoob #SCOOB @bestfriendsanimalsociety #SaveThemAll #fosteringsaveslives #thelabellefoundation

00100lrPORTRAIT_00100_BURST20200508074700600_COVER.jpg

My Dog Toshi

A Huge thank you to TheLabelleFoundation for bringing us together!