2

在我的 Symfony 项目中,我创建了一个控制器和一个函数来从站点检索 APi.json 的内容。

我正在使用 HttpClient 来获取内容并将其嵌入到项目中的新文件中。

但是,当我调用此函数时,写入新文件时出错:

Http2StreamException> Http2StreamException> TransportException
超出正文大小限制

这个错误来自这段代码:

foreach ($httpClient->stream($response) as $chunk) {
            fwrite($fileHandler, $chunk->getContent());
        }

我创建了一个 php.ini:
memory_limit = '4G'
upload_max_filesize = '700M'
max_input_time = 300000 post_max_size
= '700M'

原始文件仅重 242MB,并且由于其内容相当大,因此内容不想放入新文件中。
如何绕过此异常并允许对新文件进行 fwrite?

提前致谢

public function infoBDD(): Response 
{
        //Update le fichier sur le site
        $httpClient = HttpClient::create();
        $response = $httpClient->request('GET', 'https://mtgjson.com/api/v5/AllPrintings.json');

        // Création du fichier
        $fileHandler = fopen('../public/BDD/Api.json', 'w');

        // Incorporation dans le fichier créé le contenu du fichier uploadé
        foreach ($httpClient->stream($response) as $chunk) {
            fwrite($fileHandler, $chunk->getContent());
        }

        //fermeture du fichier créé
        fclose($fileHandler);

        var_dump('ouverture nouveau fichier');
        //Ouverture du fichier voulu
        $content = file_get_contents('../public/BDD/Api.json');
        $data = json_decode($content, true);

        //Vérification si la clé 'data' n'existe pas
        if(!array_key_exists('data', $data)) {
            throw new ServiceUnavailableHttpException("La clé 'data' n'existe pas dans le tableau de données récupéré,
            la réponse type fournie par l'API a peut-être été modifiée");
        }

        //Vérification si la clé 'data' existe
        if(array_key_exists('data', $data)) {
            $api = $data['data'];
            $this->getTableauData($api);
        }

        unlink('../public/BDD/Api.json');

        return $this->render('users/index.html.twig', [
            'controller_name' => 'UsersController',
            'page' => 'Profile'
        ]);
    }
4

1 回答 1

0

因此,您面临的限制来自Request 类的$bodySizeLimit属性,该属性具有来自 const 的默认值。

但是您可以“解锁”它,因为repo 中的这个示例本身试图解释

所以基本上,你可以像这样调整你的代码:

        public function infoBDD(): Response 
        {
            // Instantiate the HTTP client
            $httpClient = HttpClientBuilder::buildDefault();
    
            $request = new Request('https://mtgjson.com/api/v5/AllPrintings.json');
            $request->setBodySizeLimit(242 * 1024 * 1024); // 128 MB
            $request->setTransferTimeout(120 * 1000); // 120 seconds
            $response = $httpClient->request('GET', 'https://mtgjson.com/api/v5/AllPrintings.json');
    //....


}
于 2021-11-27T01:42:43.803 回答