I know that below is not the correct answer to your question. It is however a bad design pattern to combine Entities and Services. An Entity should only contain information about the object and not business logic. A Service contains all the business logic.
You need to separate your Service from your Entity.
OrderNotification looks like a regular entity. The entity should not contain business logic. You need a specific service for the business logic.
public class OrderNotification implements Notification {
    private String orderNumber;
    public OrderNotification(String orderNumber) {
        this.orderNumber = orderNumber;
    }
    public String getMessage() {
        return "Order number: " + orderNumber;
    }
    //Getter & Setters
    ...
} 
@Service
public class NotificationService {
    @Autowired
    public TranslationService translationService;
    public void send(Notification notification) {
        //I do not know what trans accepts, so I assume it can accept Notification
        translationService.trans(notification.getMessage());
    }
}
If you really need to combine the entity and service - Then I recommend this approach:
@Service
public class Master{
    @Autowired
    NotificationService notificationService
    public void testMethod(){
        Notification notification = notificationService.createOrder("order1");
        notificationService.send(notification);
    }
}
@Service
public class NotificationService {
    @Autowired
    public TranslationService translationService;
    public Notification createOrder(String orderNumber){
        return new OrderNotification(orderNumber, translationService);
    }
    public void send(Notification notification) {
        // call other services and send the notification
        notification.getMessage();
    }
}
public class OrderNotification implements Notification {
    private TranslationService translationService;
    private String orderNumber;
    //I have changed this constructor to accept TranslationService.
    public OrderNotification(String orderNumber, TranslationService translationService) {
        this.orderNumber = orderNumber;
        this.translationService = translationService;
    }
    public String getMessage() {
        return translationService.trans('notification.order', new Object[]{orderNumber});
    }
}