HEX
Server: Apache/2.4.52 (Ubuntu)
System: Linux mail.btech-izolacje.pl 5.15.0-140-generic #150-Ubuntu SMP Sat Apr 12 06:00:09 UTC 2025 x86_64
User: pewna6876 (1017)
PHP: 8.2.28
Disabled: NONE
Upload Files
File: //snap/core/17247/dev/fd/9/src/OnedriveAdapter.php
<?php

namespace Duplicator\Addons\OneDriveAddon;

use DUP_PRO_Log;
use Duplicator\Models\Storages\AbstractStorageAdapter;
use Duplicator\Models\Storages\StoragePathInfo;
use Duplicator\Utils\OAuth\TokenEntity;
use Exception;
use VendorDuplicator\WpOrg\Requests\Requests;
use VendorDuplicator\WpOrg\Requests\Response;

/**
 * @method OneDriveStoragePathInfo getPathInfo($path)
 */
class OnedriveAdapter extends AbstractStorageAdapter
{
    /** @var TokenEntity The token object to use for authentication */
    protected $token;
    /** @var string The ID of the folder to use for storage */
    protected $storageFolderId = '';
    /** @var string The name of the folder to use for storage */
    protected $storageFolderName = '';
    /** @var ?OneDriveStoragePathInfo The app folder object */
    protected $appFolder;
    /** @var string Base URL for API requests */
    protected $baseUrl = 'https://graph.microsoft.com/v1.0';
    /** @var bool */
    protected $sslVerify = true;
    /** @var string If empty use server cert else use custom cert path */
    protected $sslCert = '';
    /** @var int The microsecond at which the current operation started */
    protected $startTime = 0;

    /**
     * Class constructor
     *
     * @param TokenEntity $token           The token object to use for authentication
     * @param string      $storageFolder   The folder to use for storage
     * @param string      $storageFolderId The ID of the folder to use for storage
     * @param bool        $sslVerify       If true, use SSL
     * @param string      $sslCert         If empty use server cert
     */
    public function __construct(
        TokenEntity $token,
        $storageFolder,
        $storageFolderId = '',
        $sslVerify = true,
        $sslCert = ''
    ) {
        $this->token             = $token;
        $this->storageFolderName = trim($storageFolder, '/');
        $this->storageFolderId   = $storageFolderId;
        $this->sslVerify         = $sslVerify;
        $this->sslCert           = $sslCert;
    }

    /**
     * Initialize the storage adapter
     *
     * @param string $errorMsg The error message to modify if initialization fails
     *
     * @return bool
     */
    public function initialize(&$errorMsg = ''): bool
    {
        if (! $this->token->isValid()) {
            $errorMsg = __('Invalid token supplied for OneDrive', 'duplicator-pro');
            return false;
        }
        if (! $this->exists('/') && ! $this->createDir('/')) {
            $errorMsg = __('Unable to create root directory for OneDrive', 'duplicator-pro');
            return false;
        }
        if (empty($this->storageFolderId)) {
            $root = $this->getPathInfo('/');
            if (! $root || ! $root->exists) {
                $errorMsg = 'OneDrive root folder does not exist.';
                return false;
            }
            $this->storageFolderId = $root->id;
        }
        return true;
    }

    /**
     * Destroy the storage adapter
     *
     * @return bool
     */
    public function destroy()
    {
        $storageFolder = $this->getPathInfo('/');
        if (! $storageFolder || ! $storageFolder->exists) {
            return true; // nothing to delete
        }

        return $this->delete('/', true);
    }

    /**
     * Check if the storage adapter is valid
     *
     * @param string $errorMsg The error message to modify if validation fails
     *
     * @return bool
     */
    public function isValid(&$errorMsg = ''): bool
    {
        if (!$this->token->isValid() && !$this->token->refresh()) {
            $errorMsg = 'Invalid token supplied or token refresh failed.';
            return false;
        }
        $root = $this->getPathInfo('/');
        if (! $root || ! $root->exists) {
            $errorMsg = 'OneDrive root folder does not exist.';
            return false;
        }
        return true;
    }

