Chickensoft.AutoInject
                             
                            
                                2.8.34
                            
                        
                    See the version list below for details.
dotnet add package Chickensoft.AutoInject --version 2.8.34
NuGet\Install-Package Chickensoft.AutoInject -Version 2.8.34
<PackageReference Include="Chickensoft.AutoInject" Version="2.8.34" />
<PackageVersion Include="Chickensoft.AutoInject" Version="2.8.34" />
<PackageReference Include="Chickensoft.AutoInject" />
paket add Chickensoft.AutoInject --version 2.8.34
#r "nuget: Chickensoft.AutoInject, 2.8.34"
#:package Chickensoft.AutoInject@2.8.34
#addin nuget:?package=Chickensoft.AutoInject&version=2.8.34
#tool nuget:?package=Chickensoft.AutoInject&version=2.8.34
๐ AutoInject
Node-based dependency injection for C# Godot scripts at build-time, including utilities for automatic node-binding, additional lifecycle hooks, and .net-inspired notification callbacks.
<p align="center"> <img alt="Chickensoft.AutoInject" src="Chickensoft.AutoInject/icon.png" width="200"> </p>
๐ Background
Game scripts quickly become difficult to maintain when strongly coupled to each other. Various approaches to dependency injection are often used to facilitate weak coupling. For C# scripts in Godot games, AutoInject is provided to allow nodes higher in the scene tree to provide dependencies to their descendant nodes lower in the tree.
AutoInject borrows the concept of a Provider and a Dependent from other tree-based dependency provisioning systems. A Provider node provides values to its descendant nodes. A Dependent node requests values from its ancestor nodes.
Because _Ready/OnReady is called on node scripts further down the tree first in Godot (see Understanding Tree Order for more), nodes lower in the tree often cannot access the values they need since they do not exist until their ancestors have a chance to create them in their own _Ready/OnReady methods. AutoInject solves this problem by temporarily subscribing to each Provider it finds that is still initializing from each Dependent until it knows the dependencies have been resolved.
Providing nodes "top-down" over sections of the game's scene tree has a few advantages:
- โ Dependent nodes can find the nearest ancestor that provides the value they need, allowing provided values to be overridden easily (when desired).
- โ Nodes can be moved around the scene tree without needing to update their dependencies.
- โ Nodes that end up under a different provider will automatically use that new provider's value.
- โ Scripts don't have to know about each other.
- โ The natural flow-of-data mimics the other patterns used throughout the Godot engine.
- โ Dependent scripts can still be run in isolated scenes by providing default fallback values.
- โ Scoping dependencies to the scene tree prevents the existence of values that are invalid above the provider node.
- โ
 Resolution occurs in O(n), where nis the height of the tree above the requesting dependent node (usually only a handful of nodes to search). For deep trees, "reflecting" dependencies by re-providing them further down the tree speeds things up further.
