Ir para conteúdo
  • Cadastre-se

Posts Recomendados

Estou tenho problema com o site, baixei e coloquei dentro do xampp configurei o local do server certo e agora aparece isso

 

Parse error: syntax error, unexpected '--' (T_DEC), expecting ';' in C:\xampp\htdocs\christibia\site\classes\configlua.php(56) : eval()'d code on line 1

na linha que diz ai seria isso $ret = @eval("return $value;"); mas nao sei resolver

peço que me perdoe se postei errado alguma coisa.

 

segue meu arquivo config.lua

 

Spoiler

-- Combat settings
-- NOTE: valid values for worldType are: "pvp", "no-pvp" and "pvp-enforced"
worldType = "pvp"
hotkeyAimbotEnabled = true
protectionLevel = 8
killsToRedSkull = 6
killsToBlackSkull = 10
--pzLocked = 60 * 1000
removeChargesFromRunes = true
--timeToDecreaseFrags = 24 * 60 * 60 * 1000
--whiteSkullTime = 15 * 60 * 1000
--stairJumpExhaustion = 2 * 1000
experienceByKillingPlayers = false
expFromPlayersLevelRange = 75

-- Connection Config
-- NOTE: maxPlayers set to 0 means no limit
ip = "25.8.61.116"
bindOnlyGlobalAddress = false
loginProtocolPort = 7171
gameProtocolPort = 7172
statusProtocolPort = 7171
maxPlayers = 2000
motd = "Bem vindo ao ChrisTibia!"
onePlayerOnlinePerAccount = true
allowClones = false
serverName = "ChrisTibia & VieiraTibia"
statusTimeout = 5 * 1000
replaceKickOnLogin = true
maxPacketsPerSecond = 50
enableLiveCasting = true
liveCastPort = 7173

-- Store in-Game Config
coinPacketSize = 2
coinImagesURL = "http://25.8.61.116/christibia/store/"

-- PVP-Expert Config
expertPvp = false

-- Depot Limit
freeDepotLimit = 2000
premiumDepotLimit = 10000
depotBoxes = 17

-- Deaths
-- NOTE: Leave deathLosePercent as -1 if you want to use the default
-- death penalty formula. For the old formula, set it to 10. For
-- no skill/experience loss, set it to 0.
deathLosePercent = -1

-- Houses
-- NOTE: set housePriceEachSQM to -1 to disable the ingame buy house functionality
housePriceEachSQM = 1000
houseRentPeriod = "weekly"

-- Item Usage
timeBetweenActions = 200
timeBetweenExActions = 1000

-- Map
-- NOTE: set mapName WITHOUT .otbm at the end
mapName = "global"
mapAuthor = "Cipsoft"

-- Market
marketOfferDuration = 30 * 24 * 60 * 60
premiumToCreateMarketOffer = false
checkExpiredMarketOffersEachMinutes = 60
maxMarketOffersAtATimePerPlayer = 100

-- MySQL
mysqlHost = "127.0.0.1"
mysqlUser = "root"
mysqlPass = ""
mysqlDatabase = "christibia"
mysqlPort = 3306
passwordType = "sha1"
mysqlSock = ""

-- Misc.
allowChangeOutfit = true
freePremium = true
kickIdlePlayerAfterMinutes = 15
maxMessageBuffer = 4
emoteSpells = false
classicEquipmentSlots = true
allowWalkthrough = false

-- Rates
-- NOTE: rateExp is not used if you have enabled stages in data/XML/stages.xml
rateExp = 999 * 5000 * 5000 * 5000 * 5000
rateSkill = 999 * 5000 * 5000 * 5000 * 5000
rateLoot = 4
rateMagic = 8
rateSpawn = 1

-- Monsters
deSpawnRange = 2
deSpawnRadius = 50

-- Stamina
staminaSystem = true

-- Scripts
warnUnsafeScripts = true
convertUnsafeScripts = true

-- Startup
-- NOTE: defaultPriority only works on Windows and sets process
-- priority, valid values are: "normal", "above-normal", "high"
defaultPriority = "high"
startupDatabaseOptimization = true

-- Status server information
ownerName = "ChrisTibia"
ownerEmail = "[email protected]"
url = "http://25.8.61.116/christibia/"
location = "Brasil"

 

configlua.php

Spoiler

<?php
if(!defined('INITIALIZED'))
    exit;