    /**
     * Create a directory in the storage
     * If the given path is a nested path, it will create all the parent directories
     *
     * @param string $path The path to create
     *
     * @return bool
     */
    protected function realCreateDir($path): bool
    {
        if (empty($this->storageFolderId)) {
            $parentFolder = $this->getAppFolder()->id;
            $path         = trim($this->storageFolderName . '/' . trim($path, '/'), '/');
        } else {
            $parentFolder = $this->storageFolderId;
            $path         = trim($path, '/');
        }

        $folders = explode('/', $path);

        foreach ($folders as $folder) {
            $item = $this->getItemDetailsByPath($folder, $parentFolder);
            if (!isset($item['id'])) {
                try {
                    $item = $this->createDriveDirectory($parentFolder, $folder);
                    if (!isset($item['id'])) {
                        return false;
                    }
                } catch (Exception $e) {
                    return false;
                }
            }
            $parentFolder = $item['id'];
        }

        return true;
    }

    /**
     * Create a file which is less that 4MB in the storage
     *
     * @see https://github.com/OneDrive/onedrive-api-docs/blob/live/docs/rest-api/api/driveitem_put_content.md
     *
     * @param string $path    The path in which the file will be created
     * @param string $content The content of the file
     *
     * @return false|int
     */
    protected function realCreateFile($path, $content)
    {
        // maximum content length is 4MB
        if (strlen($content) > 4 * 1024 * 1024) {
            return false;
        }

        $file = ltrim($path, '/');

        try {
            $response = $this->request("/me/drive/items/{$this->storageFolderId}:/{$file}:/content", ['Content-Type' => 'text/plain'], $content, Requests::PUT);
        } catch (Exception $e) {
            // Request failed from curl
            DUP_PRO_Log::infoTrace("Failed to create file in OneDrive: {$e->getMessage()}");
            return false;
        }
        $response = $response->decode_body();
        if (!isset($response['id'])) {
            return false;
        }

        return (int) $response['size'];
    }

    /**
     * Delete relative path from storage root.
     *
     * @see https://github.com/OneDrive/onedrive-api-docs/blob/live/docs/rest-api/api/driveitem_delete.md
     *
     * @param string $path      The path or drive item id to delete
     * @param bool   $recursive Whether to delete recursively
     *
     * @return bool
     */
    protected function realDelete($path, $recursive = false)
    {
        if (! $this->exists($path)) {
            return true;
        }

        $info = $this->getItemDetailsByPath($path);

        if (! $recursive && isset($info['folder']) && $info['folder']['childCount'] > 0) {
            return false;
        }

        try {
            $response = $this->request("/me/drive/items/{$info['id']}", [], [], Requests::DELETE);
        } catch (Exception $e) {
            // Request failed from curl
            DUP_PRO_Log::infoTrace("Failed to delete file in OneDrive: {$e->getMessage()}");
            return false;
        }

        return $response->status_code === 204;
    }

    /**
     * Get the contents of a file
     *
     * @param string $path The path to the file
     *
     * @return false|string
     */
    public function getFileContent($path)
    {
        $item = $this->getItemDetailsByPath($path);
        if (!isset($item['@microsoft.graph.downloadUrl'])) {
            return false;
        }

        return file_get_contents($item['@microsoft.graph.downloadUrl']);
    }

    /**
     * Get path info and cache it, is path not exists return path info with exists property set to false.
     *
     * @param string $path Relative storage path, if empty, return root path info.
     *
     * @return OneDriveStoragePathInfo|false The path info or false on error.
     */
    protected function getRealPathInfo($path)
    {
        $path = '/' . ltrim($path, '/');

        $item = $this->getItemDetailsByPath($path);

        return $this->buildStoragePathInfo($item);
    }