- โ Dependencies are resolved when the node enters the scene tree, allowing for O(1) access afterwards. Exiting and re-entering the scene tree triggers the dependency resolution process again.
- โ Scripts can be both dependents and providers.
๐ผ About Mixins
The Introspection generator that AutoInject uses allows you to add mixins to an existing C# class. Mixins are similar to interfaces, but they allow a node to gain additional instance state, as well as allow the node to know which mixins are applied to it and invoke mixin handler methods โ all without reflection.
In addition, AutoInject provides a few extra utilities to make working with node scripts even easier:
- ๐ฎ IAutoOn: allow node scripts to implement .NET-style handler methods for Godot notifications: i.e.,OnReady,OnProcess, etc.
- ๐ชข IAutoConnect: automatically bind properties marked with[Node]to a node in the scene tree โ also provides access to nodes via their interfaces using GodotNodeInterfaces.
- ๐  IAutoInit: adds an additional lifecycle method that is called before_Readyif (and only if) the node'sIsTestingproperty is set to false. The additional lifecycle method for production code enables you to more easily unit test code by separating initialization logic from the engine lifecycle.
- ๐ IProvider: a node that provides one or more dependencies to its descendants. Providers must implementIProvide<T>for each type of value they provide.
- ๐ IDependent: a node that depends on one or more dependencies from its ancestors. Dependent nodes must mark their dependencies with the[Dependency]attribute and callthis.DependOn<T>()to retrieve the value.
- ๐ค IAutoNode: a mixin that applies all of the above mixins to a node script at once.
Want all the functionality that AutoInject provides? Simply add this to your Godot node:
using Chickensoft.AutoInject;
using Chickensoft.Introspection;
using Godot;
// Apply all of the AutoInject mixins at once:
[Meta(typeof(IAutoNode))]
public partial class MyNode : Node {
  public override void _Notification(int what) => this.Notify(what);
}
Alternatively, you can use just the mixins you need from this project.
[Meta(
  typeof(IAutoOn),
  typeof(IAutoConnect),
  typeof(IAutoInit),
  typeof(IProvider),
  typeof(IDependent)
)]
public partial class MyNode : Node {
  public override void _Notification(int what) => this.Notify(what);
}
For the mixins to work, you must override _Notification in your node script and call this.Notify(what) from it. This is necessary for the mixins to know when to invoke their handler methods. Unfortunately, there is no way around this since Godot must see the _Notification method in your script to generate handlers for it.
public override void _Notification(int what) => this.Notify(what);
๐ฆ Installation
AutoInject is a source-only package that uses the Introspection source generator. AutoInject provides two mixins: IDependent and IProvider that must be applied with the Introspection generator's [Meta].
You'll need to include Chickensoft.GodotNodeInterfaces, Chickensoft.Introspection, Chickensoft.Introspection.Generator, and Chickensoft.AutoInject in your project. All of the packages are extremely lightweight.
Simply add the following to your project's .csproj file. Be sure to specify the appropriate versions for each package by checking on Nuget.
<ItemGroup>
    <PackageReference Include="Chickensoft.GodotNodeInterfaces" Version="..." />
    <PackageReference Include="Chickensoft.Introspection" Version="..." />
    <PackageReference Include="Chickensoft.Introspection.Generator" Version="..." PrivateAssets="all" OutputItemType="analyzer" />
    <PackageReference Include="Chickensoft.AutoInject" Version="..." PrivateAssets="all" />
</ItemGroup>
You can also add Chickensoft.AutoInject.Analyzers to your project to get additional checks and code fixes for AutoInject, such as ensuring that you override _Notification and call this.Provide() from your provider nodes.
<ItemGroup>
    <PackageReference Include="Chickensoft.AutoInject.Analyzers" Version="..." PrivateAssets="all" OutputItemType="analyzer" />
</ItemGroup>
We strongly recommend treating warning CS9057 as an error to catch possible compiler-mismatch issues with the Introspection generator. (See the Introspection README for more details.) To do so, add a WarningsAsErrors line to your .csproj file's PropertyGroup:
<PropertyGroup>
  <TargetFramework>net8.0</TargetFramework>
  ...
  
  <WarningsAsErrors>CS9057</WarningsAsErrors>
  ...