class ConfigLUA extends Errors // NOT SAFE CLASS, LUA CONFIG CAN BE EXECUTED AS PHP CODE
{
    private $config;

    public function __construct($path = false)
    {
        if($path)
            $this->loadFromFile($path);
    }

    public function loadFromFile($path)
    {
        if(Website::fileExists($path))
        {
            $content = Website::getFileContents($path);
            $this->loadFromString($content);
        }
        else
        {
            new Error_Critic('#C-2', 'ERROR: <b>#C-2</b> : Class::ConfigLUA - LUA config file doesn\'t exist. Path: <b>' . $path . '</b>');
        }
    }

    public function fileExists($path)
    {
        return Website::fileExists($path);
    }

    public function loadFromString($string)
    {
        $lines = explode("\n", $string);
        if(count($lines) > 0)
            foreach($lines as $ln => $line)
            {
                $tmp_exp = explode('=', $line, 2);
                if(count($tmp_exp) >= 2)
                {
                    $key = trim($tmp_exp[0]);
                    if(substr($key, 0, 2) != '--')
                    {
                        $value = trim($tmp_exp[1]);
                        if(is_numeric($value))
                            $this->config[ $key ] = (float) $value;
                        elseif(in_array(substr($value, 0 , 1), array("'", '"')) && in_array(substr($value, -1 , 1), array("'", '"')))
                            $this->config[ $key ] = (string) substr(substr($value, 1), 0, -1);
                        elseif(in_array($value, array('true', 'false')))
                            $this->config[ $key ] = ($value == 'true') ? true : false;
                        else
                        {
                            foreach($this->config as $tmp_key => $tmp_value): // load values definied by other keys, like: dailyFragsToBlackSkull = dailyFragsToRedSkull
                                $value = str_replace($tmp_key, $tmp_value, $value);
                                $ret = @eval("return $value;");
                            endforeach;
                            if((string) $ret == '') // = parser error
                            {
                                new Error_Critic('', 'ERROR: <b>#C-1</b> : Class::ConfigLUA - Line <b>' . ($ln + 1) . '</b> of LUA config file is not valid [key: <b>' . $key . '</b>]');
                            }
                            $this->config[ $key ] = $ret;
                        }
                    }
                }
            }
    }

    public function getValue($key)
    {
        if(isset($this->config[ $key ]))
            return $this->config[ $key ];
        else
            new Error_Critic('#C-3', 'ERROR: <b>#C-3</b> : Class::ConfigLUA - Key <b>' . $key . '</b> doesn\'t exist.');
    }

    public function isSetKey($key)
    {
        return isset($this->config[ $key ]);
    }

    public function getConfig()
    {
        return $this->config;
    }
}

 

Editado por Chrisouzaprobr (veja o histórico de edições)
Link para o post
Compartilhar em outros sites

olá.

 

configlua.php

 



<?php
if(!defined('INITIALIZED'))
    exit;

class ConfigLUA extends Errors // NOT SAFE CLASS, LUA CONFIG CAN BE EXECUTED AS PHP CODE
{
    private $config;

    public function __construct($path = false)
    {
        if($path)
            $this->loadFromFile($path);
    }

    public function loadFromFile($path)
    {
        if(Website::fileExists($path))
        {
            $content = Website::getFileContents($path);
            $this->loadFromString($content);
        }
        else
        {
            new Error_Critic('#C-2', 'ERROR: <b>#C-2</b> : Class::ConfigLUA - LUA config file doesn\'t exist. Path: <b>' . $path . '</b>');
        }
    }

    public function fileExists($path)
    {
        return Website::fileExists($path);
    }

    public function loadFromString($string)
    {
        $lines = explode("\n", $string);
        if(count($lines) > 0)
            foreach($lines as $ln => $line)
            {
                $tmp_exp = explode('=', $line, 2);
                if(count($tmp_exp) >= 2)
                {
                    $key = trim($tmp_exp[0]);
                    if(substr($key, 0, 2) != '--')
                    {
                        $value = trim($tmp_exp[1]);
                        if(is_numeric($value))
                            $this->config[ $key ] = (float) $value;
                        elseif(in_array(substr($value, 0 , 1), array("'", '"')) && in_array(substr($value, -1 , 1), array("'", '"')))
                            $this->config[ $key ] = (string) substr(substr($value, 1), 0, -1);
                        elseif(in_array($value, array('true', 'false')))
                            $this->config[ $key ] = ($value == 'true') ? true : false;
                        else
                        {
                            foreach($this->config as $tmp_key => $tmp_value) // load values definied by other keys, like: dailyFragsToBlackSkull = dailyFragsToRedSkull
                                $value = str_replace($tmp_key, $tmp_value, $value);
                            $ret = @eval("return $value;");
                            if((string) $ret == '') // = parser error
                            {
                                new Error_Critic('', 'ERROR: <b>#C-1</b> : Class::ConfigLUA - Line <b>' . ($ln + 1) . '</b> of LUA config file is not valid [key: <b>' . $key . '</b>]');
                            }
                            $this->config[ $key ] = $ret;
                        }
                    }
                }
            }
    }

