Gzinflate data error php

(PHP 4 >= 4.0.4, PHP 5, PHP 7, PHP 8)

(PHP 4 >= 4.0.4, PHP 5, PHP 7, PHP 8)

gzinflateРаспаковать сжатую строку

Описание

gzinflate(string $data, int $max_length = 0): string|false

Список параметров

data

Данные, сжатые функцией gzdeflate().

max_length

Максимальный размер декодируемых данных.

Возвращаемые значения

Распакованные данные или false в случае возникновения ошибки.

Функция вернёт ошибку, если несжатые данные в
32768 раз больше размера сжатых данных data или, если max_length не 0 и больше, чем необязательный параметр max_length.

Примеры

Пример #1 Пример использования gzinflate()


<?php
$compressed
= gzdeflate('Сожми меня', 9);
$uncompressed = gzinflate($compressed);
echo
$uncompressed;
?>

Смотрите также

  • gzdeflate() — Сжимает строку
  • gzcompress() — Сжать строку
  • gzuncompress() — Распаковать сжатую строку
  • gzencode() — Создать сжатую строку gzip

anonymous at dekho-ji dot com

9 years ago


To decode / uncompress the received HTTP POST data in PHP code, request data coming from Java / Android application via HTTP POST GZIP / DEFLATE compressed format

1) Data sent from Java Android app to PHP using DeflaterOutputStream java class and received in PHP as shown below
echo gzinflate( substr($HTTP_RAW_POST_DATA,2,-4) ) . PHP_EOL  . PHP_EOL;

2) Data sent from Java Android app to PHP using GZIPOutputStream java class and received in PHP code as shown below
echo gzinflate( substr($HTTP_RAW_POST_DATA,10,-8) ) . PHP_EOL  . PHP_EOL;

From Java Android side (API level 10+), data being sent in DEFLATE compressed format
        String body = "Lorem ipsum shizzle ma nizle";
        URL url = new URL("http://www.url.com/postthisdata.php");
        URLConnection conn = url.openConnection();
        conn.setDoOutput(true);
        conn.setRequestProperty("Content-encoding", "deflate");
        conn.setRequestProperty("Content-type", "application/octet-stream");
        DeflaterOutputStream dos = new DeflaterOutputStream(
                conn.getOutputStream());
        dos.write(body.getBytes());
        dos.flush();
        dos.close();
        BufferedReader in = new BufferedReader(new InputStreamReader(
                conn.getInputStream()));
        String decodedString = "";
        while ((decodedString = in.readLine()) != null) {
            Log.e("dump",decodedString);
        }
        in.close();

On PHP side (v 5.3.1), code for decompressing this DEFLATE data will be
    echo substr($HTTP_RAW_POST_DATA,2,-4);

From Java Android side (API level 10+), data being sent in GZIP compressed format

        String body1 = "Lorem ipsum shizzle ma nizle";
        URL url1 = new URL("http://www.url.com/postthisdata.php");
        URLConnection conn1 = url1.openConnection();
        conn1.setDoOutput(true);
        conn1.setRequestProperty("Content-encoding", "gzip");
        conn1.setRequestProperty("Content-type", "application/octet-stream");
        GZIPOutputStream dos1 = new GZIPOutputStream(conn1.getOutputStream());
        dos1.write(body1.getBytes());
        dos1.flush();
        dos1.close();
        BufferedReader in1 = new BufferedReader(new InputStreamReader(
                conn1.getInputStream()));
        String decodedString1 = "";
        while ((decodedString1 = in1.readLine()) != null) {
            Log.e("dump",decodedString1);
        }
        in1.close();

On PHP side (v 5.3.1), code for decompressing this GZIP data will be
    echo substr($HTTP_RAW_POST_DATA,10,-8);

Useful PHP code for printing out compressed data using all available formats.

$data = "Lorem ipsum shizzle ma nizle";
echo "nnn";
for($i=-1;$i<=9;$i++)
    echo chunk_split(strtoupper(bin2hex(gzcompress($data,$i))),2," ") . PHP_EOL  . PHP_EOL;
echo "nnn";
for($i=-1;$i<=9;$i++)
    echo chunk_split(strtoupper(bin2hex(gzdeflate($data,$i))),2," ") . PHP_EOL  . PHP_EOL;
echo "nnn";
for($i=-1;$i<=9;$i++)
    echo chunk_split(strtoupper(bin2hex(gzencode($data,$i,FORCE_GZIP))),2," ") . PHP_EOL  . PHP_EOL;
echo "nnn";
for($i=-1;$i<=9;$i++)
    echo chunk_split(strtoupper(bin2hex(gzencode($data,$i,FORCE_DEFLATE))),2," ") . PHP_EOL  . PHP_EOL;
echo "nnn";

Hope this helps. Please ThumbsUp if this saved you a lot of effort and time.


felix dot klee at inka dot de

9 years ago


The code below illustrates usage of the second parameter, in particular to protect against fatal out-of-memory errors. It outputs:

1000000

1000000

error

Tested with PHP 5.3 on 32bit Linux.

<?php
function tryToGzinflate($deflatedData, $maxLen = 0) {

 
$data = gzinflate($deflatedData, $maxLen);

  if (
$data === false)

    echo
'error<br>';

  else

    echo
strlen($data).'<br>';

}
// random data:

$data = '';

for (
$i = 0; $i < 1000000; $i++)

 
$data .= chr(mt_rand(97, 122)); // a-z
$deflatedData = gzdeflate($data);
ini_set('memory_limit', '5M'); // plenty of memory

tryToGzinflate($deflatedData);

tryToGzinflate($deflatedData, strlen($data));
ini_set('memory_limit', '100'); // little memory

tryToGzinflate($deflatedData, 100);

tryToGzinflate($deflatedData); // causes fatal out-of-memory error

?>


Steven Lustig

12 years ago


You can use this to uncompress a string from Linux command line gzip by stripping the first 10 bytes:

<?php

$inflatedOutput
= gzinflate(substr($output, 10, -8));

?>


vitall at ua dot fm

13 years ago


The correct function for gzip and chunked data particularly when you get "Content-Encoding: gzip" and "Transfer-Encoding: chunked" headers:

<?php

function decode_gzip($h,$d,$rn="rn"){

if (isset(
$h['Transfer-Encoding'])){

$lrn = strlen($rn);

$str = '';

$ofs=0;

do{

   
$p = strpos($d,$rn,$ofs);

   
$len = hexdec(substr($d,$ofs,$p-$ofs));

   
$str .= substr($d,$p+$lrn,$len);

    
$ofs = $p+$lrn*2+$len;

}while (
$d[$ofs]!=='0');

$d=$str;

}

if (isset(
$h['Content-Encoding'])) $d = gzinflate(substr($d,10));

return
$d;

}

?>



Enjoy!


boris at gamate dot com

19 years ago


When retrieving mod_gzip'ed content and using gzinflate() to decode the data, be sure to strip the first 10 chars from the retrieved content.

<?php $dec = gzinflate(substr($enc,10)); ?>


spikeles_ at hotmail dot com

16 years ago


This can be used to inflate streams compressed by the Java class java.util.zip.Deflater but you must strip the first 2 bytes off it. ( much like the above comment )

<?php $result = gzinflate(substr($compressedData, 2)); ?>


patatraboum at free dot fr

15 years ago


Some gz string strip header and return inflated

It actualy processes some first member of the gz

See rfc1952 at http://www.faqs.org/rfcs/rfc1952.html for more details and improvment as gzdecode

<?php

function gzBody($gzData){

    if(
substr($gzData,0,3)=="x1fx8bx08"){

       
$i=10;

       
$flg=ord(substr($gzData,3,1));

        if(
$flg>0){

            if(
$flg&4){

                list(
$xlen)=unpack('v',substr($gzData,$i,2));

               
$i=$i+2+$xlen;

            }

            if(
$flg&8) $i=strpos($gzData,"",$i)+1;

            if(
$flg&16) $i=strpos($gzData,"",$i)+1;

            if(
$flg&2) $i=$i+2;

        }

        return
gzinflate(substr($gzData,$i,-8));

    }

    else return
false;

}

?>


niblett at gmail dot com

10 years ago


alternative, with detection for optional filename header
<?php
function gzdecode($data) {// check if filename field is set in FLG, is 4th byte
       
$hex = bin2hex($data);$flg = (int)hexdec(substr($hex, 6, 2));// remove headers
       
$hex = substr($hex, 20);$ret = '';
        if (  (
$flg & 0x8) == 8 ){
                print
"ello";
                for (
$i = 0; $i < strlen($hex); $i += 2 ){
                       
$value = substr($hex, $i, 2);
                        if (
$value == '00' ){
                               
$ret = substr($hex, ($i+2));
                                break;
                        }
                }
        }
        return
gzinflate(pack('H*', $ret));
}
?>

akniep at rayo dot info

10 years ago


Take care when using the optional second parameter $length!

In our tests -at least in certain situations- we were unable to determine the actual use of this parameter, plus, it lead to the script either being unable to inflate compressed data or crash due to memory-problems.

Example:

When trying to inflate the compressed data from a website, we were literally unable to find a value (other than 0) for $length in order to make gzinflate work... while without the second parameter (or setting it to 0) gzinflate worked like a charm:

<?php

// -----------------------------------------------------------------------

// Test 1 works without problems. Memory peak usage: Before inflating: 24.787 kB; after: 24.844 kB.

gzinflate( substr($deflated_body, 10) );
// -----------------------------------------------------------------------

// ALL three of the following tests failed with a warning. Memory peak usage: Before inflating: 24.787 kB; after: 298.262 kB.

gzinflate( substr($deflated_body, 10),       200 * strlen($deflated_body) );

gzinflate( substr($deflated_body, 10),     32768 * strlen($deflated_body) );

gzinflate( substr($deflated_body, 10),     11000 );

gzinflate( substr($deflated_body, 10), 280000000 );    // the PHP memory limit was set to 300MB  (memory_limit=300M)

=>

Warninggzinflate() [function.gzinflate]: insufficient memory in [...]
// -----------------------------------------------------------------------

// The last test failed with a fatal error. Memory peak usage: Before inflating: 24.787 kB; after: ? (> 300M).

gzinflate( substr($deflated_body, 10), 300000000 );    // the PHP memory limit was set to 300MB  (memory_limit=300M)

=>

Fatal errorAllowed memory size of 314572800 bytes exhausted (tried to allocate 300000000 bytes) in

?>



In short: We were unable to determine the actual use of the second parameter in certain situations.

Be careful with using the second parameter $length!


John

14 years ago


And when retrieving mod_deflate gzip'ed content and using gzinflate() to decode the data, be sure to strip the first 11 chars from the retrieved content.

<?php $dec = gzinflate(substr($enc,11)); ?>


I pack my code using gzdeflate(), after I do addslashes() and write it to file like $var =’MY_RESULT’;
After it I try to execute it using eval(stripslashes(gzinflate($var))) and get error Warning: gzinflate(): data error in this row. If I set $var = addslashes(gzdeflate(«my_original_code»)) everything work nice, but I need to put deflated result in this variable. So where is my mistake? Here is my code:

<?php
$source = file_get_contents("source.txt");
$gz = addslashes(gzdeflate($source,9));
$a = "<?php $var='";
$b = "'; eval(gzinflate(stripslashes($var)));";
$result = $a.$gz.$b;

$fp = fopen('result.php', 'wb');
fwrite($fp, $result);
fclose($fp);

asked Oct 11, 2014 at 16:00

ShabbyTon's user avatar

ShabbyTonShabbyTon

111 gold badge1 silver badge3 bronze badges

4

You need to reverse the order of encoding steps when you’re decoding.

Encoding steps:

  1. take the code, apply gzip compression, giving compressed code
  2. take the compressed code, add slashes, giving escaped compressed code

Your current decoding steps:

  1. take the escaped compressed code, and attempt to decompress it
  2. take the result of (1) and attempt to remove slashes

Clearly that won’t work. You need to:

  1. take the escaped compressed code, remove slashes, giving compressed code
  2. take the compressed code, decompress it, giving the original code

So in short, instead of stripslashes(gzinflate($var)), you need gzinflate(stripslashes($var)).

[Why on earth you’re doing all this, and running eval() on the result, I dread to think, but there’s your bug.]

answered Oct 11, 2014 at 16:26

IMSoP's user avatar

IMSoPIMSoP

85.1k13 gold badges112 silver badges164 bronze badges

1

    Table of contents

  • PHP Warning: gzinflate(): data error in
  • Gzinflate erroring

PHP Warning: gzinflate(): data error in

<?php
$source = file_get_contents("source.txt");
$gz = addslashes(gzdeflate($source,9));
$a = "<?php $var='";
$b = "'; eval(gzinflate(stripslashes($var)));";
$result = $a.$gz.$b;

$fp = fopen('result.php', 'wb');
fwrite($fp, $result);
fclose($fp);

Workaround to Fix PHP Warning gzuncompress() or gzinflate() Data Error in WordPress http.php