</PropertyGroup>
Want to see AutoInject in action? Check out the Chickensoft Game Demo.
๐ Providers
To provide values to descendant nodes, add the IProvider mixin to your node script and implement IProvide<T> for each value you'd like to make available.
Once providers have initialized the values they provide, they must call the this.Provide() extension method to inform AutoInject that the provided values are now available.
The example below shows a node script that provides a string value to its descendants. Values are always provided by their type.
namespace MyGameProject;
using Chickensoft.AutoInject;
using Chickensoft.Introspection;
using Godot;
[Meta(typeof(IAutoNode))]
public partial class MyProvider : Node, IProvide<string> {
  public override void _Notification(int what) => this.Notify(what);
  string IProvide<string>.Value() => "Value"
  // Call the this.Provide() method once your dependencies have been initialized.
  public void OnReady() => this.Provide();
  public void OnProvided() {
    // You can optionally implement this method. It gets called once you call
    // this.Provide() to inform AutoInject that the provided values are now
    // available.
  }
}
๐ฃ Dependents
To use a provided value in a descendant node somewhere, add the IDependent mixin to your descendent node script and mark each dependency with the [Dependency] attribute. The notification method override is used to automatically tell the mixins when your node is ready and begin the dependency resolution process.
Once all of the dependencies in your dependent node are resolved, the OnResolved() method of your dependent node will be called (if overridden).
namespace MyGameProject;
using Chickensoft.Introspection;
using Godot;
[Meta(typeof(IAutoNode))]
public partial class StringDependent : Node {
  public override void _Notification(int what) => this.Notify(what);
  [Dependency]
  public string MyDependency => this.DependOn<string>();
  public void OnResolved() {
    // All of my dependencies are now available! Do whatever you want with
    // them here.
  }
}
The OnResolved method will be called after _Ready/OnReady, but before the first frame if (and only if) all the providers it depends on call this.Provide() before the first frame.
Essentially, OnResolved is called when the slowest provider has finished
providing dependencies. For the best experience, do not wait until processing occurs to call Provide from your providers.
If you have a node script which is both a Dependent and a Provider, you can safely call Provide from the OnResolved method to allow it to provide dependencies.
The general rule of thumb for any Provider node is as follows: call Provide as soon as you possibly can: either from _Ready/OnReady or from OnResolved. If all providers in your project follow this rule, dependency provision will complete before processing occurs for nodes that are already in the tree. Dependent nodes added later will begin the dependency resolution process once the node receives the Node.NotificationReady notification.
๐ Tips
Keep Dependency Trees Simple
For best results, keep dependency trees simple and free from asynchronous initialization. If you try to get too fancy, you can introduce dependency resolution deadlock. Avoiding complex dependency hierarchies can often be done with a little extra experimentation as you design your game.
Listen to Dependencies
Instead of subscribing to a parent node's events, consider subscribing to events emitted by the dependency values themselves.
[Meta(typeof(IAutoNode))]
public partial class MyDependent : Node {
  public override void _Notification(int what) => this.Notify(what);
  [Dependency]
  public MyValue Value => this.DependOn<MyValue>();
  public void OnResolved() {
    // Setup subscriptions once dependencies are valid.
    MyValue.OnSomeEvent += ValueUpdated
  }
  public void OnTreeExit() {
    // Clean up subscriptions here!
    MyValue.OnSomeEvent -= ValueUpdated
  }
  public void ValueUpdated() {
    // Do something in response to the value we depend on changing.
  }
}
Fallback Values
You can provide fallback values to use when a provider can't be found. This can make it easier to run a scene by itself from the editor without having to worry about setting up production dependencies. Naturally, the fallback value will only be used if a provider can't be found for that type above the dependent node.
[Dependency]
public string MyDependency => this.DependOn<string>(() => "fallback_value");
Faking Dependencies
Sometimes, when testing, you may wish to "fake" the value of a dependency. Faked dependencies take precedence over any providers that may exist above the dependent node, as well as any provided fallback value.
  [Test]
  public void FakesDependency() {
    // Some dependent
    var dependent = new MyNode();
    var fakeValue = "I'm fake!";
    dependent.FakeDependency(fakeValue);
    TestScene.AddChild(dependent);
    dependent._Notification((int)Node.NotificationReady);
    dependent.OnResolvedCalled.ShouldBeTrue();
    dependent.MyDependency.ShouldBe(fakeValue);
    TestScene.RemoveChild(dependent);
  }
โ How AutoInject Works
AutoInject uses a simple, specific algorithm to resolve dependencies.
- When the Dependent mixin is added to an introspective node, the Introspection generator will generate metadata about the type which allows AutoInject to determine what properties the type has, as well as see their attributes.
- A node script with the Dependent mixin observes its lifecycle. When it notices the Node.NotificationReadysignal, it will begin the dependency resolution process without you having to write any code in your node script.
- The dependency process works as follows:
- All properties of the node script are inspected using the metadata generated by the Introspection generator. This allows the script to introspect itself without having to resort to C#'s runtime reflection calls. Properties with the [Dependency]attribute are collected into the set of required dependencies.
- All required dependencies are added to the remaining dependencies set.
- The dependent node begins searching its ancestors, beginning with itself, then its parent, and so on up the tree.
- If the current search node implements IProvidefor any of the remaining dependencies, the individual resolution process begins.- The dependency stores the provider in a dictionary property in the node script.
- The dependency is added to the set of found dependencies.
- If the provider search node has not already provided its dependencies, the dependent subscribes to the OnInitializedevent of the provider.
- Pending dependency provider callbacks track a counter for the dependent node that also remove that provider's dependency from the remaining dependencies set and initiate the OnResolved process if nothing is left.
 
- After checking all the remaining dependencies, the set of found dependencies are removed from the remaining dependencies set and the found dependencies set is cleared for the next search node.
- If all the dependencies are found, the dependent initiates the OnResolved process and finishes the search.
- Otherwise, the search node's parent becomes the next parent to search.
 
- If the current search node implements 
- Search concludes when providers for each dependency are found, or the top of the scene tree is reached.
 