    public function getValue($key)
    {
        if(isset($this->config[ $key ]))
            return $this->config[ $key ];
        else
            new Error_Critic('#C-3', 'ERROR: <b>#C-3</b> : Class::ConfigLUA - Key <b>' . $key . '</b> doesn\'t exist.');
    }

    public function isSetKey($key)
    {
        return isset($this->config[ $key ]);
    }

    public function getConfig()
    {
        return $this->config;
    }
}

Link para o post
Compartilhar em outros sites
1 minuto atrás, Chrisouzaprobr disse:

copiei o codigo e coloquei aqui e ta na mesma coisa

<?php
if(!defined('INITIALIZED')) exit;

class ConfigLUA extends Errors // NOT SAFE CLASS, LUA CONFIG CAN BE EXECUTED AS PHP CODE
{
    private $config;

    public function __construct($path = false)
    {
        if($path)
            $this->loadFromFile($path);
    }

    public function loadFromFile($path)
    {
        if(Website::fileExists($path))
        {
            $content = Website::getFileContents($path);
            $this->loadFromString($content);
        }
        else
        {
            new Error_Critic('#C-2', 'ERROR: <b>#C-2</b> : Class::ConfigLUA - LUA config file doesn\'t exist. Path: <b>' . $path . '</b>');
        }
    }

    public function fileExists($path)
    {
        return Website::fileExists($path);
    }

    public function loadFromString($string)
    {
        $lines = explode("\n", $string);
        if(count($lines) > 0)
            foreach($lines as $ln => $line)
            {
                $tmp_exp = explode('=', $line, 2);
                if(count($tmp_exp) >= 2)
                {
                    $key = trim($tmp_exp[0]);
                    if(substr($key, 0, 2) != '--')
                    {
                        $value = trim($tmp_exp[1]);
                        if(is_numeric($value))
                            $this->config[ $key ] = (float) $value;
                        elseif(in_array(substr($value, 0 , 1), array("'", '"')) && in_array(substr($value, -1 , 1), array("'", '"')))
                            $this->config[ $key ] = (string) substr(substr($value, 1), 0, -1);
                        elseif(in_array($value, array('true', 'false')))
                            $this->config[ $key ] = ($value == 'true') ? true : false;
                        else
                        {
                            foreach($this->config as $tmp_key => $tmp_value) // load values definied by other keys, like: dailyFragsToBlackSkull = dailyFragsToRedSkull
                                $value = str_replace($tmp_key, $tmp_value, $value);
                            $ret = @eval("return $value;");
                            if((string) $ret == '') // = parser error
                            {
                                new Error_Critic('', 'ERROR: <b>#C-1</b> : Class::ConfigLUA - Line <b>' . ($ln + 1) . '</b> of LUA config file is not valid [key: <b>' . $key . '</b>]');
                            }
                            $this->config[ $key ] = $ret;
                        }
                    }
                }
            }
    }

    public function getValue($key)
    {
        if(isset($this->config[ $key ]))
            return $this->config[ $key ];
        else
            new Error_Critic('#C-3', 'ERROR: <b>#C-3</b> : Class::ConfigLUA - Key <b>' . $key . '</b> doesn\'t exist.');
    }

    public function isSetKey($key)
    {
        return isset($this->config[ $key ]);
    }

    public function getConfig()
    {
        return $this->config;
    }
}

esse testei e está OK .

Versão gesior ?

Link para o post
Compartilhar em outros sites

testa..



<?php
if(!defined('INITIALIZED')) exit;

class ConfigLUA extends Errors // NOT SAFE CLASS, LUA CONFIG CAN BE EXECUTED AS PHP CODE
{
    private $config;