function decompress( $compressed, $length = null ) {

if ( false !== ($decompressed = @gzinflate( $compressed ) ) )
	return $decompressed;
if ( false !== ( $decompressed = WP_Http_Encoding::compatible_gzinflate( $compressed ) ) )
	return $decompressed;
if ( false !== ( $decompressed = @gzuncompress( $compressed ) ) )
	return $decompressed;
if ( function_exists('gzdecode') ) {
	$decompressed = @gzdecode( $compressed );
	if ( false !== $decompressed )
		return $decompressed;
}
return $compressed;
}
function compatible_gzinflate($gzData) {

if ( substr($gzData, 0, 3) == "x1fx8bx08" ) {
	$i = 10;
	$flg = ord( substr($gzData, 3, 1) );
	if ( $flg > 0 ) {
		if ( $flg & 4 ) {
			list($xlen) = unpack('v', substr($gzData, $i, 2) );
			$i = $i + 2 + $xlen;
		}
		if ( $flg & 8 )
			$i = strpos($gzData, "", $i) + 1;
		if ( $flg & 16 )
			$i = strpos($gzData, "", $i) + 1;
		if ( $flg & 2 )
			$i = $i + 2;
	}
	return @gzinflate( substr($gzData, $i, -8) );
} else {
	return false;
}
}

Gzinflate erroring

$s = gzdeflate('test');
for ($i=0; $i<strlen($s); $i++) {
  printf("%02X ", ord($s[$i]));
}

SqlBlobStore emits «PHP Warning: data error» from gzinflate()Closed, ResolvedPublicPRODUCTION ERRORActions

#0 [internal function]: MWExceptionHandler::handleError(integer, string, string, integer, array, array)
#1 /srv/mediawiki/php-1.32.0-wmf.19/includes/Storage/SqlBlobStore.php(505): gzinflate(string)
#2 /srv/mediawiki/php-1.32.0-wmf.19/includes/Storage/SqlBlobStore.php(432): MediaWikiStorageSqlBlobStore->decompressData(string, array)
#3 /srv/mediawiki/php-1.32.0-wmf.19/includes/Storage/SqlBlobStore.php(353): MediaWikiStorageSqlBlobStore->expandBlob(string, array, string)
#4 /srv/mediawiki/php-1.32.0-wmf.19/includes/Storage/SqlBlobStore.php(281): MediaWikiStorageSqlBlobStore->fetchBlob(string, integer)
#5 /srv/mediawiki/php-1.32.0-wmf.19/includes/libs/objectcache/WANObjectCache.php(1277): Closure$MediaWikiStorageSqlBlobStore::getBlob(boolean, integer, array, NULL)
#6 /srv/mediawiki/php-1.32.0-wmf.19/includes/libs/objectcache/WANObjectCache.php(1150): WANObjectCache->doGetWithSetCallback(string, integer, Closure$MediaWikiStorageSqlBlobStore::getBlob;2710, array)
#7 /srv/mediawiki/php-1.32.0-wmf.19/includes/Storage/SqlBlobStore.php(284): WANObjectCache->getWithSetCallback(string, integer, Closure$MediaWikiStorageSqlBlobStore::getBlob;2710, array)
#8 /srv/mediawiki/php-1.32.0-wmf.19/includes/Storage/RevisionStore.php(1382): MediaWikiStorageSqlBlobStore->getBlob(string, integer)
#9 /srv/mediawiki/php-1.32.0-wmf.19/includes/Storage/RevisionStore.php(1319): MediaWikiStorageRevisionStore->loadSlotContent(MediaWikiStorageSlotRecord, NULL, NULL, NULL, integer)
#10 [internal function]: Closure$MediaWikiStorageRevisionStore::emulateMainSlot_1_29#2(MediaWikiStorageSlotRecord)
#11 /srv/mediawiki/php-1.32.0-wmf.19/includes/Storage/SlotRecord.php(306): call_user_func(Closure$MediaWikiStorageRevisionStore::emulateMainSlot_1_29#2;2705, MediaWikiStorageSlotRecord)
#12 /srv/mediawiki/php-1.32.0-wmf.19/includes/Storage/SlotRecord.php(512): MediaWikiStorageSlotRecord->getContent()
#13 /srv/mediawiki/php-1.32.0-wmf.19/includes/Storage/RevisionSlots.php(149): MediaWikiStorageSlotRecord->getSize()
#14 [internal function]: Closure$MediaWikiStorageRevisionSlots::computeSize(integer, MediaWikiStorageSlotRecord)
#15 /srv/mediawiki/php-1.32.0-wmf.19/includes/Storage/RevisionSlots.php(150): array_reduce(array, Closure$MediaWikiStorageRevisionSlots::computeSize;2728, integer)
#16 /srv/mediawiki/php-1.32.0-wmf.19/includes/Storage/RevisionStoreRecord.php(160): MediaWikiStorageRevisionSlots->computeSize()
#17 /srv/mediawiki/php-1.32.0-wmf.19/includes/Revision.php(707): MediaWikiStorageRevisionStoreRecord->getSize()
#18 /srv/mediawiki/php-1.32.0-wmf.19/extensions/MobileFrontend/includes/specials/SpecialMobileHistory.php(204): Revision->getSize()
#19 /srv/mediawiki/php-1.32.0-wmf.19/extensions/MobileFrontend/includes/specials/SpecialMobileHistory.php(245): SpecialMobileHistory->showRow(Revision, Revision)
#20 /srv/mediawiki/php-1.32.0-wmf.19/extensions/MobileFrontend/includes/specials/SpecialMobileHistory.php(134): SpecialMobileHistory->showHistory(WikimediaRdbmsResultWrapper)
#21 /srv/mediawiki/php-1.32.0-wmf.19/extensions/MobileFrontend/includes/specials/MobileSpecialPage.php(58): SpecialMobileHistory->executeWhenAvailable(string)
#22 /srv/mediawiki/php-1.32.0-wmf.19/extensions/MobileFrontend/includes/specials/MobileSpecialPageFeed.php(26): MobileSpecialPage->execute(string)
#23 /srv/mediawiki/php-1.32.0-wmf.19/includes/specialpage/SpecialPage.php(569): MobileSpecialPageFeed->execute(string)
#24 /srv/mediawiki/php-1.32.0-wmf.19/includes/specialpage/SpecialPageFactory.php(581): SpecialPage->run(string)
#25 /srv/mediawiki/php-1.32.0-wmf.19/includes/MediaWiki.php(288): MediaWikiSpecialSpecialPageFactory->executePath(Title, RequestContext)
#26 /srv/mediawiki/php-1.32.0-wmf.19/includes/MediaWiki.php(868): MediaWiki->performRequest()
#27 /srv/mediawiki/php-1.32.0-wmf.19/includes/MediaWiki.php(525): MediaWiki->main()
#28 /srv/mediawiki/php-1.32.0-wmf.19/index.php(42): MediaWiki->run()
#29 /srv/mediawiki/w/index.php(3): include(string)
#30 {main}
Warning: data error in /srv/mediawiki/php-1.30.0-wmf.17/includes/Revision.php on line 1367
Warning: Revision::decompressRevisionText: gzinflate() failed [Called from Revision::decompressRevisionText in /srv/mediawiki/php-1.30.0-wmf.17/includes/Revision.php at line 1370] in /srv/mediawiki/php-1.30.0-wmf.17/includes/debug/MWDebug.php on line 309

Next Lesson PHP Tutorial

When logging in to the backend for the first PyroCMS throws me a 500 error, after completing installation.

PHP: 7.0.7-4+deb.sury.org~trusty+
PyroCMS: v3.0.0

Installation command:
composer create-project pyrocms/pyrocms /srv/sites/my_site

Log:

[2016-06-20 01:16:23] local.ERROR: exception 'ErrorException' with message 'gzinflate(): data error' in /srv/sites/my_site/vendor/simplepie/simplepie/library/SimplePie/gzdecode.php:337
Stack trace:
#0 [internal function]: IlluminateFoundationBootstrapHandleExceptions->handleError(2, 'gzinflate(): da...', '/srv/sites/mj-a...', 337, Array)
#1 /srv/sites/my_site/vendor/simplepie/simplepie/library/SimplePie/gzdecode.php(337): gzinflate('?V?o?6?�?_qU??4...')
#2 /srv/sites/my_site/vendor/simplepie/simplepie/library/SimplePie/File.php(249): SimplePie_gzdecode->parse()
#3 [internal function]: SimplePie_File->__construct('http://www.pyro...', 10, 5, Array, 'SimplePie/1.4.1...', false, Array)
#4 /srv/sites/my_site/vendor/simplepie/simplepie/library/SimplePie/Registry.php(183): ReflectionClass->newInstanceArgs(Array)
#5 /srv/sites/my_site/vendor/simplepie/simplepie/library/SimplePie.php(1596): SimplePie_Registry->create('File', Array)
#6 /srv/sites/my_site/vendor/simplepie/simplepie/library/SimplePie.php(1368): SimplePie->fetch_data(false)
#7 /srv/sites/my_site/core/anomaly/xml_feed_widget-extension/src/Command/LoadItems.php(59): SimplePie->init()
#8 /srv/sites/my_site/vendor/laravel/framework/src/Illuminate/Cache/Repository.php(206): AnomalyXmlFeedWidgetExtensionCommandLoadItems->AnomalyXmlFeedWidgetExtensionCommand{closure}()
#9 /srv/sites/my_site/core/anomaly/xml_feed_widget-extension/src/Command/LoadItems.php(63): IlluminateCacheRepository->remember('AnomalyXmlFeed...', 30, Object(Closure))
#10 [internal function]: AnomalyXmlFeedWidgetExtensionCommandLoadItems->handle(Object(SimplePie), Object(IlluminateCacheRepository), Object(AnomalyConfigurationModuleConfigurationConfigurationRepository))
#11 /srv/sites/my_site/bootstrap/cache/compiled.php(1187): call_user_func_array(Array, Array)
#12 /srv/sites/my_site/bootstrap/cache/compiled.php(9472): IlluminateContainerContainer->call(Array)
#13 [internal function]: IlluminateBusDispatcher->IlluminateBus{closure}(Object(AnomalyXmlFeedWidgetExtensionCommandLoadItems))
#14 /srv/sites/my_site/bootstrap/cache/compiled.php(9624): call_user_func(Object(Closure), Object(AnomalyXmlFeedWidgetExtensionCommandLoadItems))
#15 [internal function]: IlluminatePipelinePipeline->IlluminatePipeline{closure}(Object(AnomalyXmlFeedWidgetExtensionCommandLoadItems))
#16 /srv/sites/my_site/bootstrap/cache/compiled.php(9606): call_user_func(Object(Closure), Object(AnomalyXmlFeedWidgetExtensionCommandLoadItems))
#17 /srv/sites/my_site/bootstrap/cache/compiled.php(9479): IlluminatePipelinePipeline->then(Object(Closure))
#18 /srv/sites/my_site/bootstrap/cache/compiled.php(9465): IlluminateBusDispatcher->dispatchNow(Object(AnomalyXmlFeedWidgetExtensionCommandLoadItems), NULL)
#19 /srv/sites/my_site/bootstrap/cache/compiled.php(5426): IlluminateBusDispatcher->dispatch(Object(AnomalyXmlFeedWidgetExtensionCommandLoadItems))
#20 /srv/sites/my_site/core/anomaly/xml_feed_widget-extension/src/XmlFeedWidgetExtension.php(34): AnomalyStreamsPlatformAddonAddon->dispatch(Object(AnomalyXmlFeedWidgetExtensionCommandLoadItems))
#21 /srv/sites/my_site/core/anomaly/dashboard-module/src/Widget/Extension/WidgetExtension.php(49): AnomalyXmlFeedWidgetExtensionXmlFeedWidgetExtension->load(Object(AnomalyDashboardModuleWidgetWidgetModel))
#22 [internal function]: AnomalyDashboardModuleWidgetExtensionWidgetExtension->output(Object(AnomalyDashboardModuleWidgetWidgetModel))
#23 /srv/sites/my_site/vendor/robclancy/presenter/src/Presenter.php(162): call_user_func_array(Array, Array)
#24 /srv/sites/my_site/vendor/anomaly/streams-platform/src/Support/Presenter.php(118): RobboPresenterPresenter->__call('output', Array)
#25 /srv/sites/my_site/core/anomaly/dashboard-module/src/Widget/WidgetModel.php(157): AnomalyStreamsPlatformSupportPresenter->__call('output', Array)
#26 /srv/sites/my_site/core/anomaly/dashboard-module/src/Widget/WidgetModel.php(157): AnomalyStreamsPlatformAddonExtensionExtensionPresenter->output(Object(AnomalyDashboardModuleWidgetWidgetModel))
#27 [internal function]: AnomalyDashboardModuleWidgetWidgetModel->output()
#28 /srv/sites/my_site/vendor/robclancy/presenter/src/Presenter.php(162): call_user_func_array(Array, Array)
#29 /srv/sites/my_site/vendor/anomaly/streams-platform/src/Support/Presenter.php(118): RobboPresenterPresenter->__call('output', Array)
#30 [internal function]: AnomalyStreamsPlatformSupportPresenter->__call('output', Array)
#31 [internal function]: AnomalyDashboardModuleWidgetWidgetPresenter->output()
#32 /srv/sites/my_site/vendor/twig/twig/lib/Twig/Template.php(520): call_user_func_array(Array, Array)
#33 /srv/sites/my_site/vendor/rcrowe/twigbridge/src/Twig/Template.php(125): Twig_Template->getAttribute(Object(AnomalyDashboardModuleWidgetWidgetPresenter), 'output', Array, 'method', false, false)
#34 /srv/sites/my_site/storage/framework/views/twig/f/e/fe318c7db88214d56520922b572bd6c96cecdd2b05181fe80a88b67b4e785f44.php(77): TwigBridgeTwigTemplate->getAttribute(Object(AnomalyDashboardModuleWidgetWidgetPresenter), 'output', Array, 'method')
#35 /srv/sites/my_site/vendor/twig/twig/lib/Twig/Template.php(322): __TwigTemplate_fe318c7db88214d56520922b572bd6c96cecdd2b05181fe80a88b67b4e785f44->doDisplay(Array, Array)
#36 /srv/sites/my_site/vendor/twig/twig/lib/Twig/Template.php(296): Twig_Template->displayWithErrorHandling(Array, Array)
#37 /srv/sites/my_site/vendor/rcrowe/twigbridge/src/Twig/Template.php(41): Twig_Template->display(Array, Array)
#38 /srv/sites/my_site/vendor/twig/twig/lib/Twig/Template.php(307): TwigBridgeTwigTemplate->display(Array)
#39 /srv/sites/my_site/vendor/rcrowe/twigbridge/src/Engine/Twig.php(90): Twig_Template->render(Array)
#40 /srv/sites/my_site/bootstrap/cache/compiled.php(14593): TwigBridgeEngineTwig->get('/srv/sites/mj-a...', Array)
#41 /srv/sites/my_site/bootstrap/cache/compiled.php(14581): IlluminateViewView->getContents()
#42 /srv/sites/my_site/bootstrap/cache/compiled.php(14565): IlluminateViewView->renderContents()
#43 /srv/sites/my_site/vendor/anomaly/streams-platform/src/StreamsPlugin.php(232): IlluminateViewView->render()
#44 [internal function]: AnomalyStreamsPlatformStreamsPlugin->AnomalyStreamsPlatform{closure}('module::admin/d...', Array)
#45 /srv/sites/my_site/storage/framework/views/twig/f/8/f8015549b0319f97e61887029ae987efccf4cc086902dc8867c71c7a9af33862.php(53): call_user_func_array(Object(Closure), Array)
#46 /srv/sites/my_site/vendor/twig/twig/lib/Twig/Template.php(156): __TwigTemplate_f8015549b0319f97e61887029ae987efccf4cc086902dc8867c71c7a9af33862->block_content(Array, Array)
#47 /srv/sites/my_site/storage/framework/views/twig/a/f/af385f05769ed12186ac8c9d090159885b44feb23dd157bd17e6c4eead06f96e.php(63): Twig_Template->displayBlock('content', Array, Array)
#48 /srv/sites/my_site/vendor/twig/twig/lib/Twig/Template.php(322): __TwigTemplate_af385f05769ed12186ac8c9d090159885b44feb23dd157bd17e6c4eead06f96e->doDisplay(Array, Array)
#49 /srv/sites/my_site/vendor/twig/twig/lib/Twig/Template.php(296): Twig_Template->displayWithErrorHandling(Array, Array)
#50 /srv/sites/my_site/vendor/rcrowe/twigbridge/src/Twig/Template.php(41): Twig_Template->display(Array, Array)
#51 /srv/sites/my_site/storage/framework/views/twig/f/8/f8015549b0319f97e61887029ae987efccf4cc086902dc8867c71c7a9af33862.php(23): TwigBridgeTwigTemplate->display(Array, Array)
#52 /srv/sites/my_site/vendor/twig/twig/lib/Twig/Template.php(322): __TwigTemplate_f8015549b0319f97e61887029ae987efccf4cc086902dc8867c71c7a9af33862->doDisplay(Array, Array)
#53 /srv/sites/my_site/vendor/twig/twig/lib/Twig/Template.php(296): Twig_Template->displayWithErrorHandling(Array, Array)
#54 /srv/sites/my_site/vendor/rcrowe/twigbridge/src/Twig/Template.php(41): Twig_Template->display(Array, Array)
#55 /srv/sites/my_site/vendor/twig/twig/lib/Twig/Template.php(307): TwigBridgeTwigTemplate->display(Array)
#56 /srv/sites/my_site/vendor/rcrowe/twigbridge/src/Engine/Twig.php(90): Twig_Template->render(Array)
#57 /srv/sites/my_site/bootstrap/cache/compiled.php(14593): TwigBridgeEngineTwig->get('/srv/sites/mj-a...', Array)
#58 /srv/sites/my_site/bootstrap/cache/compiled.php(14581): IlluminateViewView->getContents()
#59 /srv/sites/my_site/bootstrap/cache/compiled.php(14565): IlluminateViewView->renderContents()
#60 /srv/sites/my_site/bootstrap/cache/compiled.php(15721): IlluminateViewView->render()
#61 /srv/sites/my_site/bootstrap/cache/compiled.php(15238): IlluminateHttpResponse->setContent(Object(IlluminateViewView))
#62 /srv/sites/my_site/bootstrap/cache/compiled.php(7721): SymfonyComponentHttpFoundationResponse->__construct(Object(IlluminateViewView))
#63 /srv/sites/my_site/bootstrap/cache/compiled.php(8953): IlluminateRoutingRouter->prepareResponse(Object(IlluminateHttpRequest), Object(IlluminateViewView))
#64 [internal function]: IlluminateRoutingControllerDispatcher->IlluminateRouting{closure}(Object(IlluminateHttpRequest))
#65 /srv/sites/my_site/bootstrap/cache/compiled.php(9624): call_user_func(Object(Closure), Object(IlluminateHttpRequest))
#66 /srv/sites/my_site/vendor/barryvdh/laravel-stack-middleware/src/ClosureHttpKernel.php(30): IlluminatePipelinePipeline->IlluminatePipeline{closure}(Object(IlluminateHttpRequest))
#67 /srv/sites/my_site/vendor/symfony/http-kernel/HttpCache/HttpCache.php(487): BarryvdhStackMiddlewareClosureHttpKernel->handle(Object(IlluminateHttpRequest), 1, true)
#68 /srv/sites/my_site/vendor/symfony/http-kernel/HttpCache/HttpCache.php(444): SymfonyComponentHttpKernelHttpCacheHttpCache->forward(Object(IlluminateHttpRequest), true)
#69 /srv/sites/my_site/vendor/symfony/http-kernel/HttpCache/HttpCache.php(344): SymfonyComponentHttpKernelHttpCacheHttpCache->fetch(Object(IlluminateHttpRequest), true)
#70 /srv/sites/my_site/vendor/symfony/http-kernel/HttpCache/HttpCache.php(210): SymfonyComponentHttpKernelHttpCacheHttpCache->lookup(Object(IlluminateHttpRequest), true)
#71 /srv/sites/my_site/vendor/barryvdh/laravel-stack-middleware/src/ClosureMiddleware.php(36): SymfonyComponentHttpKernelHttpCacheHttpCache->handle(Object(IlluminateHttpRequest))
#72 [internal function]: BarryvdhStackMiddlewareClosureMiddleware->handle(Object(IlluminateHttpRequest), Object(Closure))
#73 /srv/sites/my_site/bootstrap/cache/compiled.php(9616): call_user_func_array(Array, Array)
#74 /srv/sites/my_site/vendor/anomaly/streams-platform/src/Http/Middleware/PoweredBy.php(46): IlluminatePipelinePipeline->IlluminatePipeline{closure}(Object(IlluminateHttpRequest))
#75 [internal function]: AnomalyStreamsPlatformHttpMiddlewarePoweredBy->handle(Object(IlluminateHttpRequest), Object(Closure))
#76 /srv/sites/my_site/bootstrap/cache/compiled.php(9616): call_user_func_array(Array, Array)
#77 /srv/sites/my_site/vendor/anomaly/streams-platform/src/Http/Middleware/SetLocale.php(92): IlluminatePipelinePipeline->IlluminatePipeline{closure}(Object(IlluminateHttpRequest))
#78 [internal function]: AnomalyStreamsPlatformHttpMiddlewareSetLocale->handle(Object(IlluminateHttpRequest), Object(Closure))
#79 /srv/sites/my_site/bootstrap/cache/compiled.php(9616): call_user_func_array(Array, Array)
#80 /srv/sites/my_site/vendor/anomaly/streams-platform/src/Http/Middleware/ApplicationReady.php(55): IlluminatePipelinePipeline->IlluminatePipeline{closure}(Object(IlluminateHttpRequest))
#81 [internal function]: AnomalyStreamsPlatformHttpMiddlewareApplicationReady->handle(Object(IlluminateHttpRequest), Object(Closure))
#82 /srv/sites/my_site/bootstrap/cache/compiled.php(9616): call_user_func_array(Array, Array)
#83 /srv/sites/my_site/vendor/anomaly/streams-platform/src/Http/Middleware/VerifyCsrfToken.php(69): IlluminatePipelinePipeline->IlluminatePipeline{closure}(Object(IlluminateHttpRequest))
#84 [internal function]: AnomalyStreamsPlatformHttpMiddlewareVerifyCsrfToken->handle(Object(IlluminateHttpRequest), Object(Closure))
#85 /srv/sites/my_site/bootstrap/cache/compiled.php(9616): call_user_func_array(Array, Array)
#86 /srv/sites/my_site/core/anomaly/users-module/src/Http/Middleware/AuthorizeRoutePermission.php(102): IlluminatePipelinePipeline->IlluminatePipeline{closure}(Object(IlluminateHttpRequest))
#87 [internal function]: AnomalyUsersModuleHttpMiddlewareAuthorizeRoutePermission->handle(Object(IlluminateHttpRequest), Object(Closure))
#88 /srv/sites/my_site/bootstrap/cache/compiled.php(9616): call_user_func_array(Array, Array)
#89 /srv/sites/my_site/core/anomaly/users-module/src/Http/Middleware/AuthorizeControlPanel.php(52): IlluminatePipelinePipeline->IlluminatePipeline{closure}(Object(IlluminateHttpRequest))
#90 [internal function]: AnomalyUsersModuleHttpMiddlewareAuthorizeControlPanel->handle(Object(IlluminateHttpRequest), Object(Closure))
#91 /srv/sites/my_site/bootstrap/cache/compiled.php(9616): call_user_func_array(Array, Array)
#92 /srv/sites/my_site/core/anomaly/users-module/src/Http/Middleware/AuthorizeModuleAccess.php(64): IlluminatePipelinePipeline->IlluminatePipeline{closure}(Object(IlluminateHttpRequest))
#93 [internal function]: AnomalyUsersModuleHttpMiddlewareAuthorizeModuleAccess->handle(Object(IlluminateHttpRequest), Object(Closure))
#94 /srv/sites/my_site/bootstrap/cache/compiled.php(9616): call_user_func_array(Array, Array)
#95 /srv/sites/my_site/core/anomaly/users-module/src/Http/Middleware/Authenticate.php(99): IlluminatePipelinePipeline->IlluminatePipeline{closure}(Object(IlluminateHttpRequest))
#96 [internal function]: AnomalyUsersModuleHttpMiddlewareAuthenticate->handle(Object(IlluminateHttpRequest), Object(Closure))
#97 /srv/sites/my_site/bootstrap/cache/compiled.php(9616): call_user_func_array(Array, Array)
#98 [internal function]: IlluminatePipelinePipeline->IlluminatePipeline{closure}(Object(IlluminateHttpRequest))
#99 /srv/sites/my_site/bootstrap/cache/compiled.php(9606): call_user_func(Object(Closure), Object(IlluminateHttpRequest))
#100 /srv/sites/my_site/bootstrap/cache/compiled.php(8954): IlluminatePipelinePipeline->then(Object(Closure))
#101 /srv/sites/my_site/bootstrap/cache/compiled.php(8939): IlluminateRoutingControllerDispatcher->callWithinStack(Object(AnomalyDashboardModuleHttpControllerAdminDashboardsController), Object(IlluminateRoutingRoute), Object(IlluminateHttpRequest), 'view')
#102 /srv/sites/my_site/bootstrap/cache/compiled.php(7888): IlluminateRoutingControllerDispatcher->dispatch(Object(IlluminateRoutingRoute), Object(IlluminateHttpRequest), 'AnomalyDashboa...', 'view')
#103 /srv/sites/my_site/bootstrap/cache/compiled.php(7859): IlluminateRoutingRoute->runWithCustomDispatcher(Object(IlluminateHttpRequest))
#104 /srv/sites/my_site/bootstrap/cache/compiled.php(7512): IlluminateRoutingRoute->run(Object(IlluminateHttpRequest))
#105 [internal function]: IlluminateRoutingRouter->IlluminateRouting{closure}(Object(IlluminateHttpRequest))
#106 /srv/sites/my_site/bootstrap/cache/compiled.php(9624): call_user_func(Object(Closure), Object(IlluminateHttpRequest))
#107 [internal function]: IlluminatePipelinePipeline->IlluminatePipeline{closure}(Object(IlluminateHttpRequest))
#108 /srv/sites/my_site/bootstrap/cache/compiled.php(9606): call_user_func(Object(Closure), Object(IlluminateHttpRequest))
#109 /srv/sites/my_site/bootstrap/cache/compiled.php(7513): IlluminatePipelinePipeline->then(Object(Closure))
#110 /srv/sites/my_site/bootstrap/cache/compiled.php(7501): IlluminateRoutingRouter->runRouteWithinStack(Object(IlluminateRoutingRoute), Object(IlluminateHttpRequest))
#111 /srv/sites/my_site/bootstrap/cache/compiled.php(7486): IlluminateRoutingRouter->dispatchToRoute(Object(IlluminateHttpRequest))
#112 /srv/sites/my_site/bootstrap/cache/compiled.php(2310): IlluminateRoutingRouter->dispatch(Object(IlluminateHttpRequest))
#113 [internal function]: IlluminateFoundationHttpKernel->IlluminateFoundationHttp{closure}(Object(IlluminateHttpRequest))
#114 /srv/sites/my_site/bootstrap/cache/compiled.php(9624): call_user_func(Object(Closure), Object(IlluminateHttpRequest))
#115 /srv/sites/my_site/bootstrap/cache/compiled.php(12975): IlluminatePipelinePipeline->IlluminatePipeline{closure}(Object(IlluminateHttpRequest))
#116 [internal function]: IlluminateViewMiddlewareShareErrorsFromSession->handle(Object(IlluminateHttpRequest), Object(Closure))
#117 /srv/sites/my_site/bootstrap/cache/compiled.php(9616): call_user_func_array(Array, Array)
#118 /srv/sites/my_site/bootstrap/cache/compiled.php(11567): IlluminatePipelinePipeline->IlluminatePipeline{closure}(Object(IlluminateHttpRequest))
#119 [internal function]: IlluminateSessionMiddlewareStartSession->handle(Object(IlluminateHttpRequest), Object(Closure))
#120 /srv/sites/my_site/bootstrap/cache/compiled.php(9616): call_user_func_array(Array, Array)
#121 /srv/sites/my_site/bootstrap/cache/compiled.php(12712): IlluminatePipelinePipeline->IlluminatePipeline{closure}(Object(IlluminateHttpRequest))
#122 [internal function]: IlluminateCookieMiddlewareAddQueuedCookiesToResponse->handle(Object(IlluminateHttpRequest), Object(Closure))
#123 /srv/sites/my_site/bootstrap/cache/compiled.php(9616): call_user_func_array(Array, Array)
#124 /srv/sites/my_site/bootstrap/cache/compiled.php(12649): IlluminatePipelinePipeline->IlluminatePipeline{closure}(Object(IlluminateHttpRequest))
#125 [internal function]: IlluminateCookieMiddlewareEncryptCookies->handle(Object(IlluminateHttpRequest), Object(Closure))
#126 /srv/sites/my_site/bootstrap/cache/compiled.php(9616): call_user_func_array(Array, Array)
#127 [internal function]: IlluminatePipelinePipeline->IlluminatePipeline{closure}(Object(IlluminateHttpRequest))
#128 /srv/sites/my_site/bootstrap/cache/compiled.php(9606): call_user_func(Object(Closure), Object(IlluminateHttpRequest))
#129 /srv/sites/my_site/bootstrap/cache/compiled.php(2257): IlluminatePipelinePipeline->then(Object(Closure))
#130 /srv/sites/my_site/bootstrap/cache/compiled.php(2240): IlluminateFoundationHttpKernel->sendRequestThroughRouter(Object(IlluminateHttpRequest))
#131 /srv/sites/my_site/public/index.php(57): IlluminateFoundationHttpKernel->handle(Object(IlluminateHttpRequest))
#132 {main}