- All properties of the node script are inspected using the metadata generated by the Introspection generator. This allows the script to introspect itself without having to resort to C#'s runtime reflection calls. Properties with the 
There are some natural consequences to this algorithm, such as OnResolved not being invoked on a dependent until all providers have provided a value. This is intentional โ providers are expected to synchronously initialize their provided values after _Ready has been invoked on them.
AutoInject primarily exists to to locate providers from dependents and subscribe to the providers just long enough for their own _Ready method to be invoked โ waiting longer than that to call Provide from a provider can introduce dependency resolution deadlock or other undesirable circumstances that are indicative of an anti-pattern.
By calling this.Provide() from _Ready in provider nodes, you ensure that the order of execution unfolds as follows, synchronously:
- Dependent node _Ready(descendant of the provider, deepest nodes ready-up first).
- Provider node _Ready(which callsProvide).
- Dependent OnResolved
- Frame 1 _Process
- Frame 2 _Process
- Etc.
By following the this.Provide() on _Ready convention, you guarantee all dependent nodes receive an OnResolved callback before the first process invocation occurs, guaranteeing that nodes are setup before frame processing begins โจ.
If your provider is also a dependent, you can call this.Provide() from OnResolved() to allow it to provide dependencies to its subtree, which still guarantees that dependency resolution happens before the next frame is processed.
In general, dependents should have access to their dependencies before frame processing callbacks are invoked on them.
๐ชข IAutoConnect
The IAutoConnect mixin automatically connects properties in your script to a declared node path or unique node name in the scene tree whenever the scene is instantiated, without reflection. It can also be used to connect nodes as interfaces.
Simply apply the [Node] attribute to any field or property in your script that you want to automatically connect to a node in your scene.
If you don't specify a node path in the [Node] attribute, the name of the field or property will be converted to a unique node identifier name in PascalCase. For example, the field name below _my_unique_node is converted to the unique node path name %MyUniqueNode by converting the property name to PascalCase and prefixing the percent sign indicator. Likewise, the property name MyUniqueNode is converted to %MyUniqueNode, which isn't much of a conversion since the property name is already in PascalCase.
For best results, use PascalCase for your node names in the scene tree (which Godot tends to do by default, anyways).
In the example below, we're using GodotNodeInterfaces to reference nodes as their interfaces instead of their concrete Godot types. This allows us to write a unit test where we fake the nodes in the scene tree by substituting mock nodes, allowing us to test a single node script at a time without polluting our test coverage.
using Chickensoft.GodotNodeInterfaces;
using Chickensoft.AutoInject;
using Chickensoft.Introspection;
using Godot;
[Meta(typeof(IAutoConnect))]
public partial class MyNode : Node2D {
  public override void _Notification(int what) => this.Notify(what);
  [Node("Path/To/SomeNode")]
  public INode2D SomeNode { get; set; } = default!;
  [Node] // Connects to "%MyUniqueNode" since no path was specified.
  public INode2D MyUniqueNode { get; set; } = default!;
  [Node("%OtherUniqueName")]
  public INode2D DifferentName { get; set; } = default!;
}
IAutoConnect can only bind properties to nodes, not fields.
๐งช Testing
AutoConnect integrates seamlessly with GodotNodeInterfaces to facilitate unit testing Godot node scripts by allowing you to fake the node tree during testing.
We can easily write a test for the example above by substituting mock nodes:
namespace Chickensoft.AutoInject.Tests;
using System.Threading.Tasks;
using Chickensoft.GodotNodeInterfaces;
using Chickensoft.GoDotTest;
using Chickensoft.AutoInject.Tests.Fixtures;
using Godot;
using GodotTestDriver;
using Moq;
using Shouldly;
#pragma warning disable CA1001
public class MyNodeTest(Node testScene) : TestClass(testScene) {
  private Fixture _fixture = default!;
  private MyNode _scene = default!;
  private Mock<INode2D> _someNode = default!;
  private Mock<INode2D> _myUniqueNode = default!;
  private Mock<INode2D> _otherUniqueNode = default!;
  [Setup]
  public async Task Setup() {
    _fixture = new(TestScene.GetTree());
    _someNode = new();
    _myUniqueNode = new();
    _otherUniqueNode = new();
    _scene = new MyNode();
    _scene.FakeNodeTree(new() {
      ["Path/To/SomeNode"] = _someNode.Object,
      ["%MyUniqueNode"] = _myUniqueNode.Object,
      ["%OtherUniqueName"] = _otherUniqueNode.Object,
    });
    await _fixture.AddToRoot(_scene);
  }
  [Cleanup]
  public async Task Cleanup() => await _fixture.Cleanup();
  [Test]
  public void UsesFakeNodeTree() {
    // Making a new instance of a node without instantiating a scene doesn't
    // trigger NotificationSceneInstantiated, so if we want to make sure our
    // AutoNodes get hooked up and use the FakeNodeTree, we need to do it manually.
    _scene._Notification((int)Node.NotificationSceneInstantiated);
    _scene.SomeNode.ShouldBe(_someNode.Object);
    _scene.MyUniqueNode.ShouldBe(_myUniqueNode.Object);
    _scene.DifferentName.ShouldBe(_otherUniqueNode.Object);
    _scene._my_unique_node.ShouldBe(_myUniqueNode.Object);
  }
}
๐ IAutoInit
The IAutoInit will conditionally call the void Initialize() method your node script has from _Ready if (and only if) the IsTesting field that it adds to your node is false. Conditionally calling the Initialize() method allows you to split your node's late member initialization into two-phases, allowing nodes to be more easily unit tested.
When writing tests for your node, simply initialize any members that would need to be mocked in a test in your Initialize() method.
using Chickensoft.AutoInject;
using Chickensoft.Introspection;
using Godot;
[Meta(typeof(IAutoInit), typeof(IAutoOn))]
public partial class MyNode : Node2D {
  public override void _Notification(int what) => this.Notify(what);
  public IMyObject Obj { get; set; } = default!;
  public void Initialize() {
    // Initialize is called from the Ready notification if our IsTesting
    // property (added by IAutoInit) is false.
    // Initialize values which would be mocked in a unit testing method.
    Obj = new MyObject();
  }
  public void OnReady() {
    // Guaranteed to be called after Initialize()
    // Use object we setup in Initialize() method (or, if we're running in a
    // unit test, this will use whatever the test supplied)
    Obj.DoSomething();
  }
}
Likewise, when creating a node during a unit test, you can set the IsTesting property to true to prevent the Initialize() method from being called.
var myNode = new MyNode() {
  Obj = mock.Object
};
(myNode as IAutoInit).IsTesting = true;
For example tests, please see the Game Demo project.
๐ฑ Enhanced Lifecycle
AutoInject enhances the typical Godot node lifecycle by adding additional hooks that allow you to handle dependencies and initialization in a more controlled manner (primarily for making testing easier).
This is the lifecycle of a dependent node in the game environment:
Initialize() -> OnReady() -> Setup() -> OnResolved()
Note that this lifecycle is preserved regardless of how the node is added to the scene tree.
And this is the lifecycle of a dependent node in a test environment:
OnReady() -> OnResolved()
๐ IAutoOn
The IAutoOn mixin allows node scripts to implement .NET-style handler methods for Godot notifications, prefixed with On.
using Chickensoft.AutoInject;
using Chickensoft.Introspection;
using Godot;
[Meta(typeof(IAutoOn))]
public partial class MyNode : Node2D {
  public override void _Notification(int what) => this.Notify(what);
  public void OnReady() {
    // Called when the node enters the scene tree.
  }
  public void OnProcess(double delta) {
    // Called every frame.
  }
}
๐ฆพ IAutoNode
The IAutoNode mixin simply applies all of the mixins provided by AutoInject to a node script at once.
using Chickensoft.AutoInject;
using Chickensoft.Introspection;
using Godot;
[Meta(typeof(IAutoNode))]
public partial class MyNode : Node { }
๐ฃ Package generated from a ๐ค Chickensoft Template โ https://chickensoft.games
Learn more about Target Frameworks and .NET Standard.
This package has no dependencies.
NuGet packages
This package is not used by any NuGet packages.
GitHub repositories (1)
Showing the top 1 popular GitHub repositories that depend on Chickensoft.AutoInject:
| Repository | Stars | 
|---|---|
| chickensoft-games/GameDemo 
                                                            The Chickensoft Game Demo โ a fully tested, third-person 3D game built with Godot and C#. Now with saving and loading!
                                                         | 