    public function __construct($path = false)
    {
        if($path)
            $this->loadFromFile($path);
    }

    public function loadFromFile($path)
    {
        if(Website::fileExists($path))
        {
            $content = Website::getFileContents($path);
            $this->loadFromString($content);
        }
        else
        {
            new Error_Critic('#C-2', 'ERROR: <b>#C-2</b> : Class::ConfigLUA - LUA config file doesn\'t exist. Path: <b>' . $path . '</b>');
        }
    }

    public function fileExists($path)
    {
        return Website::fileExists($path);
    }

    public function loadFromString($string)
    {
        $lines = explode("\n", $string);
        if(count($lines) > 0)
            foreach($lines as $ln => $line)
            {
                $tmp_exp = explode('=', $line, 2);
                if(count($tmp_exp) >= 2)
                {
                    $key = trim($tmp_exp[0]);
                    if(substr($key, 0, 2) != '--')
                    {
                        $value = trim($tmp_exp[1]);
                        if(is_numeric($value))
                            $this->config[ $key ] = (float) $value;
                        elseif(in_array(substr($value, 0 , 1), array("'", '"')) && in_array(substr($value, -1 , 1), array("'", '"')))
                            $this->config[ $key ] = (string) substr(substr($value, 1), 0, -1);
                        elseif(in_array($value, array('true', 'false')))
                            $this->config[ $key ] = ($value == 'true') ? true : false;
                        else
                        {
                            foreach($this->config as $tmp_key => $tmp_value) // load values definied by other keys, like: dailyFragsToBlackSkull = dailyFragsToRedSkull
                                $value = str_replace($tmp_key, $tmp_value, $value);
                            $ret = ${'return '. $value};
                            if((string) $ret == '') // = parser error
                            {
                                new Error_Critic('', 'ERROR: <b>#C-1</b> : Class::ConfigLUA - Line <b>' . ($ln + 1) . '</b> of LUA config file is not valid [key: <b>' . $key . '</b>]');
                            }
                            $this->config[ $key ] = $ret;
                        }
                    }
                }
            }
    }

    public function getValue($key)
    {
        if(isset($this->config[ $key ]))
            return $this->config[ $key ];
        else
            new Error_Critic('#C-3', 'ERROR: <b>#C-3</b> : Class::ConfigLUA - Key <b>' . $key . '</b> doesn\'t exist.');
    }

    public function isSetKey($key)
    {
        return isset($this->config[ $key ]);
    }

    public function getConfig()
    {
        return $this->config;
    }
}

Editado por Dragon Ball Hiper (veja o histórico de edições)
Link para o post
Compartilhar em outros sites

o erro do topico saiu mas apareceu esse

More info: ERROR: #C-1 : Class::ConfigLUA - Line 18 of LUA config file is not valid [key: ip]

 

comentei a linha do ip no config.lua e passou para o de baixo

 

More info: ERROR: #C-1 : Class::ConfigLUA - Line 31 of LUA config file is not valid [key: statusTimeout]

 

comentei o status e foi pra esse

More info: ERROR: #C-1 : Class::ConfigLUA - Line 70 of LUA config file is not valid [key: marketOfferDuration]

Link para o post
Compartilhar em outros sites

cara o correto da configlua.php é assim



<?php
if(!defined('INITIALIZED'))
    exit;

class ConfigLUA extends Errors // NOT SAFE CLASS, LUA CONFIG CAN BE EXECUTED AS PHP CODE
{
    private $config;

    public function __construct($path = false)
    {
        if($path)
            $this->loadFromFile($path);
    }

    public function loadFromFile($path)
    {
        if(Website::fileExists($path))
        {
            $content = Website::getFileContents($path);
            $this->loadFromString($content);
        }
        else
        {
            new Error_Critic('#C-2', 'ERROR: <b>#C-2</b> : Class::ConfigLUA - LUA config file doesn\'t exist. Path: <b>' . $path . '</b>');
        }
    }

    public function fileExists($path)
    {
        return Website::fileExists($path);
    }