Next exception 'Twig_Error_Runtime' with message 'An exception has been thrown during the rendering of a template ("gzinflate(): data error") in "/srv/sites/my_site/core/anomaly/dashboard-module/resources/views/admin/dashboards/partials/columns.twig" at line 17.' in /srv/sites/my_site/vendor/twig/twig/lib/Twig/Template.php:337
Stack trace:
#0 /srv/sites/my_site/vendor/twig/twig/lib/Twig/Template.php(296): Twig_Template->displayWithErrorHandling(Array, Array)
#1 /srv/sites/my_site/vendor/rcrowe/twigbridge/src/Twig/Template.php(41): Twig_Template->display(Array, Array)
#2 /srv/sites/my_site/vendor/twig/twig/lib/Twig/Template.php(307): TwigBridgeTwigTemplate->display(Array)
#3 /srv/sites/my_site/vendor/rcrowe/twigbridge/src/Engine/Twig.php(90): Twig_Template->render(Array)
#4 /srv/sites/my_site/bootstrap/cache/compiled.php(14593): TwigBridgeEngineTwig->get('/srv/sites/mj-a...', Array)
#5 /srv/sites/my_site/bootstrap/cache/compiled.php(14581): IlluminateViewView->getContents()
#6 /srv/sites/my_site/bootstrap/cache/compiled.php(14565): IlluminateViewView->renderContents()
#7 /srv/sites/my_site/vendor/anomaly/streams-platform/src/StreamsPlugin.php(232): IlluminateViewView->render()
#8 [internal function]: AnomalyStreamsPlatformStreamsPlugin->AnomalyStreamsPlatform{closure}('module::admin/d...', Array)
#9 /srv/sites/my_site/storage/framework/views/twig/f/8/f8015549b0319f97e61887029ae987efccf4cc086902dc8867c71c7a9af33862.php(53): call_user_func_array(Object(Closure), Array)
#10 /srv/sites/my_site/vendor/twig/twig/lib/Twig/Template.php(156): __TwigTemplate_f8015549b0319f97e61887029ae987efccf4cc086902dc8867c71c7a9af33862->block_content(Array, Array)
#11 /srv/sites/my_site/storage/framework/views/twig/a/f/af385f05769ed12186ac8c9d090159885b44feb23dd157bd17e6c4eead06f96e.php(63): Twig_Template->displayBlock('content', Array, Array)
#12 /srv/sites/my_site/vendor/twig/twig/lib/Twig/Template.php(322): __TwigTemplate_af385f05769ed12186ac8c9d090159885b44feb23dd157bd17e6c4eead06f96e->doDisplay(Array, Array)
#13 /srv/sites/my_site/vendor/twig/twig/lib/Twig/Template.php(296): Twig_Template->displayWithErrorHandling(Array, Array)
#14 /srv/sites/my_site/vendor/rcrowe/twigbridge/src/Twig/Template.php(41): Twig_Template->display(Array, Array)
#15 /srv/sites/my_site/storage/framework/views/twig/f/8/f8015549b0319f97e61887029ae987efccf4cc086902dc8867c71c7a9af33862.php(23): TwigBridgeTwigTemplate->display(Array, Array)
#16 /srv/sites/my_site/vendor/twig/twig/lib/Twig/Template.php(322): __TwigTemplate_f8015549b0319f97e61887029ae987efccf4cc086902dc8867c71c7a9af33862->doDisplay(Array, Array)
#17 /srv/sites/my_site/vendor/twig/twig/lib/Twig/Template.php(296): Twig_Template->displayWithErrorHandling(Array, Array)
#18 /srv/sites/my_site/vendor/rcrowe/twigbridge/src/Twig/Template.php(41): Twig_Template->display(Array, Array)
#19 /srv/sites/my_site/vendor/twig/twig/lib/Twig/Template.php(307): TwigBridgeTwigTemplate->display(Array)
#20 /srv/sites/my_site/vendor/rcrowe/twigbridge/src/Engine/Twig.php(90): Twig_Template->render(Array)
#21 /srv/sites/my_site/bootstrap/cache/compiled.php(14593): TwigBridgeEngineTwig->get('/srv/sites/mj-a...', Array)
#22 /srv/sites/my_site/bootstrap/cache/compiled.php(14581): IlluminateViewView->getContents()
#23 /srv/sites/my_site/bootstrap/cache/compiled.php(14565): IlluminateViewView->renderContents()
#24 /srv/sites/my_site/bootstrap/cache/compiled.php(15721): IlluminateViewView->render()
#25 /srv/sites/my_site/bootstrap/cache/compiled.php(15238): IlluminateHttpResponse->setContent(Object(IlluminateViewView))
#26 /srv/sites/my_site/bootstrap/cache/compiled.php(7721): SymfonyComponentHttpFoundationResponse->__construct(Object(IlluminateViewView))
#27 /srv/sites/my_site/bootstrap/cache/compiled.php(8953): IlluminateRoutingRouter->prepareResponse(Object(IlluminateHttpRequest), Object(IlluminateViewView))
#28 [internal function]: IlluminateRoutingControllerDispatcher->IlluminateRouting{closure}(Object(IlluminateHttpRequest))
#29 /srv/sites/my_site/bootstrap/cache/compiled.php(9624): call_user_func(Object(Closure), Object(IlluminateHttpRequest))
#30 /srv/sites/my_site/vendor/barryvdh/laravel-stack-middleware/src/ClosureHttpKernel.php(30): IlluminatePipelinePipeline->IlluminatePipeline{closure}(Object(IlluminateHttpRequest))
#31 /srv/sites/my_site/vendor/symfony/http-kernel/HttpCache/HttpCache.php(487): BarryvdhStackMiddlewareClosureHttpKernel->handle(Object(IlluminateHttpRequest), 1, true)
#32 /srv/sites/my_site/vendor/symfony/http-kernel/HttpCache/HttpCache.php(444): SymfonyComponentHttpKernelHttpCacheHttpCache->forward(Object(IlluminateHttpRequest), true)
#33 /srv/sites/my_site/vendor/symfony/http-kernel/HttpCache/HttpCache.php(344): SymfonyComponentHttpKernelHttpCacheHttpCache->fetch(Object(IlluminateHttpRequest), true)
#34 /srv/sites/my_site/vendor/symfony/http-kernel/HttpCache/HttpCache.php(210): SymfonyComponentHttpKernelHttpCacheHttpCache->lookup(Object(IlluminateHttpRequest), true)
#35 /srv/sites/my_site/vendor/barryvdh/laravel-stack-middleware/src/ClosureMiddleware.php(36): SymfonyComponentHttpKernelHttpCacheHttpCache->handle(Object(IlluminateHttpRequest))
#36 [internal function]: BarryvdhStackMiddlewareClosureMiddleware->handle(Object(IlluminateHttpRequest), Object(Closure))
#37 /srv/sites/my_site/bootstrap/cache/compiled.php(9616): call_user_func_array(Array, Array)
#38 /srv/sites/my_site/vendor/anomaly/streams-platform/src/Http/Middleware/PoweredBy.php(46): IlluminatePipelinePipeline->IlluminatePipeline{closure}(Object(IlluminateHttpRequest))
#39 [internal function]: AnomalyStreamsPlatformHttpMiddlewarePoweredBy->handle(Object(IlluminateHttpRequest), Object(Closure))
#40 /srv/sites/my_site/bootstrap/cache/compiled.php(9616): call_user_func_array(Array, Array)
#41 /srv/sites/my_site/vendor/anomaly/streams-platform/src/Http/Middleware/SetLocale.php(92): IlluminatePipelinePipeline->IlluminatePipeline{closure}(Object(IlluminateHttpRequest))
#42 [internal function]: AnomalyStreamsPlatformHttpMiddlewareSetLocale->handle(Object(IlluminateHttpRequest), Object(Closure))
#43 /srv/sites/my_site/bootstrap/cache/compiled.php(9616): call_user_func_array(Array, Array)
#44 /srv/sites/my_site/vendor/anomaly/streams-platform/src/Http/Middleware/ApplicationReady.php(55): IlluminatePipelinePipeline->IlluminatePipeline{closure}(Object(IlluminateHttpRequest))
#45 [internal function]: AnomalyStreamsPlatformHttpMiddlewareApplicationReady->handle(Object(IlluminateHttpRequest), Object(Closure))
#46 /srv/sites/my_site/bootstrap/cache/compiled.php(9616): call_user_func_array(Array, Array)
#47 /srv/sites/my_site/vendor/anomaly/streams-platform/src/Http/Middleware/VerifyCsrfToken.php(69): IlluminatePipelinePipeline->IlluminatePipeline{closure}(Object(IlluminateHttpRequest))
#48 [internal function]: AnomalyStreamsPlatformHttpMiddlewareVerifyCsrfToken->handle(Object(IlluminateHttpRequest), Object(Closure))
#49 /srv/sites/my_site/bootstrap/cache/compiled.php(9616): call_user_func_array(Array, Array)
#50 /srv/sites/my_site/core/anomaly/users-module/src/Http/Middleware/AuthorizeRoutePermission.php(102): IlluminatePipelinePipeline->IlluminatePipeline{closure}(Object(IlluminateHttpRequest))
#51 [internal function]: AnomalyUsersModuleHttpMiddlewareAuthorizeRoutePermission->handle(Object(IlluminateHttpRequest), Object(Closure))
#52 /srv/sites/my_site/bootstrap/cache/compiled.php(9616): call_user_func_array(Array, Array)
#53 /srv/sites/my_site/core/anomaly/users-module/src/Http/Middleware/AuthorizeControlPanel.php(52): IlluminatePipelinePipeline->IlluminatePipeline{closure}(Object(IlluminateHttpRequest))
#54 [internal function]: AnomalyUsersModuleHttpMiddlewareAuthorizeControlPanel->handle(Object(IlluminateHttpRequest), Object(Closure))
#55 /srv/sites/my_site/bootstrap/cache/compiled.php(9616): call_user_func_array(Array, Array)
#56 /srv/sites/my_site/core/anomaly/users-module/src/Http/Middleware/AuthorizeModuleAccess.php(64): IlluminatePipelinePipeline->IlluminatePipeline{closure}(Object(IlluminateHttpRequest))
#57 [internal function]: AnomalyUsersModuleHttpMiddlewareAuthorizeModuleAccess->handle(Object(IlluminateHttpRequest), Object(Closure))
#58 /srv/sites/my_site/bootstrap/cache/compiled.php(9616): call_user_func_array(Array, Array)
#59 /srv/sites/my_site/core/anomaly/users-module/src/Http/Middleware/Authenticate.php(99): IlluminatePipelinePipeline->IlluminatePipeline{closure}(Object(IlluminateHttpRequest))
#60 [internal function]: AnomalyUsersModuleHttpMiddlewareAuthenticate->handle(Object(IlluminateHttpRequest), Object(Closure))
#61 /srv/sites/my_site/bootstrap/cache/compiled.php(9616): call_user_func_array(Array, Array)
#62 [internal function]: IlluminatePipelinePipeline->IlluminatePipeline{closure}(Object(IlluminateHttpRequest))
#63 /srv/sites/my_site/bootstrap/cache/compiled.php(9606): call_user_func(Object(Closure), Object(IlluminateHttpRequest))
#64 /srv/sites/my_site/bootstrap/cache/compiled.php(8954): IlluminatePipelinePipeline->then(Object(Closure))
#65 /srv/sites/my_site/bootstrap/cache/compiled.php(8939): IlluminateRoutingControllerDispatcher->callWithinStack(Object(AnomalyDashboardModuleHttpControllerAdminDashboardsController), Object(IlluminateRoutingRoute), Object(IlluminateHttpRequest), 'view')
#66 /srv/sites/my_site/bootstrap/cache/compiled.php(7888): IlluminateRoutingControllerDispatcher->dispatch(Object(IlluminateRoutingRoute), Object(IlluminateHttpRequest), 'AnomalyDashboa...', 'view')
#67 /srv/sites/my_site/bootstrap/cache/compiled.php(7859): IlluminateRoutingRoute->runWithCustomDispatcher(Object(IlluminateHttpRequest))
#68 /srv/sites/my_site/bootstrap/cache/compiled.php(7512): IlluminateRoutingRoute->run(Object(IlluminateHttpRequest))
#69 [internal function]: IlluminateRoutingRouter->IlluminateRouting{closure}(Object(IlluminateHttpRequest))
#70 /srv/sites/my_site/bootstrap/cache/compiled.php(9624): call_user_func(Object(Closure), Object(IlluminateHttpRequest))
#71 [internal function]: IlluminatePipelinePipeline->IlluminatePipeline{closure}(Object(IlluminateHttpRequest))
#72 /srv/sites/my_site/bootstrap/cache/compiled.php(9606): call_user_func(Object(Closure), Object(IlluminateHttpRequest))
#73 /srv/sites/my_site/bootstrap/cache/compiled.php(7513): IlluminatePipelinePipeline->then(Object(Closure))
#74 /srv/sites/my_site/bootstrap/cache/compiled.php(7501): IlluminateRoutingRouter->runRouteWithinStack(Object(IlluminateRoutingRoute), Object(IlluminateHttpRequest))
#75 /srv/sites/my_site/bootstrap/cache/compiled.php(7486): IlluminateRoutingRouter->dispatchToRoute(Object(IlluminateHttpRequest))
#76 /srv/sites/my_site/bootstrap/cache/compiled.php(2310): IlluminateRoutingRouter->dispatch(Object(IlluminateHttpRequest))
#77 [internal function]: IlluminateFoundationHttpKernel->IlluminateFoundationHttp{closure}(Object(IlluminateHttpRequest))
#78 /srv/sites/my_site/bootstrap/cache/compiled.php(9624): call_user_func(Object(Closure), Object(IlluminateHttpRequest))
#79 /srv/sites/my_site/bootstrap/cache/compiled.php(12975): IlluminatePipelinePipeline->IlluminatePipeline{closure}(Object(IlluminateHttpRequest))
#80 [internal function]: IlluminateViewMiddlewareShareErrorsFromSession->handle(Object(IlluminateHttpRequest), Object(Closure))
#81 /srv/sites/my_site/bootstrap/cache/compiled.php(9616): call_user_func_array(Array, Array)
#82 /srv/sites/my_site/bootstrap/cache/compiled.php(11567): IlluminatePipelinePipeline->IlluminatePipeline{closure}(Object(IlluminateHttpRequest))
#83 [internal function]: IlluminateSessionMiddlewareStartSession->handle(Object(IlluminateHttpRequest), Object(Closure))
#84 /srv/sites/my_site/bootstrap/cache/compiled.php(9616): call_user_func_array(Array, Array)
#85 /srv/sites/my_site/bootstrap/cache/compiled.php(12712): IlluminatePipelinePipeline->IlluminatePipeline{closure}(Object(IlluminateHttpRequest))
#86 [internal function]: IlluminateCookieMiddlewareAddQueuedCookiesToResponse->handle(Object(IlluminateHttpRequest), Object(Closure))
#87 /srv/sites/my_site/bootstrap/cache/compiled.php(9616): call_user_func_array(Array, Array)
#88 /srv/sites/my_site/bootstrap/cache/compiled.php(12649): IlluminatePipelinePipeline->IlluminatePipeline{closure}(Object(IlluminateHttpRequest))
#89 [internal function]: IlluminateCookieMiddlewareEncryptCookies->handle(Object(IlluminateHttpRequest), Object(Closure))
#90 /srv/sites/my_site/bootstrap/cache/compiled.php(9616): call_user_func_array(Array, Array)
#91 [internal function]: IlluminatePipelinePipeline->IlluminatePipeline{closure}(Object(IlluminateHttpRequest))
#92 /srv/sites/my_site/bootstrap/cache/compiled.php(9606): call_user_func(Object(Closure), Object(IlluminateHttpRequest))
#93 /srv/sites/my_site/bootstrap/cache/compiled.php(2257): IlluminatePipelinePipeline->then(Object(Closure))
#94 /srv/sites/my_site/bootstrap/cache/compiled.php(2240): IlluminateFoundationHttpKernel->sendRequestThroughRouter(Object(IlluminateHttpRequest))
#95 /srv/sites/my_site/public/index.php(57): IlluminateFoundationHttpKernel->handle(Object(IlluminateHttpRequest))
#96 {main}