    /**
     * Move a file or directory. The destination path must not exist.
     *
     * @see https://github.com/OneDrive/onedrive-api-docs/blob/live/docs/rest-api/api/driveitem_move.md
     *
     * @param string $oldPath The path to the file or directory to move
     * @param string $newPath The destination path
     *
     * @return bool
     */
    protected function realMove($oldPath, $newPath)
    {
        $oldItem          = $this->getPathInfo($oldPath);
        $newDirectoryItem = $this->getPathInfo(dirname($newPath));
        if (!$oldItem || !$newDirectoryItem) {
            return false;
        }
        try {
            $response = $this->request(
                "/me/drive/items/{$oldItem->id}",
                [],
                [
                    'parentReference' => [
                        'id' => $newDirectoryItem->id,
                    ],
                    'name'            => basename($newPath),
                ],
                Requests::PATCH
            );
        } catch (Exception $e) {
            // Request failed error from curl
            DUP_PRO_Log::infoTrace("Failed to move file in OneDrive: {$e->getMessage()}");
            return false;
        }
        $response = $response->decode_body();

        return isset($response['id']);
    }

    /**
     * @param string $path    The path to the directory to scan
     * @param bool   $files   Whether to include files
     * @param bool   $folders Whether to include folders
     *
     * @return string[]
     */
    public function scanDir($path, $files = true, $folders = true)
    {
        $path = '/' . ltrim($path, '/');
        if ($path !== '/') {
            // Paths under the storage folder must be prefixed with a colon, no need to do this for the storage folder itself
            $path = ":{$path}:";
        }
        try {
            $response = $this->request("/me/drive/items/{$this->storageFolderId}{$path}/children");
        } catch (Exception $e) {
            DUP_PRO_Log::infoTrace("Failed to scan dir in OneDrive: {$e->getMessage()}");
            return [];
        }
        $items = $response->decode_body();

        if (!isset($items['value'])) {
            return [];
        } else {
            $items = $items['value'];
        }

        foreach ($items as $index => $item) {
            $item          = $this->buildStoragePathInfo($item);
            $items[$index] = $item->name;
            if (!$folders && $item->isDir) {
                unset($items[$index]);
            }
            if (!$files && !$item->isDir) {
                unset($items[$index]);
            }
        }

        return $items;
    }

    /**
     * Check if a directory is empty
     *
     * @param string   $path    The path to the directory
     * @param string[] $filters An array of filters to apply
     *
     * @return bool
     */
    public function isDirEmpty($path, $filters = []): bool
    {
        $item = $this->getItemDetailsByPath($path);
        if (!isset($item['folder'])) {
            return false;
        }
        if ($item['folder']['childCount'] === 0) {
            return true;
        } elseif (empty($filters)) {
            // we have no filters, and the folder is not empty, so it must contain something
            return false;
        }
        $regexFilters = $normalFilters = [];

        foreach ($filters as $filter) {
            if ($filter[0] === '/' && substr($filter, -1) === '/') {
                $regexFilters[] = $filter; // It's a regex filter as it starts and ends with a slash
            } else {
                $normalFilters[] = $filter;
            }
        }

        $contents = $this->scanDir($path);
        foreach ($contents as $item) {
            if (in_array($item, $normalFilters)) {
                continue;
            }

            foreach ($regexFilters as $regexFilter) {
                if (preg_match($regexFilter, $item) === 1) {
                    continue 2;
                }
            }

            return false;
        }

        return true;
    }

    /**
     * Start tracking the time for the current operation
     *
     * @return void
     */
    protected function startTrackingTime()
    {
        $this->startTime = (int) (microtime(true) * SECONDS_IN_MICROSECONDS);
    }

    /**
     * Get the elapsed time since the start of the current operation
     *
     * @return float
     */
    protected function getElapsedTime()
    {
        return (int) (microtime(true) * SECONDS_IN_MICROSECONDS) - $this->startTime;
    }

    /**
     * Check if the operation has reached the timeout
     *
     * @param int $timeout The timeout in microseconds
     *
     * @return bool
     */
    protected function hasReachedTimeout($timeout)
    {
        return $timeout > 0 && $this->getElapsedTime() > $timeout;
    }