    public function loadFromString($string)
    {
        $lines = explode("\n", $string);
        if(count($lines) > 0)
            foreach($lines as $ln => $line)
            {
                $tmp_exp = explode('=', $line, 2);
                if(count($tmp_exp) >= 2)
                {
                    $key = trim($tmp_exp[0]);
                    if(substr($key, 0, 2) != '--')
                    {
                        $value = trim($tmp_exp[1]);
                        if(is_numeric($value))
                            $this->config[ $key ] = (float) $value;
                        elseif(in_array(substr($value, 0 , 1), array("'", '"')) && in_array(substr($value, -1 , 1), array("'", '"')))
                            $this->config[ $key ] = (string) substr(substr($value, 1), 0, -1);
                        elseif(in_array($value, array('true', 'false')))
                            $this->config[ $key ] = ($value == 'true') ? true : false;
                        else
                        {
                            foreach($this->config as $tmp_key => $tmp_value) // load values definied by other keys, like: dailyFragsToBlackSkull = dailyFragsToRedSkull
                                $value = str_replace($tmp_key, $tmp_value, $value);
                            $ret = @eval("return $value;");
                            if((string) $ret == '') // = parser error
                            {
                                new Error_Critic('', 'ERROR: <b>#C-1</b> : Class::ConfigLUA - Line <b>' . ($ln + 1) . '</b> of LUA config file is not valid [key: <b>' . $key . '</b>]');
                            }
                            $this->config[ $key ] = $ret;
                        }
                    }
                }
            }
    }

    public function getValue($key)
    {
        if(isset($this->config[ $key ]))
            return $this->config[ $key ];
        else
            new Error_Critic('#C-3', 'ERROR: <b>#C-3</b> : Class::ConfigLUA - Key <b>' . $key . '</b> doesn\'t exist.');
    }

    public function isSetKey($key)
    {
        return isset($this->config[ $key ]);
    }

    public function getConfig()
    {
        return $this->config;
    }
}

qual erro da usando essa?

o config está normal 

Link para o post
Compartilhar em outros sites

o erro que da usando essa de cima é esse:

 

Parse error: syntax error, unexpected '--' (T_DEC), expecting ';' in C:\xampp\htdocs\christibia\site\classes\configlua.php(56) : eval()'d code on line 1

ta rodando no xampp do windows 10 a unica coisa que eu mudei foi o caminho do server em outro arquivo.

Link para o post
Compartilhar em outros sites
Agora, Dragon Ball Hiper disse:

$ret = @eval("return $value;");  é o correto. 

como coloco o caminho ?

 

dentro de config/config.php

$config['site']['serverPath'] = "C:/xampp/htdocs/christibia/";

 

so isso que foi mudado desde entao o erro acima tem aparecido.

dentro de classes/configlua.php

a linha 56 eh isso ai do jeito que tava ai em cima

$ret = @eval("return $value;");

Link para o post
Compartilhar em outros sites

$config['site']['serverPath'] = "C:/xampp/htdocs/christibia/";         << sua config.lua está aqui ? htdocs/christibia/

 

 

Agora que me toquei , faça teste no xampp 1.7.3

 E me retorna

Link para o post
Compartilhar em outros sites
Agora, Dragon Ball Hiper disse:

$config['site']['serverPath'] = "C:/xampp/htdocs/christibia/";         << sua config.lua está aqui ? htdocs/christibia/

 

 

 

 

Sim tanto que se nao tiver dessa forma da erro tb

 

Sem título.png

 

"

Agora que me toquei , faça teste no xampp 1.7.3

 E me retorna

"

 

desculpa se for necessario fazer downgrade do xampp, eu nao vo usar esse site ja pronto, vou montar um aki pra mim simples so pra cadastro mesmo.

Vlw pela ajuda

Editado por Chrisouzaprobr (veja o histórico de edições)
Link para o post
Compartilhar em outros sites

tenta usa outro site amigo creio que ira resolver seu problema !

                                   logo.png

 WhatsApp Suporte : 79 996473707

E-mail: [email protected]

Atendimento via Live Chat:

http://jservers.com.br/

                                                       
 

                                                       

                                                  

Link para o post
Compartilhar em outros sites

@Chrisouzaprobr não estou falando de servidor pago amigo, estou falando de voce usa outro site pronto que ja esteja sem bugs!

                                   logo.png

 WhatsApp Suporte : 79 996473707

E-mail: [email protected]

Atendimento via Live Chat:

http://jservers.com.br/

                                                       
 

                                                       

                                                  

Link para o post
Compartilhar em outros sites

alguem pode me auxiliar nao to consguindo por meu site online , publico acesso externo só local

 

47 minutos atrás, Chrisouzaprobr disse:

 