Next exception 'ErrorException' with message 'An exception has been thrown during the rendering of a template ("gzinflate(): data error") in "/srv/sites/my_site/core/anomaly/dashboard-module/resources/views/admin/dashboards/partials/columns.twig" at line 17.' in /srv/sites/my_site/core/anomaly/dashboard-module/resources/views/admin/dashboards/partials/columns.twig:17
Stack trace:
#0 /srv/sites/my_site/vendor/rcrowe/twigbridge/src/Engine/Twig.php(92): TwigBridgeEngineTwig->handleTwigError(Object(Twig_Error_Runtime))
#1 /srv/sites/my_site/bootstrap/cache/compiled.php(14593): TwigBridgeEngineTwig->get('/srv/sites/mj-a...', Array)
#2 /srv/sites/my_site/bootstrap/cache/compiled.php(14581): IlluminateViewView->getContents()
#3 /srv/sites/my_site/bootstrap/cache/compiled.php(14565): IlluminateViewView->renderContents()
#4 /srv/sites/my_site/vendor/anomaly/streams-platform/src/StreamsPlugin.php(232): IlluminateViewView->render()
#5 [internal function]: AnomalyStreamsPlatformStreamsPlugin->AnomalyStreamsPlatform{closure}('module::admin/d...', Array)
#6 /srv/sites/my_site/storage/framework/views/twig/f/8/f8015549b0319f97e61887029ae987efccf4cc086902dc8867c71c7a9af33862.php(53): call_user_func_array(Object(Closure), Array)
#7 /srv/sites/my_site/vendor/twig/twig/lib/Twig/Template.php(156): __TwigTemplate_f8015549b0319f97e61887029ae987efccf4cc086902dc8867c71c7a9af33862->block_content(Array, Array)
#8 /srv/sites/my_site/storage/framework/views/twig/a/f/af385f05769ed12186ac8c9d090159885b44feb23dd157bd17e6c4eead06f96e.php(63): Twig_Template->displayBlock('content', Array, Array)
#9 /srv/sites/my_site/vendor/twig/twig/lib/Twig/Template.php(322): __TwigTemplate_af385f05769ed12186ac8c9d090159885b44feb23dd157bd17e6c4eead06f96e->doDisplay(Array, Array)
#10 /srv/sites/my_site/vendor/twig/twig/lib/Twig/Template.php(296): Twig_Template->displayWithErrorHandling(Array, Array)
#11 /srv/sites/my_site/vendor/rcrowe/twigbridge/src/Twig/Template.php(41): Twig_Template->display(Array, Array)
#12 /srv/sites/my_site/storage/framework/views/twig/f/8/f8015549b0319f97e61887029ae987efccf4cc086902dc8867c71c7a9af33862.php(23): TwigBridgeTwigTemplate->display(Array, Array)
#13 /srv/sites/my_site/vendor/twig/twig/lib/Twig/Template.php(322): __TwigTemplate_f8015549b0319f97e61887029ae987efccf4cc086902dc8867c71c7a9af33862->doDisplay(Array, Array)
#14 /srv/sites/my_site/vendor/twig/twig/lib/Twig/Template.php(296): Twig_Template->displayWithErrorHandling(Array, Array)
#15 /srv/sites/my_site/vendor/rcrowe/twigbridge/src/Twig/Template.php(41): Twig_Template->display(Array, Array)
#16 /srv/sites/my_site/vendor/twig/twig/lib/Twig/Template.php(307): TwigBridgeTwigTemplate->display(Array)
#17 /srv/sites/my_site/vendor/rcrowe/twigbridge/src/Engine/Twig.php(90): Twig_Template->render(Array)
#18 /srv/sites/my_site/bootstrap/cache/compiled.php(14593): TwigBridgeEngineTwig->get('/srv/sites/mj-a...', Array)
#19 /srv/sites/my_site/bootstrap/cache/compiled.php(14581): IlluminateViewView->getContents()
#20 /srv/sites/my_site/bootstrap/cache/compiled.php(14565): IlluminateViewView->renderContents()
#21 /srv/sites/my_site/bootstrap/cache/compiled.php(15721): IlluminateViewView->render()
#22 /srv/sites/my_site/bootstrap/cache/compiled.php(15238): IlluminateHttpResponse->setContent(Object(IlluminateViewView))
#23 /srv/sites/my_site/bootstrap/cache/compiled.php(7721): SymfonyComponentHttpFoundationResponse->__construct(Object(IlluminateViewView))
#24 /srv/sites/my_site/bootstrap/cache/compiled.php(8953): IlluminateRoutingRouter->prepareResponse(Object(IlluminateHttpRequest), Object(IlluminateViewView))
#25 [internal function]: IlluminateRoutingControllerDispatcher->IlluminateRouting{closure}(Object(IlluminateHttpRequest))
#26 /srv/sites/my_site/bootstrap/cache/compiled.php(9624): call_user_func(Object(Closure), Object(IlluminateHttpRequest))
#27 /srv/sites/my_site/vendor/barryvdh/laravel-stack-middleware/src/ClosureHttpKernel.php(30): IlluminatePipelinePipeline->IlluminatePipeline{closure}(Object(IlluminateHttpRequest))
#28 /srv/sites/my_site/vendor/symfony/http-kernel/HttpCache/HttpCache.php(487): BarryvdhStackMiddlewareClosureHttpKernel->handle(Object(IlluminateHttpRequest), 1, true)
#29 /srv/sites/my_site/vendor/symfony/http-kernel/HttpCache/HttpCache.php(444): SymfonyComponentHttpKernelHttpCacheHttpCache->forward(Object(IlluminateHttpRequest), true)
#30 /srv/sites/my_site/vendor/symfony/http-kernel/HttpCache/HttpCache.php(344): SymfonyComponentHttpKernelHttpCacheHttpCache->fetch(Object(IlluminateHttpRequest), true)
#31 /srv/sites/my_site/vendor/symfony/http-kernel/HttpCache/HttpCache.php(210): SymfonyComponentHttpKernelHttpCacheHttpCache->lookup(Object(IlluminateHttpRequest), true)
#32 /srv/sites/my_site/vendor/barryvdh/laravel-stack-middleware/src/ClosureMiddleware.php(36): SymfonyComponentHttpKernelHttpCacheHttpCache->handle(Object(IlluminateHttpRequest))
#33 [internal function]: BarryvdhStackMiddlewareClosureMiddleware->handle(Object(IlluminateHttpRequest), Object(Closure))
#34 /srv/sites/my_site/bootstrap/cache/compiled.php(9616): call_user_func_array(Array, Array)
#35 /srv/sites/my_site/vendor/anomaly/streams-platform/src/Http/Middleware/PoweredBy.php(46): IlluminatePipelinePipeline->IlluminatePipeline{closure}(Object(IlluminateHttpRequest))
#36 [internal function]: AnomalyStreamsPlatformHttpMiddlewarePoweredBy->handle(Object(IlluminateHttpRequest), Object(Closure))
#37 /srv/sites/my_site/bootstrap/cache/compiled.php(9616): call_user_func_array(Array, Array)
#38 /srv/sites/my_site/vendor/anomaly/streams-platform/src/Http/Middleware/SetLocale.php(92): IlluminatePipelinePipeline->IlluminatePipeline{closure}(Object(IlluminateHttpRequest))
#39 [internal function]: AnomalyStreamsPlatformHttpMiddlewareSetLocale->handle(Object(IlluminateHttpRequest), Object(Closure))
#40 /srv/sites/my_site/bootstrap/cache/compiled.php(9616): call_user_func_array(Array, Array)
#41 /srv/sites/my_site/vendor/anomaly/streams-platform/src/Http/Middleware/ApplicationReady.php(55): IlluminatePipelinePipeline->IlluminatePipeline{closure}(Object(IlluminateHttpRequest))
#42 [internal function]: AnomalyStreamsPlatformHttpMiddlewareApplicationReady->handle(Object(IlluminateHttpRequest), Object(Closure))
#43 /srv/sites/my_site/bootstrap/cache/compiled.php(9616): call_user_func_array(Array, Array)
#44 /srv/sites/my_site/vendor/anomaly/streams-platform/src/Http/Middleware/VerifyCsrfToken.php(69): IlluminatePipelinePipeline->IlluminatePipeline{closure}(Object(IlluminateHttpRequest))
#45 [internal function]: AnomalyStreamsPlatformHttpMiddlewareVerifyCsrfToken->handle(Object(IlluminateHttpRequest), Object(Closure))
#46 /srv/sites/my_site/bootstrap/cache/compiled.php(9616): call_user_func_array(Array, Array)
#47 /srv/sites/my_site/core/anomaly/users-module/src/Http/Middleware/AuthorizeRoutePermission.php(102): IlluminatePipelinePipeline->IlluminatePipeline{closure}(Object(IlluminateHttpRequest))
#48 [internal function]: AnomalyUsersModuleHttpMiddlewareAuthorizeRoutePermission->handle(Object(IlluminateHttpRequest), Object(Closure))
#49 /srv/sites/my_site/bootstrap/cache/compiled.php(9616): call_user_func_array(Array, Array)
#50 /srv/sites/my_site/core/anomaly/users-module/src/Http/Middleware/AuthorizeControlPanel.php(52): IlluminatePipelinePipeline->IlluminatePipeline{closure}(Object(IlluminateHttpRequest))
#51 [internal function]: AnomalyUsersModuleHttpMiddlewareAuthorizeControlPanel->handle(Object(IlluminateHttpRequest), Object(Closure))
#52 /srv/sites/my_site/bootstrap/cache/compiled.php(9616): call_user_func_array(Array, Array)
#53 /srv/sites/my_site/core/anomaly/users-module/src/Http/Middleware/AuthorizeModuleAccess.php(64): IlluminatePipelinePipeline->IlluminatePipeline{closure}(Object(IlluminateHttpRequest))
#54 [internal function]: AnomalyUsersModuleHttpMiddlewareAuthorizeModuleAccess->handle(Object(IlluminateHttpRequest), Object(Closure))
#55 /srv/sites/my_site/bootstrap/cache/compiled.php(9616): call_user_func_array(Array, Array)
#56 /srv/sites/my_site/core/anomaly/users-module/src/Http/Middleware/Authenticate.php(99): IlluminatePipelinePipeline->IlluminatePipeline{closure}(Object(IlluminateHttpRequest))
#57 [internal function]: AnomalyUsersModuleHttpMiddlewareAuthenticate->handle(Object(IlluminateHttpRequest), Object(Closure))
#58 /srv/sites/my_site/bootstrap/cache/compiled.php(9616): call_user_func_array(Array, Array)
#59 [internal function]: IlluminatePipelinePipeline->IlluminatePipeline{closure}(Object(IlluminateHttpRequest))
#60 /srv/sites/my_site/bootstrap/cache/compiled.php(9606): call_user_func(Object(Closure), Object(IlluminateHttpRequest))
#61 /srv/sites/my_site/bootstrap/cache/compiled.php(8954): IlluminatePipelinePipeline->then(Object(Closure))
#62 /srv/sites/my_site/bootstrap/cache/compiled.php(8939): IlluminateRoutingControllerDispatcher->callWithinStack(Object(AnomalyDashboardModuleHttpControllerAdminDashboardsController), Object(IlluminateRoutingRoute), Object(IlluminateHttpRequest), 'view')
#63 /srv/sites/my_site/bootstrap/cache/compiled.php(7888): IlluminateRoutingControllerDispatcher->dispatch(Object(IlluminateRoutingRoute), Object(IlluminateHttpRequest), 'AnomalyDashboa...', 'view')
#64 /srv/sites/my_site/bootstrap/cache/compiled.php(7859): IlluminateRoutingRoute->runWithCustomDispatcher(Object(IlluminateHttpRequest))
#65 /srv/sites/my_site/bootstrap/cache/compiled.php(7512): IlluminateRoutingRoute->run(Object(IlluminateHttpRequest))
#66 [internal function]: IlluminateRoutingRouter->IlluminateRouting{closure}(Object(IlluminateHttpRequest))
#67 /srv/sites/my_site/bootstrap/cache/compiled.php(9624): call_user_func(Object(Closure), Object(IlluminateHttpRequest))
#68 [internal function]: IlluminatePipelinePipeline->IlluminatePipeline{closure}(Object(IlluminateHttpRequest))
#69 /srv/sites/my_site/bootstrap/cache/compiled.php(9606): call_user_func(Object(Closure), Object(IlluminateHttpRequest))
#70 /srv/sites/my_site/bootstrap/cache/compiled.php(7513): IlluminatePipelinePipeline->then(Object(Closure))
#71 /srv/sites/my_site/bootstrap/cache/compiled.php(7501): IlluminateRoutingRouter->runRouteWithinStack(Object(IlluminateRoutingRoute), Object(IlluminateHttpRequest))
#72 /srv/sites/my_site/bootstrap/cache/compiled.php(7486): IlluminateRoutingRouter->dispatchToRoute(Object(IlluminateHttpRequest))
#73 /srv/sites/my_site/bootstrap/cache/compiled.php(2310): IlluminateRoutingRouter->dispatch(Object(IlluminateHttpRequest))
#74 [internal function]: IlluminateFoundationHttpKernel->IlluminateFoundationHttp{closure}(Object(IlluminateHttpRequest))
#75 /srv/sites/my_site/bootstrap/cache/compiled.php(9624): call_user_func(Object(Closure), Object(IlluminateHttpRequest))
#76 /srv/sites/my_site/bootstrap/cache/compiled.php(12975): IlluminatePipelinePipeline->IlluminatePipeline{closure}(Object(IlluminateHttpRequest))
#77 [internal function]: IlluminateViewMiddlewareShareErrorsFromSession->handle(Object(IlluminateHttpRequest), Object(Closure))
#78 /srv/sites/my_site/bootstrap/cache/compiled.php(9616): call_user_func_array(Array, Array)
#79 /srv/sites/my_site/bootstrap/cache/compiled.php(11567): IlluminatePipelinePipeline->IlluminatePipeline{closure}(Object(IlluminateHttpRequest))
#80 [internal function]: IlluminateSessionMiddlewareStartSession->handle(Object(IlluminateHttpRequest), Object(Closure))
#81 /srv/sites/my_site/bootstrap/cache/compiled.php(9616): call_user_func_array(Array, Array)
#82 /srv/sites/my_site/bootstrap/cache/compiled.php(12712): IlluminatePipelinePipeline->IlluminatePipeline{closure}(Object(IlluminateHttpRequest))
#83 [internal function]: IlluminateCookieMiddlewareAddQueuedCookiesToResponse->handle(Object(IlluminateHttpRequest), Object(Closure))
#84 /srv/sites/my_site/bootstrap/cache/compiled.php(9616): call_user_func_array(Array, Array)
#85 /srv/sites/my_site/bootstrap/cache/compiled.php(12649): IlluminatePipelinePipeline->IlluminatePipeline{closure}(Object(IlluminateHttpRequest))
#86 [internal function]: IlluminateCookieMiddlewareEncryptCookies->handle(Object(IlluminateHttpRequest), Object(Closure))
#87 /srv/sites/my_site/bootstrap/cache/compiled.php(9616): call_user_func_array(Array, Array)
#88 [internal function]: IlluminatePipelinePipeline->IlluminatePipeline{closure}(Object(IlluminateHttpRequest))
#89 /srv/sites/my_site/bootstrap/cache/compiled.php(9606): call_user_func(Object(Closure), Object(IlluminateHttpRequest))
#90 /srv/sites/my_site/bootstrap/cache/compiled.php(2257): IlluminatePipelinePipeline->then(Object(Closure))
#91 /srv/sites/my_site/bootstrap/cache/compiled.php(2240): IlluminateFoundationHttpKernel->sendRequestThroughRouter(Object(IlluminateHttpRequest))
#92 /srv/sites/my_site/public/index.php(57): IlluminateFoundationHttpKernel->handle(Object(IlluminateHttpRequest))
#93 {main}