    /**
     * Copy local file to storage, partial copy is supported.
     * If destination file exists, it will be overwritten.
     * If offset is less than the destination file size, the file will be truncated.
     *
     * @param string              $sourceFile  The source file full path
     * @param string              $storageFile Storage destination path
     * @param int<0,max>          $offset      The offset where the data starts.
     * @param int                 $length      The maximum number of bytes read. Default to -1 (read all the remaining buffer).
     * @param int                 $timeout     The timeout for the copy operation in microseconds. Default to 0 (no timeout).
     * @param array<string,mixed> $extraData   Extra data to pass to copy function and updated during copy.
     *                                         Used for storages that need to maintain persistent data during copy intra-session.
     *
     * @return false|int The number of bytes that were written to the file, or false on failure.
     */
    protected function realCopyToStorage($sourceFile, $storageFile, $offset = 0, $length = -1, $timeout = 0, &$extraData = [])
    {
        $this->startTrackingTime();

        $sessionKey = md5($sourceFile . $storageFile);
        if (! isset($extraData[$sessionKey]) || ! isset($extraData[$sessionKey]['uploadUrl'])) {
            $extraData[$sessionKey] = $this->createUploadSession($storageFile);
            DUP_PRO_Log::infoTrace("Created upload session for {$storageFile}, current session is: " . print_r($extraData, true));
        }
        $uploadSession = $extraData[$sessionKey];
        if (! $uploadSession || ! isset($uploadSession['uploadUrl'])) {
            DUP_PRO_Log::infoTrace("Failed to create upload session for {$storageFile}, try uploading again.");
            return false;
        }
        $expiration       = strtotime($uploadSession['expirationDateTime']);
        $fileSize         = filesize($sourceFile);
        $defaultChunkSize = MB_IN_BYTES; // 1MB
        $chunkSize        = $length > 0 ? $length : $defaultChunkSize;
        $stream           = fopen($sourceFile, 'rb');
        $bytesRemaining   = $fileSize - $offset;
        $bytesUploaded    = $offset;
        fseek($stream, $bytesUploaded);

        // We stop uploading if we have reached the timeout or if we have uploaded the entire file.
        while ($bytesRemaining > 0 && ! $this->hasReachedTimeout($timeout)) {
            if (time() > $expiration) {
                DUP_PRO_Log::infoTrace("OneDrive Upload session expired for {$storageFile}, try uploading again.");
                unset($extraData[$sessionKey]);
                return false;
            }

            $chunkSize = min($chunkSize, $bytesRemaining);
            if (($chunk = fread($stream, $chunkSize)) === false) {
                DUP_PRO_Log::infoTrace("Failed to read file chunk for {$storageFile}, try uploading again.");
                return false;
            }

            try {
                $response = $this->request(
                    $uploadSession['uploadUrl'],
                    [
                        'Content-Length' => (string) $chunkSize,
                        'Content-Range'  => sprintf('bytes %d-%d/%d', $bytesUploaded, $bytesUploaded + $chunkSize - 1, $fileSize),
                    ],
                    $chunk,
                    Requests::PUT,
                    false
                );

                $code = $response->status_code;
                if ($code === 416) {
                    DUP_PRO_Log::infoTrace("Wrong Chunk uploaded, trying to recover...");
                    if (($nextOffset = $this->getOffsetFromAPI($uploadSession['uploadUrl'])) === false) {
                        DUP_PRO_Log::infoTrace("Failed to get offset from API, try uploading again.");
                        return false;
                    }

                    $bytesUploaded  = $nextOffset;
                    $bytesRemaining = $fileSize - $nextOffset;

                    if (@fseek($stream, $bytesUploaded) === -1) {
                        DUP_PRO_Log::infoTrace("Failed to seek file to offset {$nextOffset}, try uploading again.");
                        return false;
                    }

                    //try to upload the correct chunk
                    continue;
                }
            } catch (Exception $e) {
                DUP_PRO_Log::infoTrace("Failed to copy file to OneDrive: {$e->getMessage()}");
                return false;
            }

            if ($code > 499 && $code < 600) {
                // 5XX means we can resume uploading later, so we don't consider this as an error.
                DUP_PRO_Log::infoTrace("OneDrive 5XX error for {$storageFile}, will try later.");
                break;
            }

            $bytesUploaded  += $chunkSize;
            $bytesRemaining -= $chunkSize;

            if (in_array($code, [200, 201])) {
                // We have finished uploading the file
                unset($extraData[$sessionKey]);
                return $length > 0 && $timeout === 0 ? $length : $fileSize;
            }

            // At this point only 202 is expected, which means we have to continue uploading
            if ($code !== 202) {
                // 4XX means we cannot resume uploading.
                DUP_PRO_Log::infoTrace("OneDrive Upload error for {$storageFile}, try uploading again.");
                DUP_PRO_Log::infoTrace("OneDrive responded with code {$code} & sent us: " . $response->body);
                return false;
            }
            $responseData = $response->decode_body();
            if (isset($responseData['expirationDateTime'])) {
                $extraData[$sessionKey]['expirationDateTime'] = $responseData['expirationDateTime'];
            }
            if (isset($responseData['nextExpectedRanges'])) {
                $extraData[$sessionKey]['nextExpectedRanges'] = $responseData['nextExpectedRanges'];
                $nextRange     = explode('-', $responseData['nextExpectedRanges'][0]);
                $bytesUploaded = (int) $nextRange[0];
            }

            // timeout set to 0 so just uploading length amount
            if ($timeout === 0) {
                break;
            }
        }
        // We return the amount of bytes uploaded.
        return $bytesUploaded - $offset;
    }

