How to Change Order Status Programmatically in Magento 2?

Magento 2

Magento 2 allows you to change the order status programmatically by loading the order object and updating its status. This is useful when you want to update the status based on specific business logic, such as after payment verification, shipping confirmation, or custom workflows.

Change Order Status

Create a custom PHP script in your module or call it via a custom controller.

File: app/code/WebChandra/OrderStatus/Model/UpdateOrderStatus.php

<?php
declare(strict_types=1);

namespace WebChandra\OrderStatus\Model;

use Magento\Sales\Model\Order;
use Magento\Sales\Api\OrderRepositoryInterface;
use Psr\Log\LoggerInterface;

class UpdateOrderStatus
{
public function __construct(
private readonly OrderRepositoryInterface $orderRepository,
private readonly LoggerInterface $logger
) {
}

/**
* Update order status
*
* @param int $orderId
* @param string $newStatus
* @return void
*/
public function changeOrderStatus(int $orderId, string $newStatus): void
{
try {
$order = $this->orderRepository->get($orderId);

if ($order->canCancel()) {
$order->setState(Order::STATE_CANCELED)
->setStatus($newStatus);
} else {
$order->setStatus($newStatus);
}

$this->orderRepository->save($order);
$this->logger->info("Order ID {$orderId} status changed to {$newStatus}");
} catch (\Exception $e) {
$this->logger->error("Error updating order status: " . $e->getMessage());
}
}
}

Running the Code

You can call this function in your controller, cron job, or observer. Here’s an example of how to use it:

$orderId = 100; // Change with actual order ID
$newStatus = 'processing_review'; // Set the required status

$updateOrderStatus = $objectManager->create(\WebChandra\OrderStatus\Model\UpdateOrderStatus::class);
$updateOrderStatus->changeOrderStatus($orderId, $newStatus);

Verifying the Status Change

After executing the script, check the order status in the Magento Admin Panel:

Admin Panel Path:

Sales → Orders → View Order Status


Conclusion

With the above steps, you can programmatically change the order status in Magento 2 using a custom model. This method ensures smooth order status transitions based on your business logic.