Next exception 'Twig_Error_Runtime' with message 'An exception has been thrown during the rendering of a template ("An exception has been thrown during the rendering of a template ("gzinflate(): data error") in "/srv/sites/my_site/core/anomaly/dashboard-module/resources/views/admin/dashboards/partials/columns.twig" at line 17.") in "/srv/sites/my_site/core/anomaly/dashboard-module/resources/views/admin/dashboards/dashboard.twig" at line 13.' in /srv/sites/my_site/vendor/twig/twig/lib/Twig/Template.php:160
Stack trace:
#0 /srv/sites/my_site/storage/framework/views/twig/a/f/af385f05769ed12186ac8c9d090159885b44feb23dd157bd17e6c4eead06f96e.php(63): Twig_Template->displayBlock('content', Array, Array)
#1 /srv/sites/my_site/vendor/twig/twig/lib/Twig/Template.php(322): __TwigTemplate_af385f05769ed12186ac8c9d090159885b44feb23dd157bd17e6c4eead06f96e->doDisplay(Array, Array)
#2 /srv/sites/my_site/vendor/twig/twig/lib/Twig/Template.php(296): Twig_Template->displayWithErrorHandling(Array, Array)
#3 /srv/sites/my_site/vendor/rcrowe/twigbridge/src/Twig/Template.php(41): Twig_Template->display(Array, Array)
#4 /srv/sites/my_site/storage/framework/views/twig/f/8/f8015549b0319f97e61887029ae987efccf4cc086902dc8867c71c7a9af33862.php(23): TwigBridgeTwigTemplate->display(Array, Array)
#5 /srv/sites/my_site/vendor/twig/twig/lib/Twig/Template.php(322): __TwigTemplate_f8015549b0319f97e61887029ae987efccf4cc086902dc8867c71c7a9af33862->doDisplay(Array, Array)
#6 /srv/sites/my_site/vendor/twig/twig/lib/Twig/Template.php(296): Twig_Template->displayWithErrorHandling(Array, Array)
#7 /srv/sites/my_site/vendor/rcrowe/twigbridge/src/Twig/Template.php(41): Twig_Template->display(Array, Array)
#8 /srv/sites/my_site/vendor/twig/twig/lib/Twig/Template.php(307): TwigBridgeTwigTemplate->display(Array)
#9 /srv/sites/my_site/vendor/rcrowe/twigbridge/src/Engine/Twig.php(90): Twig_Template->render(Array)
#10 /srv/sites/my_site/bootstrap/cache/compiled.php(14593): TwigBridgeEngineTwig->get('/srv/sites/mj-a...', Array)
#11 /srv/sites/my_site/bootstrap/cache/compiled.php(14581): IlluminateViewView->getContents()
#12 /srv/sites/my_site/bootstrap/cache/compiled.php(14565): IlluminateViewView->renderContents()
#13 /srv/sites/my_site/bootstrap/cache/compiled.php(15721): IlluminateViewView->render()
#14 /srv/sites/my_site/bootstrap/cache/compiled.php(15238): IlluminateHttpResponse->setContent(Object(IlluminateViewView))
#15 /srv/sites/my_site/bootstrap/cache/compiled.php(7721): SymfonyComponentHttpFoundationResponse->__construct(Object(IlluminateViewView))
#16 /srv/sites/my_site/bootstrap/cache/compiled.php(8953): IlluminateRoutingRouter->prepareResponse(Object(IlluminateHttpRequest), Object(IlluminateViewView))
#17 [internal function]: IlluminateRoutingControllerDispatcher->IlluminateRouting{closure}(Object(IlluminateHttpRequest))
#18 /srv/sites/my_site/bootstrap/cache/compiled.php(9624): call_user_func(Object(Closure), Object(IlluminateHttpRequest))
#19 /srv/sites/my_site/vendor/barryvdh/laravel-stack-middleware/src/ClosureHttpKernel.php(30): IlluminatePipelinePipeline->IlluminatePipeline{closure}(Object(IlluminateHttpRequest))
#20 /srv/sites/my_site/vendor/symfony/http-kernel/HttpCache/HttpCache.php(487): BarryvdhStackMiddlewareClosureHttpKernel->handle(Object(IlluminateHttpRequest), 1, true)
#21 /srv/sites/my_site/vendor/symfony/http-kernel/HttpCache/HttpCache.php(444): SymfonyComponentHttpKernelHttpCacheHttpCache->forward(Object(IlluminateHttpRequest), true)
#22 /srv/sites/my_site/vendor/symfony/http-kernel/HttpCache/HttpCache.php(344): SymfonyComponentHttpKernelHttpCacheHttpCache->fetch(Object(IlluminateHttpRequest), true)
#23 /srv/sites/my_site/vendor/symfony/http-kernel/HttpCache/HttpCache.php(210): SymfonyComponentHttpKernelHttpCacheHttpCache->lookup(Object(IlluminateHttpRequest), true)
#24 /srv/sites/my_site/vendor/barryvdh/laravel-stack-middleware/src/ClosureMiddleware.php(36): SymfonyComponentHttpKernelHttpCacheHttpCache->handle(Object(IlluminateHttpRequest))
#25 [internal function]: BarryvdhStackMiddlewareClosureMiddleware->handle(Object(IlluminateHttpRequest), Object(Closure))
#26 /srv/sites/my_site/bootstrap/cache/compiled.php(9616): call_user_func_array(Array, Array)
#27 /srv/sites/my_site/vendor/anomaly/streams-platform/src/Http/Middleware/PoweredBy.php(46): IlluminatePipelinePipeline->IlluminatePipeline{closure}(Object(IlluminateHttpRequest))
#28 [internal function]: AnomalyStreamsPlatformHttpMiddlewarePoweredBy->handle(Object(IlluminateHttpRequest), Object(Closure))
#29 /srv/sites/my_site/bootstrap/cache/compiled.php(9616): call_user_func_array(Array, Array)
#30 /srv/sites/my_site/vendor/anomaly/streams-platform/src/Http/Middleware/SetLocale.php(92): IlluminatePipelinePipeline->IlluminatePipeline{closure}(Object(IlluminateHttpRequest))
#31 [internal function]: AnomalyStreamsPlatformHttpMiddlewareSetLocale->handle(Object(IlluminateHttpRequest), Object(Closure))
#32 /srv/sites/my_site/bootstrap/cache/compiled.php(9616): call_user_func_array(Array, Array)
#33 /srv/sites/my_site/vendor/anomaly/streams-platform/src/Http/Middleware/ApplicationReady.php(55): IlluminatePipelinePipeline->IlluminatePipeline{closure}(Object(IlluminateHttpRequest))
#34 [internal function]: AnomalyStreamsPlatformHttpMiddlewareApplicationReady->handle(Object(IlluminateHttpRequest), Object(Closure))
#35 /srv/sites/my_site/bootstrap/cache/compiled.php(9616): call_user_func_array(Array, Array)
#36 /srv/sites/my_site/vendor/anomaly/streams-platform/src/Http/Middleware/VerifyCsrfToken.php(69): IlluminatePipelinePipeline->IlluminatePipeline{closure}(Object(IlluminateHttpRequest))
#37 [internal function]: AnomalyStreamsPlatformHttpMiddlewareVerifyCsrfToken->handle(Object(IlluminateHttpRequest), Object(Closure))
#38 /srv/sites/my_site/bootstrap/cache/compiled.php(9616): call_user_func_array(Array, Array)
#39 /srv/sites/my_site/core/anomaly/users-module/src/Http/Middleware/AuthorizeRoutePermission.php(102): IlluminatePipelinePipeline->IlluminatePipeline{closure}(Object(IlluminateHttpRequest))
#40 [internal function]: AnomalyUsersModuleHttpMiddlewareAuthorizeRoutePermission->handle(Object(IlluminateHttpRequest), Object(Closure))
#41 /srv/sites/my_site/bootstrap/cache/compiled.php(9616): call_user_func_array(Array, Array)
#42 /srv/sites/my_site/core/anomaly/users-module/src/Http/Middleware/AuthorizeControlPanel.php(52): IlluminatePipelinePipeline->IlluminatePipeline{closure}(Object(IlluminateHttpRequest))
#43 [internal function]: AnomalyUsersModuleHttpMiddlewareAuthorizeControlPanel->handle(Object(IlluminateHttpRequest), Object(Closure))
#44 /srv/sites/my_site/bootstrap/cache/compiled.php(9616): call_user_func_array(Array, Array)
#45 /srv/sites/my_site/core/anomaly/users-module/src/Http/Middleware/AuthorizeModuleAccess.php(64): IlluminatePipelinePipeline->IlluminatePipeline{closure}(Object(IlluminateHttpRequest))
#46 [internal function]: AnomalyUsersModuleHttpMiddlewareAuthorizeModuleAccess->handle(Object(IlluminateHttpRequest), Object(Closure))
#47 /srv/sites/my_site/bootstrap/cache/compiled.php(9616): call_user_func_array(Array, Array)
#48 /srv/sites/my_site/core/anomaly/users-module/src/Http/Middleware/Authenticate.php(99): IlluminatePipelinePipeline->IlluminatePipeline{closure}(Object(IlluminateHttpRequest))
#49 [internal function]: AnomalyUsersModuleHttpMiddlewareAuthenticate->handle(Object(IlluminateHttpRequest), Object(Closure))
#50 /srv/sites/my_site/bootstrap/cache/compiled.php(9616): call_user_func_array(Array, Array)
#51 [internal function]: IlluminatePipelinePipeline->IlluminatePipeline{closure}(Object(IlluminateHttpRequest))
#52 /srv/sites/my_site/bootstrap/cache/compiled.php(9606): call_user_func(Object(Closure), Object(IlluminateHttpRequest))
#53 /srv/sites/my_site/bootstrap/cache/compiled.php(8954): IlluminatePipelinePipeline->then(Object(Closure))
#54 /srv/sites/my_site/bootstrap/cache/compiled.php(8939): IlluminateRoutingControllerDispatcher->callWithinStack(Object(AnomalyDashboardModuleHttpControllerAdminDashboardsController), Object(IlluminateRoutingRoute), Object(IlluminateHttpRequest), 'view')
#55 /srv/sites/my_site/bootstrap/cache/compiled.php(7888): IlluminateRoutingControllerDispatcher->dispatch(Object(IlluminateRoutingRoute), Object(IlluminateHttpRequest), 'AnomalyDashboa...', 'view')
#56 /srv/sites/my_site/bootstrap/cache/compiled.php(7859): IlluminateRoutingRoute->runWithCustomDispatcher(Object(IlluminateHttpRequest))
#57 /srv/sites/my_site/bootstrap/cache/compiled.php(7512): IlluminateRoutingRoute->run(Object(IlluminateHttpRequest))
#58 [internal function]: IlluminateRoutingRouter->IlluminateRouting{closure}(Object(IlluminateHttpRequest))
#59 /srv/sites/my_site/bootstrap/cache/compiled.php(9624): call_user_func(Object(Closure), Object(IlluminateHttpRequest))
#60 [internal function]: IlluminatePipelinePipeline->IlluminatePipeline{closure}(Object(IlluminateHttpRequest))
#61 /srv/sites/my_site/bootstrap/cache/compiled.php(9606): call_user_func(Object(Closure), Object(IlluminateHttpRequest))
#62 /srv/sites/my_site/bootstrap/cache/compiled.php(7513): IlluminatePipelinePipeline->then(Object(Closure))
#63 /srv/sites/my_site/bootstrap/cache/compiled.php(7501): IlluminateRoutingRouter->runRouteWithinStack(Object(IlluminateRoutingRoute), Object(IlluminateHttpRequest))
#64 /srv/sites/my_site/bootstrap/cache/compiled.php(7486): IlluminateRoutingRouter->dispatchToRoute(Object(IlluminateHttpRequest))
#65 /srv/sites/my_site/bootstrap/cache/compiled.php(2310): IlluminateRoutingRouter->dispatch(Object(IlluminateHttpRequest))
#66 [internal function]: IlluminateFoundationHttpKernel->IlluminateFoundationHttp{closure}(Object(IlluminateHttpRequest))
#67 /srv/sites/my_site/bootstrap/cache/compiled.php(9624): call_user_func(Object(Closure), Object(IlluminateHttpRequest))
#68 /srv/sites/my_site/bootstrap/cache/compiled.php(12975): IlluminatePipelinePipeline->IlluminatePipeline{closure}(Object(IlluminateHttpRequest))
#69 [internal function]: IlluminateViewMiddlewareShareErrorsFromSession->handle(Object(IlluminateHttpRequest), Object(Closure))
#70 /srv/sites/my_site/bootstrap/cache/compiled.php(9616): call_user_func_array(Array, Array)
#71 /srv/sites/my_site/bootstrap/cache/compiled.php(11567): IlluminatePipelinePipeline->IlluminatePipeline{closure}(Object(IlluminateHttpRequest))
#72 [internal function]: IlluminateSessionMiddlewareStartSession->handle(Object(IlluminateHttpRequest), Object(Closure))
#73 /srv/sites/my_site/bootstrap/cache/compiled.php(9616): call_user_func_array(Array, Array)
#74 /srv/sites/my_site/bootstrap/cache/compiled.php(12712): IlluminatePipelinePipeline->IlluminatePipeline{closure}(Object(IlluminateHttpRequest))
#75 [internal function]: IlluminateCookieMiddlewareAddQueuedCookiesToResponse->handle(Object(IlluminateHttpRequest), Object(Closure))
#76 /srv/sites/my_site/bootstrap/cache/compiled.php(9616): call_user_func_array(Array, Array)
#77 /srv/sites/my_site/bootstrap/cache/compiled.php(12649): IlluminatePipelinePipeline->IlluminatePipeline{closure}(Object(IlluminateHttpRequest))
#78 [internal function]: IlluminateCookieMiddlewareEncryptCookies->handle(Object(IlluminateHttpRequest), Object(Closure))
#79 /srv/sites/my_site/bootstrap/cache/compiled.php(9616): call_user_func_array(Array, Array)
#80 [internal function]: IlluminatePipelinePipeline->IlluminatePipeline{closure}(Object(IlluminateHttpRequest))
#81 /srv/sites/my_site/bootstrap/cache/compiled.php(9606): call_user_func(Object(Closure), Object(IlluminateHttpRequest))
#82 /srv/sites/my_site/bootstrap/cache/compiled.php(2257): IlluminatePipelinePipeline->then(Object(Closure))
#83 /srv/sites/my_site/bootstrap/cache/compiled.php(2240): IlluminateFoundationHttpKernel->sendRequestThroughRouter(Object(IlluminateHttpRequest))
#84 /srv/sites/my_site/public/index.php(57): IlluminateFoundationHttpKernel->handle(Object(IlluminateHttpRequest))
#85 {main}