    /**
     * Get the offset from the API
     *
     * @param string $uploadUrl The URL to the upload session
     *
     * @return int|false
     */
    protected function getOffsetFromAPI($uploadUrl)
    {
        $statusResponse = $this->request($uploadUrl);
        if ($statusResponse->status_code !== 200) {
            DUP_PRO_Log::infoTrace("Failed to get upload status.");
            return false;
        }

        if (($statusData = json_decode($statusResponse->body, true)) === null) {
            DUP_PRO_Log::infoTrace("Failed to decode upload status.");
            return false;
        }

        if (!isset($statusData['nextExpectedRanges'][0])) {
            DUP_PRO_Log::infoTrace("Failed to get next expected range.");
            return false;
        }

        $nextRangeArr = explode('-', $statusData['nextExpectedRanges'][0]);

        return (int) $nextRangeArr[0];
    }

    /**
     * Get the app folder object
     *
     * @see https://github.com/OneDrive/onedrive-api-docs/blob/live/docs/rest-api/api/drive_get_specialfolder.md
     *
     * @return OneDriveStoragePathInfo|false
     */
    protected function getAppFolder()
    {
        if ($this->appFolder !== null) {
            return $this->appFolder;
        }
        try {
            $response = $this->request('/me/drive/special/approot');
        } catch (Exception $e) {
            DUP_PRO_Log::infoTrace("Failed to get app folder in OneDrive: {$e->getMessage()}");
            return false;
        }

        return $this->appFolder = $this->buildStoragePathInfo($response->decode_body());
    }

    /**
     * Get the details of an item by path
     *
     * @see https://github.com/OneDrive/onedrive-api-docs/blob/live/docs/rest-api/api/driveitem_get.md#http-request
     *
     * @param string      $path   The path to the item
     * @param null|string $parent The ID of the parent directory
     *
     * @return array<string, mixed>|false
     */
    protected function getItemDetailsByPath($path, $parent = null)
    {
        $path = '/' . ltrim($path, '/');
        if ($parent === null && empty($this->storageFolderId)) {
            $parent = $this->getAppFolder()->id;
            $path   = '/' . trim($this->storageFolderName . $path, '/');
        } elseif ($parent === null) {
            $parent = $this->storageFolderId;
        }

        try {
            $path     = implode('/', array_map('rawurlencode', explode('/', $path)));
            $response = $this->request("/me/drive/items/{$parent}:{$path}");
        } catch (Exception $e) {
            DUP_PRO_Log::infoTrace("Failed to get item details in OneDrive: {$e->getMessage()}");
            return false;
        }

        return $response->decode_body();
    }

