Instantiating a C# Constructor with Parameter Arguments

Godot Version

Godot v4.4.stable.mono.official

Question

I’m attempting to instantiate a new node from a PackedScene with a C# script attached to it. That script has a constructor, and the constructor has a parameter. Here’s a simplified example of what I’m trying to do:

public partial class ExtantClass : Node {
    [Export] private PackedScene instantiatedClassPackedScene;

    private void InstantiateScene() {
        // Unsure how to pass arguments to the new node's constructor upon instantiation
        InstantiatedClass newNode = instantiatedClassPackedScene.Instantiate() as InstantiatedClass;
        AddChild(newNode);
    }
}
public partial class InstantiatedClass : Node {
    public int ExampleInteger { get; private set; }

    public InstantiatedClass(int constructorParameter) {
        ExampleInteger = constructorParameter;
    }
}

Is there a way to pass arguments to the instantiated class’ constructor? While I could do this as a workaround…

public partial class ExtantClass : Node {
    [Export] private PackedScene instantiatedClassPackedScene;

    private void InstantiateScene() {
        InstantiatedClass newNode = instantiatedClassPackedScene.Instantiate() as InstantiatedClass;
        newNode.exampleInteger = 1; // Accessing the field directly
        AddChild(newNode);
    }
}
public partial class InstantiatedClass : Node {
    public int exampleInteger; // Property changed into a public field

    // Constructor removed
}

…that potentially exposes fields more than is ideal, and it leaves the chance for critical values to be missed when instantiating new nodes.

So using C#, what’s the proper way to pass arguments to a constructor’s parameters when instantiating a new node?

As far as I know this is not possible. As a workaround you could add a Init function to InstantiatedClass that takes the required parameters. You then call it after you instantiated the scene.