Next exception 'ErrorException' with message 'An exception has been thrown during the rendering of a template ("An exception has been thrown during the rendering of a template ("gzinflate(): data error") in "/srv/sites/my_site/core/anomaly/dashboard-module/resources/views/admin/dashboards/partials/columns.twig" at line 17.") in "/srv/sites/my_site/core/anomaly/dashboard-module/resources/views/admin/dashboards/dashboard.twig" at line 13.' in /srv/sites/my_site/core/anomaly/dashboard-module/resources/views/admin/dashboards/dashboard.twig:13
Stack trace:
#0 /srv/sites/my_site/vendor/rcrowe/twigbridge/src/Engine/Twig.php(92): TwigBridgeEngineTwig->handleTwigError(Object(Twig_Error_Runtime))
#1 /srv/sites/my_site/bootstrap/cache/compiled.php(14593): TwigBridgeEngineTwig->get('/srv/sites/mj-a...', Array)
#2 /srv/sites/my_site/bootstrap/cache/compiled.php(14581): IlluminateViewView->getContents()
#3 /srv/sites/my_site/bootstrap/cache/compiled.php(14565): IlluminateViewView->renderContents()
#4 /srv/sites/my_site/bootstrap/cache/compiled.php(15721): IlluminateViewView->render()
#5 /srv/sites/my_site/bootstrap/cache/compiled.php(15238): IlluminateHttpResponse->setContent(Object(IlluminateViewView))
#6 /srv/sites/my_site/bootstrap/cache/compiled.php(7721): SymfonyComponentHttpFoundationResponse->__construct(Object(IlluminateViewView))
#7 /srv/sites/my_site/bootstrap/cache/compiled.php(8953): IlluminateRoutingRouter->prepareResponse(Object(IlluminateHttpRequest), Object(IlluminateViewView))
#8 [internal function]: IlluminateRoutingControllerDispatcher->IlluminateRouting{closure}(Object(IlluminateHttpRequest))
#9 /srv/sites/my_site/bootstrap/cache/compiled.php(9624): call_user_func(Object(Closure), Object(IlluminateHttpRequest))
#10 /srv/sites/my_site/vendor/barryvdh/laravel-stack-middleware/src/ClosureHttpKernel.php(30): IlluminatePipelinePipeline->IlluminatePipeline{closure}(Object(IlluminateHttpRequest))
#11 /srv/sites/my_site/vendor/symfony/http-kernel/HttpCache/HttpCache.php(487): BarryvdhStackMiddlewareClosureHttpKernel->handle(Object(IlluminateHttpRequest), 1, true)
#12 /srv/sites/my_site/vendor/symfony/http-kernel/HttpCache/HttpCache.php(444): SymfonyComponentHttpKernelHttpCacheHttpCache->forward(Object(IlluminateHttpRequest), true)
#13 /srv/sites/my_site/vendor/symfony/http-kernel/HttpCache/HttpCache.php(344): SymfonyComponentHttpKernelHttpCacheHttpCache->fetch(Object(IlluminateHttpRequest), true)
#14 /srv/sites/my_site/vendor/symfony/http-kernel/HttpCache/HttpCache.php(210): SymfonyComponentHttpKernelHttpCacheHttpCache->lookup(Object(IlluminateHttpRequest), true)
#15 /srv/sites/my_site/vendor/barryvdh/laravel-stack-middleware/src/ClosureMiddleware.php(36): SymfonyComponentHttpKernelHttpCacheHttpCache->handle(Object(IlluminateHttpRequest))
#16 [internal function]: BarryvdhStackMiddlewareClosureMiddleware->handle(Object(IlluminateHttpRequest), Object(Closure))
#17 /srv/sites/my_site/bootstrap/cache/compiled.php(9616): call_user_func_array(Array, Array)
#18 /srv/sites/my_site/vendor/anomaly/streams-platform/src/Http/Middleware/PoweredBy.php(46): IlluminatePipelinePipeline->IlluminatePipeline{closure}(Object(IlluminateHttpRequest))
#19 [internal function]: AnomalyStreamsPlatformHttpMiddlewarePoweredBy->handle(Object(IlluminateHttpRequest), Object(Closure))
#20 /srv/sites/my_site/bootstrap/cache/compiled.php(9616): call_user_func_array(Array, Array)
#21 /srv/sites/my_site/vendor/anomaly/streams-platform/src/Http/Middleware/SetLocale.php(92): IlluminatePipelinePipeline->IlluminatePipeline{closure}(Object(IlluminateHttpRequest))
#22 [internal function]: AnomalyStreamsPlatformHttpMiddlewareSetLocale->handle(Object(IlluminateHttpRequest), Object(Closure))
#23 /srv/sites/my_site/bootstrap/cache/compiled.php(9616): call_user_func_array(Array, Array)
#24 /srv/sites/my_site/vendor/anomaly/streams-platform/src/Http/Middleware/ApplicationReady.php(55): IlluminatePipelinePipeline->IlluminatePipeline{closure}(Object(IlluminateHttpRequest))
#25 [internal function]: AnomalyStreamsPlatformHttpMiddlewareApplicationReady->handle(Object(IlluminateHttpRequest), Object(Closure))
#26 /srv/sites/my_site/bootstrap/cache/compiled.php(9616): call_user_func_array(Array, Array)
#27 /srv/sites/my_site/vendor/anomaly/streams-platform/src/Http/Middleware/VerifyCsrfToken.php(69): IlluminatePipelinePipeline->IlluminatePipeline{closure}(Object(IlluminateHttpRequest))
#28 [internal function]: AnomalyStreamsPlatformHttpMiddlewareVerifyCsrfToken->handle(Object(IlluminateHttpRequest), Object(Closure))
#29 /srv/sites/my_site/bootstrap/cache/compiled.php(9616): call_user_func_array(Array, Array)
#30 /srv/sites/my_site/core/anomaly/users-module/src/Http/Middleware/AuthorizeRoutePermission.php(102): IlluminatePipelinePipeline->IlluminatePipeline{closure}(Object(IlluminateHttpRequest))
#31 [internal function]: AnomalyUsersModuleHttpMiddlewareAuthorizeRoutePermission->handle(Object(IlluminateHttpRequest), Object(Closure))
#32 /srv/sites/my_site/bootstrap/cache/compiled.php(9616): call_user_func_array(Array, Array)
#33 /srv/sites/my_site/core/anomaly/users-module/src/Http/Middleware/AuthorizeControlPanel.php(52): IlluminatePipelinePipeline->IlluminatePipeline{closure}(Object(IlluminateHttpRequest))
#34 [internal function]: AnomalyUsersModuleHttpMiddlewareAuthorizeControlPanel->handle(Object(IlluminateHttpRequest), Object(Closure))
#35 /srv/sites/my_site/bootstrap/cache/compiled.php(9616): call_user_func_array(Array, Array)
#36 /srv/sites/my_site/core/anomaly/users-module/src/Http/Middleware/AuthorizeModuleAccess.php(64): IlluminatePipelinePipeline->IlluminatePipeline{closure}(Object(IlluminateHttpRequest))
#37 [internal function]: AnomalyUsersModuleHttpMiddlewareAuthorizeModuleAccess->handle(Object(IlluminateHttpRequest), Object(Closure))
#38 /srv/sites/my_site/bootstrap/cache/compiled.php(9616): call_user_func_array(Array, Array)
#39 /srv/sites/my_site/core/anomaly/users-module/src/Http/Middleware/Authenticate.php(99): IlluminatePipelinePipeline->IlluminatePipeline{closure}(Object(IlluminateHttpRequest))
#40 [internal function]: AnomalyUsersModuleHttpMiddlewareAuthenticate->handle(Object(IlluminateHttpRequest), Object(Closure))
#41 /srv/sites/my_site/bootstrap/cache/compiled.php(9616): call_user_func_array(Array, Array)
#42 [internal function]: IlluminatePipelinePipeline->IlluminatePipeline{closure}(Object(IlluminateHttpRequest))
#43 /srv/sites/my_site/bootstrap/cache/compiled.php(9606): call_user_func(Object(Closure), Object(IlluminateHttpRequest))
#44 /srv/sites/my_site/bootstrap/cache/compiled.php(8954): IlluminatePipelinePipeline->then(Object(Closure))
#45 /srv/sites/my_site/bootstrap/cache/compiled.php(8939): IlluminateRoutingControllerDispatcher->callWithinStack(Object(AnomalyDashboardModuleHttpControllerAdminDashboardsController), Object(IlluminateRoutingRoute), Object(IlluminateHttpRequest), 'view')
#46 /srv/sites/my_site/bootstrap/cache/compiled.php(7888): IlluminateRoutingControllerDispatcher->dispatch(Object(IlluminateRoutingRoute), Object(IlluminateHttpRequest), 'AnomalyDashboa...', 'view')
#47 /srv/sites/my_site/bootstrap/cache/compiled.php(7859): IlluminateRoutingRoute->runWithCustomDispatcher(Object(IlluminateHttpRequest))
#48 /srv/sites/my_site/bootstrap/cache/compiled.php(7512): IlluminateRoutingRoute->run(Object(IlluminateHttpRequest))
#49 [internal function]: IlluminateRoutingRouter->IlluminateRouting{closure}(Object(IlluminateHttpRequest))
#50 /srv/sites/my_site/bootstrap/cache/compiled.php(9624): call_user_func(Object(Closure), Object(IlluminateHttpRequest))
#51 [internal function]: IlluminatePipelinePipeline->IlluminatePipeline{closure}(Object(IlluminateHttpRequest))
#52 /srv/sites/my_site/bootstrap/cache/compiled.php(9606): call_user_func(Object(Closure), Object(IlluminateHttpRequest))
#53 /srv/sites/my_site/bootstrap/cache/compiled.php(7513): IlluminatePipelinePipeline->then(Object(Closure))
#54 /srv/sites/my_site/bootstrap/cache/compiled.php(7501): IlluminateRoutingRouter->runRouteWithinStack(Object(IlluminateRoutingRoute), Object(IlluminateHttpRequest))
#55 /srv/sites/my_site/bootstrap/cache/compiled.php(7486): IlluminateRoutingRouter->dispatchToRoute(Object(IlluminateHttpRequest))
#56 /srv/sites/my_site/bootstrap/cache/compiled.php(2310): IlluminateRoutingRouter->dispatch(Object(IlluminateHttpRequest))
#57 [internal function]: IlluminateFoundationHttpKernel->IlluminateFoundationHttp{closure}(Object(IlluminateHttpRequest))
#58 /srv/sites/my_site/bootstrap/cache/compiled.php(9624): call_user_func(Object(Closure), Object(IlluminateHttpRequest))
#59 /srv/sites/my_site/bootstrap/cache/compiled.php(12975): IlluminatePipelinePipeline->IlluminatePipeline{closure}(Object(IlluminateHttpRequest))
#60 [internal function]: IlluminateViewMiddlewareShareErrorsFromSession->handle(Object(IlluminateHttpRequest), Object(Closure))
#61 /srv/sites/my_site/bootstrap/cache/compiled.php(9616): call_user_func_array(Array, Array)
#62 /srv/sites/my_site/bootstrap/cache/compiled.php(11567): IlluminatePipelinePipeline->IlluminatePipeline{closure}(Object(IlluminateHttpRequest))
#63 [internal function]: IlluminateSessionMiddlewareStartSession->handle(Object(IlluminateHttpRequest), Object(Closure))
#64 /srv/sites/my_site/bootstrap/cache/compiled.php(9616): call_user_func_array(Array, Array)
#65 /srv/sites/my_site/bootstrap/cache/compiled.php(12712): IlluminatePipelinePipeline->IlluminatePipeline{closure}(Object(IlluminateHttpRequest))
#66 [internal function]: IlluminateCookieMiddlewareAddQueuedCookiesToResponse->handle(Object(IlluminateHttpRequest), Object(Closure))
#67 /srv/sites/my_site/bootstrap/cache/compiled.php(9616): call_user_func_array(Array, Array)
#68 /srv/sites/my_site/bootstrap/cache/compiled.php(12649): IlluminatePipelinePipeline->IlluminatePipeline{closure}(Object(IlluminateHttpRequest))
#69 [internal function]: IlluminateCookieMiddlewareEncryptCookies->handle(Object(IlluminateHttpRequest), Object(Closure))
#70 /srv/sites/my_site/bootstrap/cache/compiled.php(9616): call_user_func_array(Array, Array)
#71 [internal function]: IlluminatePipelinePipeline->IlluminatePipeline{closure}(Object(IlluminateHttpRequest))
#72 /srv/sites/my_site/bootstrap/cache/compiled.php(9606): call_user_func(Object(Closure), Object(IlluminateHttpRequest))
#73 /srv/sites/my_site/bootstrap/cache/compiled.php(2257): IlluminatePipelinePipeline->then(Object(Closure))
#74 /srv/sites/my_site/bootstrap/cache/compiled.php(2240): IlluminateFoundationHttpKernel->sendRequestThroughRouter(Object(IlluminateHttpRequest))
#75 /srv/sites/my_site/public/index.php(57): IlluminateFoundationHttpKernel->handle(Object(IlluminateHttpRequest))
#76 {main}