    /**
     * Create a directory in the storage
     *
     * @see https://github.com/OneDrive/onedrive-api-docs/blob/live/docs/rest-api/api/driveitem_post_children.md
     *
     * @param string $parent    The ID of the parent directory
     * @param string $directory The name of the directory to create
     *
     * @return array<string, mixed>
     */
    protected function createDriveDirectory($parent, $directory)
    {
        try {
            $response = $this->request(
                '/me/drive/items/' . $parent . '/children',
                [],
                [
                    'name'                              => $directory,
                    'folder'                            => new \stdClass(),
                    '@microsoft.graph.conflictBehavior' => 'fail',
                ],
                Requests::POST
            );
            DUP_PRO_Log::traceObject("Response", $response);
        } catch (Exception $e) {
            DUP_PRO_Log::infoTrace("Failed to create directory in OneDrive: {$e->getMessage()}");
            return [];
        }

        return $response->decode_body();
    }

    /**
     * Create a new upload session
     *
     * @see https://github.com/OneDrive/onedrive-api-docs/blob/live/docs/rest-api/api/driveitem_createuploadsession.md
     *
     * @param string $targetFile The path to the destination file
     *
     * @return array{uploadUrl: string, expirationDateTime: string}|false
     */
    protected function createUploadSession($targetFile)
    {
        $parent = $this->storageFolderId;
        $file   = basename($targetFile);
        if ($file !== $targetFile) {
            $directory = dirname($targetFile);
            $this->createDir($directory);
            $targetDir = $this->getPathInfo($directory);
            $parent    = $targetDir->id;
        }

        try {
            $response = $this->request(
                "/me/drive/items/{$parent}:/{$file}:/createUploadSession",
                [],
                [
                    'item' => ["name" => $file],
                ],
                Requests::POST
            );
        } catch (Exception $e) {
            // Request failed from curl
            DUP_PRO_Log::infoTrace("Failed to create upload session: {$e->getMessage()}, token " . print_r($this->token, true));
            return false;
        }

        if ($response->status_code !== 200) {
            // Failed to create the upload session, error exists in the response body
            DUP_PRO_Log::infoTrace("Failed to create upload session, response: {$response['body']}, token " . print_r($this->token, true));
            return false;
        }
        return $response->decode_body();
    }

    /**
     * Build a StoragePathInfo object from the given array
     *
     * @param array<string, mixed> $item The array to build the object from
     *
     * @return OneDriveStoragePathInfo
     */
    protected function buildStoragePathInfo($item)
    {
        $info = new OneDriveStoragePathInfo();

        if (!isset($item['id'])) {
            return $info;
        }
        $info->exists   = true;
        $info->id       = $item['id'];
        $info->name     = $item['name'];
        $info->isDir    = isset($item['folder']);
        $info->created  = isset($item['createdDateTime']) ? strtotime($item['createdDateTime']) : 0;
        $info->modified = isset($item['lastModifiedDateTime']) ? strtotime($item['lastModifiedDateTime']) : 0;
        $info->size     = $item['size'] ?? 0;
        $info->webUrl   = $item['webUrl'] ?? '';
        if (isset($item['file'])) {
            $info->file = $item['file'];
        }
        if (isset($item['createdBy']['user'])) {
            $info->user = $item['createdBy']['user'];
        }
        if (isset($item['parentReference']['path'])) {
            // path can be different from the name, e.g. when the file is in a subdirectory
            $fullPath              = $item['parentReference']['path'] . '/' . $info->name;
            $storagePosition       = strpos($fullPath, $this->storageFolderName); // calculate the position of the storage folder name
            $filePathStartPosition = $storagePosition + strlen($this->storageFolderName) + 1; // file path starts after the storage folder name & the slash
            $info->path            = substr($fullPath, $filePathStartPosition);
        }

        return $info;
    }

    /**
     * Generate info on create dir
     *
     * @param string $path Dir path
     *
     * @return StoragePathInfo
     */
    protected function generateCreateDirInfo($path)
    {
        return $this->getRealPathInfo($path);
    }

    /**
     * Generate info on delete item
     *
     * @param string $path Item path
     *
     * @return StoragePathInfo
     */
    protected function generateDeleteInfo($path)
    {
        $info           = new OneDriveStoragePathInfo();
        $info->path     = $path;
        $info->exists   = false;
        $info->isDir    = false;
        $info->size     = 0;
        $info->created  = 0;
        $info->modified = 0;
        return $info;
    }