| Version | Downloads | Last Updated | 
|---|---|---|
| 2.9.1 | 199 | 10/16/2025 | 
| 2.9.0 | 165 | 10/15/2025 | 
| 2.8.43 | 156 | 10/15/2025 | 
| 2.8.42 | 155 | 10/15/2025 | 
| 2.8.41 | 175 | 10/15/2025 | 
| 2.8.40 | 129 | 10/12/2025 | 
| 2.8.39 | 113 | 10/11/2025 | 
| 2.8.38 | 226 | 10/3/2025 | 
| 2.8.37 | 164 | 10/3/2025 | 
| 2.8.36 | 189 | 10/2/2025 | 
| 2.8.35 | 212 | 9/29/2025 | 
| 2.8.34 | 167 | 9/28/2025 | 
| 2.8.33 | 560 | 9/17/2025 | 
| 2.8.32 | 334 | 9/16/2025 | 
| 2.8.31 | 311 | 9/16/2025 | 
| 2.8.30 | 260 | 9/10/2025 | 
| 2.8.29 | 201 | 9/10/2025 | 
| 2.8.28 | 192 | 9/10/2025 | 
| 2.8.27 | 209 | 9/8/2025 | 
| 2.8.26 | 221 | 9/8/2025 | 
| 2.8.25 | 177 | 9/7/2025 | 
| 2.8.24 | 159 | 9/7/2025 | 
| 2.8.23 | 440 | 8/17/2025 | 
| 2.8.22 | 163 | 8/16/2025 | 
| 2.8.21 | 235 | 8/12/2025 | 
| 2.8.20 | 225 | 8/12/2025 | 
| 2.8.19 | 223 | 8/11/2025 | 
| 2.8.18 | 341 | 8/8/2025 | 
| 2.8.17 | 344 | 8/7/2025 | 
| 2.8.16 | 296 | 8/6/2025 | 
| 2.8.15 | 296 | 8/6/2025 | 
| 2.8.14 | 290 | 8/6/2025 | 
| 2.8.13 | 274 | 8/4/2025 | 
| 2.8.12 | 210 | 8/4/2025 | 
| 2.8.11 | 169 | 8/3/2025 | 
| 2.8.10 | 188 | 7/31/2025 | 
| 2.8.9 | 655 | 7/23/2025 | 
| 2.8.8 | 617 | 7/23/2025 | 
| 2.8.7 | 610 | 7/22/2025 | 
| 2.8.6 | 236 | 7/18/2025 | 
| 2.8.5 | 243 | 7/17/2025 | 
| 2.8.4 | 241 | 7/15/2025 | 
| 2.8.3 | 219 | 7/15/2025 | 
| 2.8.2 | 237 | 7/14/2025 | 
| 2.8.1 | 234 | 7/12/2025 | 
| 2.8.0 | 200 | 7/11/2025 | 
| 2.7.15 | 221 | 7/10/2025 | 
| 2.7.14 | 224 | 7/9/2025 | 
| 2.7.13 | 371 | 7/1/2025 | 
| 2.7.12 | 228 | 6/30/2025 | 
| 2.7.11 | 194 | 6/27/2025 | 
| 2.7.10 | 204 | 6/27/2025 | 
| 2.7.9 | 365 | 6/22/2025 | 
| 2.7.8 | 352 | 6/19/2025 | 
| 2.7.7 | 437 | 6/19/2025 | 
| 2.7.6 | 507 | 6/12/2025 | 
| 2.7.5 | 372 | 6/11/2025 | 
| 2.7.4 | 369 | 6/11/2025 | 
| 2.7.3 | 228 | 6/7/2025 | 
| 2.7.2 | 176 | 6/7/2025 | 
| 2.7.1 | 168 | 6/6/2025 | 
| 2.7.0 | 242 | 6/5/2025 | 
| 2.6.4 | 225 | 6/4/2025 | 
| 2.6.3 | 232 | 6/4/2025 | 
| 2.6.2 | 217 | 5/31/2025 | 
| 2.6.1 | 176 | 5/31/2025 | 
| 2.6.0 | 867 | 4/12/2025 | 
| 2.5.0 | 2,824 | 12/21/2024 | 
| 2.4.0 | 1,239 | 10/23/2024 | 
| 2.3.0 | 1,665 | 7/24/2024 | 
| 2.2.0 | 259 | 7/24/2024 | 
| 2.1.0 | 453 | 7/6/2024 | 
| 2.0.0 | 744 | 6/10/2024 | 
| 1.7.0 | 228 | 7/6/2024 | 
| 1.6.0 | 511 | 5/3/2024 | 
| 1.5.0 | 3,814 | 10/19/2023 | 
| 1.4.0 | 331 | 10/18/2023 | 
| 1.3.1 | 527 | 8/24/2023 | 
| 1.3.0 | 403 | 5/6/2023 | 
| 1.2.1 | 355 | 5/3/2023 | 
| 1.2.0 | 333 | 4/17/2023 | 
| 1.1.0 | 366 | 4/9/2023 | 
| 1.0.0 | 493 | 4/9/2023 | 
Chickensoft.AutoInject release.