Posted: January 17, 2010/Under: Internet/By:

In WordPress 2.8 and 2.9 or its minor versions, WordPress http.php PHP script will cause and generate the following error message on the blog:

PHP Warning: gzuncompress() [function.gzuncompress]: data error in /home/domain/public_html/wp-includes/http.php on line 1824

Warning: gzinflate() [function.gzinflate]: data error in /home/domain/public_html/wp-includes/http.php on line 1855


The regression error can be logged on the Apache HTTPD server’s error log, or been displayed on the blog web pages if output to webpage is not turned off, leaving the error message spidered, crawled and indexed by search engines.

The error is caused raw-inflated content been returned to algorithm which does not compatible. The error is not serious, and can be ignored. WordPress developers have implemented the fix for the error in WordPress version 2.9.2 and future versions.

For bloggers who can’t wait to fix and resolve the error, just edit the http.php file, and change the following two functions to the following code:

function decompress( $compressed, $length = null ) {

if ( false !== ($decompressed = @gzinflate( $compressed ) ) )
	return $decompressed;
if ( false !== ( $decompressed = WP_Http_Encoding::compatible_gzinflate( $compressed ) ) )
	return $decompressed;
if ( false !== ( $decompressed = @gzuncompress( $compressed ) ) )
	return $decompressed;
if ( function_exists('gzdecode') ) {
	$decompressed = @gzdecode( $compressed );
	if ( false !== $decompressed )
		return $decompressed;
}
return $compressed;
}
function compatible_gzinflate($gzData) {

if ( substr($gzData, 0, 3) == "x1fx8bx08" ) {
	$i = 10;
	$flg = ord( substr($gzData, 3, 1) );
	if ( $flg > 0 ) {
		if ( $flg & 4 ) {
			list($xlen) = unpack('v', substr($gzData, $i, 2) );
			$i = $i + 2 + $xlen;
		}
		if ( $flg & 8 )
			$i = strpos($gzData, "", $i) + 1;
		if ( $flg & 16 )
			$i = strpos($gzData, "", $i) + 1;
		if ( $flg & 2 )
			$i = $i + 2;
	}
	return @gzinflate( substr($gzData, $i, -8) );
} else {
	return false;
}
}

  • #1

Распоковка строки, сжатой ZLIB

Здраствуйте.
После долгого мучания функций zlib так и не смог понять в чем проблема:
получаю данные с другого сайта с помощью soap, данные возвращаються в сжатом при помощи zlib виде. Какие функции не пробовал, всегда один ответ:
gzinflate() [function.gzinflate]: data error
Помогите пожалуйста понять в чем может быть проблема.

  • #2

У тебя строка именно запакованная или отдефлейтеная?

  • #3

Я на самом деле точно не знаю (просто до этого никогда не работал с zlib), все что написано в их документации (сайта, с которого беру) это:

Все методы возвращают данные в виде xml-документа, сжатого методом ZLIB, и преобразованного в формат base64binary

Строка, которую возвращает такая:

eJyzSclPLs1NzSux41JQsMlMsTM1MzI1sNEHspAETNAFLNEEzM3QBCzMUQWMDYxQBSzN0cywtDBEF0C11sLUDGqLjT7c1QA9sTCa

  • #5

Пробовал все эти 3 функции (всмысле их противоположность):
gzuncompress
gzinflate
gzdecode
Везде один и тот же ответ, data error…

fixxxer


  • #8

Эх, давно я уже так не тупил, всем спасибо, тему можно закрывать ;)

Понравилась статья? Поделить с друзьями:

Читайте также:

  • Gpu error failed to allocate ethash dag buffer
  • Gyp err build error gyp err stack error not found make
  • Gpu driver error no temps rebooting
  • Guzzlehttp exception requestexception curl error 60 ssl certificate problem self signed certificate
  • Gpu crashed or d3d device removed unreal engine как исправить

  • 0 0 голоса
    Рейтинг статьи
    Подписаться
    Уведомить о
    guest

    0 комментариев
    Старые
    Новые Популярные
    Межтекстовые Отзывы
    Посмотреть все комментарии