    /**
     * Copy storage file to local file, partial copy is supported.
     * If destination file exists, it will be overwritten.
     * If offset is less than the destination file size, the file will be truncated.
     *
     * @param string              $storageFile The storage file path
     * @param string              $destFile    The destination local file full path
     * @param int<0,max>          $offset      The offset where the data starts.
     * @param int                 $length      The maximum number of bytes read. Default to -1 (read all the remaining buffer).
     * @param int                 $timeout     The timeout for the copy operation in microseconds. Default to 0 (no timeout).
     * @param array<string,mixed> $extraData   Extra data to pass to copy function and updated during copy.
     *                                         Used for storages that need to maintain persistent data during copy intra-session.
     *
     * @return false|int The number of bytes that were written to the file, or false on failure.
     */
    public function copyFromStorage($storageFile, $destFile, $offset = 0, $length = -1, $timeout = 0, &$extraData = [])
    {
        $this->startTrackingTime();

        if ($offset > 0 && !@file_exists($destFile)) {
            return false;
        }

        if ($length < 0) {
            // We can use the download URL to download the file in one go
            $content = $this->getFileContent($storageFile);
            if ($content === false) {
                return false;
            }
            $content = substr($content, $offset);
            if (file_put_contents($destFile, $content) === false) {
                return false;
            }
            return strlen($content);
        }

        if (! isset($extraData['downloadUrl'])) {
            $item = $this->getItemDetailsByPath($storageFile);
            if (!isset($item['@microsoft.graph.downloadUrl'])) {
                return false;
            }
            $extraData['downloadUrl'] = $item['@microsoft.graph.downloadUrl'];
            if (file_put_contents($destFile, '') === false) {
                DUP_PRO_Log::infoTrace("[OnedriveAddon] Failed to open file for writing: {$destFile}");
                return false;
            }
        }

        $downloadUrl = $extraData['downloadUrl'];

        $range = "bytes={$offset}-" . ($offset + $length - 1);
        try {
            $response = $this->request($downloadUrl, ['Range' => $range], [], Requests::GET, false);
        } catch (Exception $e) {
            DUP_PRO_Log::infoTrace("[OnedriveAddon] Failed to download file: {$storageFile}. Error: {$e->getMessage()}");
            return false;
        }
        if ($response->status_code !== 206 && $response->status_code !== 200) {
            DUP_PRO_Log::infoTrace("[OnedriveAddon] Failed to download file: {$storageFile}. Response " . $response->body);
            return false;
        }
        file_put_contents($destFile, $response->body, FILE_APPEND);

        return $length;
    }

    /**
     * Method to send remote requests. By default add the authorization bearer header to the requests. If the data is an
     * array it will be sent in JSON format, as the OneDrive API expects JSON.
     *
     * @param string              $url     URL to request
     * @param array<mixed>        $headers Extra headers to send with the request
     * @param array<mixed>|string $data    Data to send either as a query string for GET/HEAD requests, or in the body for POST requests
     * @param string              $type    HTTP request type (use Requests constants)
     * @param bool                $auth    Include authorization headers
     *
     * @return \VendorDuplicator\WpOrg\Requests\Response
     */
    protected function request($url, array $headers = [], $data = [], string $type = Requests::GET, $auth = true): Response
    {
        // Set auth bearer header if needed
        if ($auth === false) {
            unset($headers['Authorization']);
        } elseif (!isset($headers['Authorization'])) {
            $headers['Authorization'] = 'Bearer ' . $this->token->getAccessToken();
        }

        //By default send JSON data if data is an array
        if (!isset($headers['Content-Type']) && !empty($data) && is_array($data)) {
            $headers['Content-Type'] = 'application/json';
            $data                    = json_encode($data);
        }

        $options = [
            'timeout'         => 1000,
            'connect_timeout' => 1000,
            'verify'          => $this->sslVerify,
        ];

        // Set custom SSL cert
        if ($this->sslVerify && $this->sslCert !== '') {
            $options['verify'] = $this->sslCert;
        }

        // Assume relative URL, if it doesn't start with http(s)://
        if (!preg_match('/^http(s)?:\/\//i', $url)) {
            $url = $this->baseUrl . '/' . ltrim($url, '/');
        }

        return Requests::request($url, $headers, $data, $type, $options);
    }
}