Actions
Related pages:
Input actions are designed to separate the logical meaning of an input from the physical means (i.e. activity on an input device) by which the input is generated. Instead of writing input code like so:
    var look = new Vector2();
    var gamepad = Gamepad.current;
    if (gamepad != null)
        look = gamepad.rightStick.ReadValue();
    var mouse = Mouse.current;
    if (mouse != null)
        look = mouse.delta.ReadValue();
You can instead write code that is agnostic to where the input is coming from:
    myControls.gameplay.look.performed +=
        context => look = context.ReadValue<Vector2>();
The mapping can then be established graphically in the editor:

This also makes it easier to let players to customize bindings at runtime.
NOTES:
- Actions are a game-time only feature. They cannot be used in
EditorWindowcode.- For an overview of the terms and terminology used on this page, see Terms and Concepts.
Overview
There are three key classes for actions in the API:
| Class | Description | 
|---|---|
| InputActionAsset | An asset that contains one or more action maps as well as, optionally, a sequence of control schemes. Details how to create, edit, and work with such assets can be found here. | 
| InputActionMap | A named collection of actions. | 
| InputAction | A named action which will trigger callbacks in response to input. | 
The key mechanism by which bindings refer to the inputs they collect is InputBinding. More details about bindings and how to use them can be found here.
Each action has a name (InputAction.name) which must be unique within the action map that the action belongs to (if any; see InputAction.actionMap. Also, each action has a unique ID (InputAction.id) that can be used to reference the action. The ID will remain the same even if the action is renamed.
Each action map has a name (InputActionMap.name) which must be unique within the action asset that the map belongs to (if any; see InputActionMap.asset). Also, each action map has a unique ID (InputActionMap.id) that can be used to reference the map. The ID will remain the same even if the map is renamed.
Creating Actions
Actions can be created in a variety of ways:
- Using the dedicated editor for .inputactionsassets.
- By embedding them in MonoBehaviour components.
- By manually loading them from JSON.
- By simply creating them directly in code.
Using the Action Editor
How to create and edit input action assets using the dedicated editor is described on a separate page.

Embedding Actions in MonoBehaviours
InputAction and InputActionMap can be embedded as fields directly inside MonoBehaviour components. In the editor, these fields will receive a custom editor UI.
public MyBehavior : MonoBehaviour
{
    public InputAction fireAction;
    public InputAction lookAction;
    public InputActionMap gameplayActions;
}
This is presented in the editor like so:

The editors work similar to the action asset editor.
- To add or remote actions or bindings, click the plus or minus icon in the header.
- To edit binding entries, double-click them.
  
- To edit action entries, double-click them in an InputActionMap, or click the 'gear' icon on individual action properties.
  
- Entries can also be right-clicked to bring up a context menu and can be dragged around (hold alt to duplicate).
Actions and action maps that are embedded in MonoBehaviour components have to be manually enabled and disabled.
public class MyBehavior : MonoBehaviour
{
    // ...
    void Awake()
    {
        fireAction.performed += OnFire;
        lookAction.performed += OnLook;
        gameplayActions["fire"].performed += OnFire;
    }
    void OnEnable()
    {
        fireAction.Enable();
        lookAction.Enable();
        gameplayActions.Enable();
    }
    void OnDisable()
    {
        fireAction.Disable();
        lookAction.Disable();
        gameplayActions.Disable();
    }
}
Loading Actions from JSON
Actions can be loaded as JSON in the form of a set of action maps or as a full InputActionAsset. This also works at runtime in the player.
// Load a set of action maps from JSON.
var maps = InputActionMap.FromJson(json);
// Load an entire InputActionAsset from JSON.
var asset = InputActionAsset.FromJson(json);
Creating Actions in Code
Actions can be manually created and configured in code. This also works at runtime in the player.
// Create a free-standing actions.
var lookAction = new InputAction("look", binding: "<Gamepad>/leftStick");
var moveAction = new InputAction("move", binding: "<Gamepad>/rightStick");
lookAction.AddBinding("<Mouse>/delta");
moveAction.AddCompositeBinding("Dpad")
    .With("Up", "<Keyboard>/w")
    .With("Down", "<Keyboard>/s")
    .With("Left", "<Keyboard>/a")
    .With("Right", "<Keyboard>/d");
// Create an action map with actions.
var map = new InputActionMap("Gameplay");
var lookAction = map.AddAction("look");
lookAction.AddBinding("<Gamepad>/leftStick");
// Create an action asset.
var asset = ScriptableObject.CreateInstance<InputActionAsset>();
var gameplayMap = new InputActionMap("gameplay");
asset.AddActionMap(gameplayMap);
var lookAction = gameplayMap.AddAction("look", "<Gamepad>/leftStick");
Using Actions
For an action to do something, it must be enabled. This can be done either by individually enabling actions or by enabling them in bulk through action maps. Note that the latter is always more efficient.
// Enable a single action.
lookAction.Enable();
// Enable an en entire action map.
gameplayActions.Enable();
When an action is enabled, all its bindings will be resolved, if this hasn't happened already or if the set of devices usable by the action has changed. For more details about this process, see here.
To stop actions or action maps from responding to input, call Disable. Note that while actions are enabled, it is not possible to change certain aspects of the configuration (such as their bindings).
While enabled, an action will actively monitor the control(s) it is bound to. If a bound control changes state, the action will process the change and create a response if the state change represents an interaction change. This all happens during the input system update logic. Depending on the update mode selected in the input settings, this happens once ever frame, or once every fixed update (or, manually if updates are set to manual).
Responding to Actions
By itself, an action does not represent an actual response to input. Instead, an action tells your code that a certain kind of input has been performed. It is up to your code to in turn respond.
There are several ways in which this can be done.
- Each action has a started,performed, andcanceledcallback.
- Each action map has an actionTriggeredcallback.
- There is a global InputSystem.onActionChangecallback.
- You also can poll the current state of an action whenever you need it using InputAction.ReadValue<>().
- InputActionTracecan record changes happening on actions.
There are also higher-level, more streamlined ways of picking up input from actions. One is to use PlayerInput and another one is to generate script code that wraps around the input actions.
started, performed, and canceled Callbacks
Every action has a set of dictinct phases it can go through in response to receiving input.
| Phase | Description | 
|---|---|
| Disabled | The action is disabled and will not receive input. | 
| Waiting | The action is enabled and is actively waiting for input. | 
| Started | Input has been received that started an interaction with the action. | 
| Performed | An interaction with the action has been completed. | 
| Canceled | An interaction with the action has been canceled. | 
The current phase of an action can be read using InputAction.phase.
The Started, Performed, and Canceled phases each have a callback associated with them:
    var action = new InputAction();
    action.started += ctx => /* Action was started */;
    action.performed += ctx => /* Action was performed */;
    action.canceled += ctx => /* Action was started */;
Each callback receives an InputAction.CallbackContext structure holding context information that can be used to query the current state of the action and to read out values from controls that triggered the action (InputAction.CallbackContext.ReadValue). Note that the contents of the structure are only valid for the duration of the callback. In particular, it is not safe to store the received context and later access its properties from outside the callback.
When an how the callbacks are triggered depends on the interactions present on the respective bindings. If no interactions are applied to them, the default interaction applies.
InputActionMap.actionTriggered Callback
Alternatively, instead of listening to individual actions, you can listen on an entire action map for state changes on any of the actions in the map.
var actionMap = new InputActionMap();
actionMap.AddAction("action1", "<Gamepad>/buttonSouth");
actionMap.AddAction("action2", "<Gamepad>/buttonNorth");
actionMap.onActionTriggered +=
    context => { ... };
The argument received is the same InputAction.CallbackContext structure that is received through the started, performed, and canceled callbacks.
NOTE: The
InputActionMap.actionTriggeredwill be called for all three of the individual callbacks on actions, i.e. you getstarted,performed, andcanceledall on a single callback.
InputSystem.onActionChange Callback
Similar to InputSystem.onDeviceChange, it is possible to listen for any action-related change globally.
InputSystem.onActionChange +=
    (obj, change) =>
    {
        // obj can be either an InputAction or an InputActionMap
        // depending on the specific change.
        switch (change)
        {
            case InputActionChange.ActionStarted:
            case InputActionChange.ActionPerformed:
            case InputActionChange.ActionCanceled:
                Debug.Log($"{((InputAction)obj).name} {change}");
                break;
        }
    }
Polling actions
Instead of using callbacks, it may sometimes be simpler to simple poll the value of the action you are interested in where you need it in your code. You can poll the value of an action using InputAction.ReadValue<>():
    public InputAction moveAction;
    public float moveSpeed = 10.0f;
    public Vector2 position;
    void Start()
    {
        moveAction.Enable();
    }
    void OnUpdate()
    {
        var moveDirection = moveAction.ReadValue<Vector2>();
        position += moveDirection * moveSpeed * Time.deltaTime;
    }
InputActionTrace
As when using InputEventTrace for events, actions can be traced in order to generate a log of all activity that happened on a particular set of actions. To do so, use InputActionTrace.
NOTE:
InputActionTraceallocates unmanaged memory and needs to be disposed of in order to not create memory leaks.
var trace = new InputActionTrace();
// Subscribe trace to single action.
// (Use UnsubscribeFrom to unsubscribe)
trace.SubscribeTo(myAction);
// Subscribe trace to entire action map.
// (Use UnsubscribeFrom to unsubscribe)
trace.SubscribeTo(myActionMap);
// Subscribe trace to all actions in the system.
trace.SubscribeToAll();
// Record a single triggering of an action.
myAction.performed +=
    ctx =>
    {
        if (ctx.ReadValue<float>() > 0.5f)
            trace.RecordAction(ctx);
    };
// Output trace to console.
Debug.Log(string.Join(",\n", trace));
// Walk through all recorded actions and then clear trace.
foreach (var record in trace)
{
    Debug.Log($"{record.action} was {record.phase} by control {record.control}");
    // To read out the value, you either have to know the value type or read the
    // value out as a generic byte buffer. Here we assume that the value type is
    // float.
    Debug.Log("Value: " + record.ReadValue<float>());
    // If it's okay to accept a GC hit, you can also read out values as objects.
    // In this case, you don't have to know the value type.
    Debug.Log("Value: " + record.ReadValueAsObject());
}
trace.Clear();
// Unsubscribe trace from everything.
trace.UnsubscribeFromAll();
// Release memory held by trace.
trace.Dispose();
Once recorded, a trace can be safely read from multiple threads as long as it is not concurrently being written to and as long as the action setup (i.e. the configuration data accessed by the trace) is not concurrently being changed on the main thread.
Action Types
Each action can be one of three different action types. You can select the action type in the Input Action editor window, or by specifying the type when parameter when calling the InputAction() constructor. The action type influences how state changes for the action are processed. The default action type is Value.
Value
This is the default action type. This is recommended to use for any inputs which should track continuous changes to the state of a control.
Value type actions continuously monitor all the controls which are bound to the action, and then choose the one which is the most actuated to be the control "driving the action", and report the values from that control in callbacks, triggered whenever the value changes. If a different bound control actuated more, then that control becomes the control driving the action, and values will be reported from that control. This process is called "Disambiguation". This is useful if you want to allow different controls to control an action in the game, but only take input from one at the same time.
When the action is initially enabled, it will perform an initial state check of all bound controls, and if any of them is actuated, it will trigger a callback with the current value.
Button
This is very similar to Value, but Button type actions can only be bound to ButtonControl controls, and will not perform an initial state check like described above for Value actions. This is recommended to use for any inputs which should trigger an action in the game once every time they are pressed. The initial state check is usually not desirable in such cases, as you don't want to trigger actions because button was still held down from a previous press when the action was enabled.
Pass-Through
Pass-Through actions bypass the disambiguation process described above for Value actions. So, for Pass-Through actions, the concept of a specific control "driving the action" does not exist. Instead, any change to any bound control will trigger a callback with that control's value. This is useful if you want to process all input from a set of controls.
Debugging Actions
You can see currently enabled actions and their bound controls using the Input Debugger.
You can also use the InputActionVisualizer component from the "Visualizers" sample to get an on-screen visualization of an action's value and interaction state in real-time.
Using Actions with Multiple Players
It is possible to use the same action definitions for multiple local players. This setup is useful in a local co-op games, for example. More details about this can be found here.
Terms and Concepts
The following terms and concepts are used through the input action system:
| Concept | Description | 
|---|---|
| Action | A "logical" input such as "Jump" or "Fire". I.e. an input action that can triggered by a player through one or more input devices and which will run a piece of game logic in response. | 
| Binding | A connection between an action and one or more controls represented by a control path. At runtime, a binding is "resolved" to yield zero or more controls which are then connected to the action. | 
| Interaction | A distinct input pattern that can be recognized on a control. Interactions trigger actions as they are being recognized. An example of an interaction is a "hold" which requires a control to be actuated and then held for a certain time before the associated action is triggered. | 
| Processor | An operation that is applied to an input value. An example is "invert" which inverts a floating-point value. | 
| Phase | An enum describing the current state of an Interaction. | 
| Control Scheme | Lets you define mappings of bindings to different control schemes. Allows you to switch your action maps between different control schemes to enable different subsets of bindings for your actions. Control Schemes can have associated device types, so that they can automatically be enabled for users when using that type of device. | 
| Action Map | A named collection of actions. You can simultaneously enable or disable all actions in an action map, so it is useful to group actions in maps by the context they are relevant in (ie. "gameplay"). | 
| Action Asset | An asset that contains one or more action maps as well as, optionally, a sequence of control schemes. |