o negocio nao é o servidor pago. to fazendo no meu proprio pc

mano eu nao li o q postaram mais voce ja conseguiu arruma seu erro? o erro aparece em qual parte quando voce vai ligar o apache?

 

Link para o post
Compartilhar em outros sites
1 minuto atrás, Snones disse:

alguem pode me auxiliar nao to consguindo por meu site online , publico acesso externo só local

 

mano eu nao li o q postaram mais voce ja conseguiu arruma seu erro? o erro aparece em qual parte quando voce vai ligar o apache?

 

entao arrumei nao, pois me parece que so funciona em versao antiga do xampp e nao posso fazer downgrade do xampp

o erro é esse

Parse error: syntax error, unexpected '--' (T_DEC), expecting ';' in C:\xampp\htdocs\christibia\site\classes\configlua.php(56) : eval()'d code on line 1

sendo que nao consegui arrumar voi criar minha propria pagina simples so pra cadastro mesmo, ( ja tinha feito antes de saber desse site pronto e funcionava. )

1 hora atrás, Vida Loka disse:

@Chrisouzaprobr não estou falando de servidor pago amigo, estou falando de voce usa outro site pronto que ja esteja sem bugs!

nao conheço outro

Link para o post
Compartilhar em outros sites

@Chrisouzaprobr qual verção voce esta usando ?

                                   logo.png

 WhatsApp Suporte : 79 996473707

E-mail: [email protected]

Atendimento via Live Chat:

http://jservers.com.br/

                                                       
 

                                                       

                                                  

Link para o post
Compartilhar em outros sites

Participe da conversa

Você pode postar agora e se cadastrar mais tarde. Se você tem uma conta, faça o login para postar com sua conta.

Visitante
Responder

×   Você colou conteúdo com formatação.   Remover formatação

  Apenas 75 emojis são permitidos.

×   Seu link foi automaticamente incorporado.   Mostrar como link

×   Seu conteúdo anterior foi restaurado.   Limpar o editor

×   Não é possível colar imagens diretamente. Carregar ou inserir imagens do URL.

  • Quem Está Navegando   0 membros estão online

    Nenhum usuário registrado visualizando esta página.

  • Conteúdo Similar

    • Por Andersontatuador
      .Qual servidor ou website você utiliza como base? 
      Global Full 8.60 + Zao
      Qual o motivo deste tópico? 
      O site não esta adicionando os pontos na conta dos plays.
       
      Está surgindo algum erro? Se sim coloque-o aqui. 
       
      Você tem o código disponível? Se tiver publique-o aqui: 
         
      Você tem alguma imagem que possa auxiliar no problema? Se sim, coloque-a aqui. 
       



    • Por A.Mokk
      .Qual servidor ou website você utiliza como base? 
      TFS 0.4
      Qual o motivo deste tópico? 
      Estou tendo um probleminha indelicado no meu site, gostaria de obter respostas aqui com voces que sao sempre muito eficientes e praticos.
      Está surgindo algum erro? Se sim coloque-o aqui. 
       
       
    • Por thunmin
      .Qual servidor ou website você utiliza como base? 
      Canary
      Qual o motivo deste tópico? 
      Não consigo deixar ele automatico os players tem que confirmar o pagamento depois eu tenho que verificar se caiu pra depois eu confirmar e colocar as coins
      Está surgindo algum erro? Se sim coloque-o aqui. 
       
      Você tem o código disponível? Se tiver publique-o aqui: 
         
      Você tem alguma imagem que possa auxiliar no problema? Se sim, coloque-a aqui. 
       
    • Por Jordan422
      Faala Deuses do Tibia! Estou com um projeto sólido de um global old, mas to preso nessa parte do website viu.. Eu dou meu jeitinho mas ta chegando nas coisas avançadas que precisa daquele freelancer bacana para ajeitar umas páginas para mim! Já tenho as ideias, basta somente botar a mão na massa.. Quem estiver interessado por favor entrar em contato por mensagem aqui no Tibiaking mesmo ou preferencialmente pelo discord mythh9257 
       
    • Por moleza
      Para quem quer abrir um servidor antigo que roda em php5 e está com dificuldade com a configuração do linux, pode contratar um cpanel que contenha o php5 que facilita a configuração do site!!
       
      essa foi a minha solução!
       
      Resolvido !!
×
×
  • Criar Novo...

Informação Importante

Confirmação de Termo