• TibiaFace

    Tibiaface | Una comunidad Open Tibia donde encontras : mapas, scripts, Otserver, npc y amigos etc ...

    .
    demo menumenu

    Afiliados



    Votar:

    [Web] Problema para la acc web

    Compartir:

    Ir a la página : 1, 2  Siguiente

    Ver el tema anterior Ver el tema siguiente Ir abajo  Mensaje (Página 1 de 2.)

    1[Web] Problema para la acc web Empty [Web] Problema para la acc web Jue Jun 07, 2018 7:32 pm

    suphermx

    suphermx
    Miembro
    Miembro
    Hola, soy nuevo, tengo poca experiencia anteriormente configure otservers pero ya no recuerdo bien, tengo problema al querer configurar la pagina web, ya que aparecen errores. si alguien me ayuda le agradezco

    me aparece este error.
    Fatal error: Uncaught exception 'LibraryMissingException'
    Message: MySQL library is not installed. Database access is impossible.
    File: sql.php on line: 32
    Script was terminated because something unexpected happened. You can report this, if you think it's a bug.

    Debug Backtrace:Disabled

    en [Tienes que estar registrado y conectado para ver este vínculo]


    el server es avesta 0.6.5


    el archivo es el siguiente que indica sql.php :

    <?php
    /*
        Copyright (C) 2007 - 2009  Nicaw

       This program is free software; you can redistribute it and/or modify
       it under the terms of the GNU General Public License as published by
       the Free Software Foundation; either version 2 of the License, or
       (at your option) any later version.

       This program is distributed in the hope that it will be useful,
       but WITHOUT ANY WARRANTY; without even the implied warranty of
       MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.  See the
       GNU General Public License for more details.

       You should have received a copy of the GNU General Public License along
       with this program; if not, write to the Free Software Foundation, Inc.,
       51 Franklin Street, Fifth Floor, Boston, MA 02110-1301 USA.
    */
    class SQL {
       private
       $sql_connection,
       $schema_version,
       $sql_tables,
       $last_query,
       $last_insert_id;

       //creates new connection
       public function __construct($server, $user, $password, $database) {

           //warn if MySQL extension is not installed
           if(!extension_loaded('mysql'))
               throw new LibraryMissingException('MySQL library is not installed. Database access is impossible.', 0);

           //establish a link to MySQL
           $con = @mysql_connect($server,$user,$password);
           if ($con === false)
               throw new DatabaseConnectException('Unable to connect to mysql server. Please make sure it is up and running and you have correct user/password in config.inc.php.', 1);

           //select otserv database
           if (!mysql_select_db($database))
               throw new DatabaseSelectException('Unable to select database: '.$database.'. Make sure it exists.', 2);

           //retrieve table list
           $result = mysql_query('SHOW TABLES');
           if ($result === false)
               DatabaseQueryException('Failed to retrieve a table list.');

           while ($a = mysql_fetch_array($result))
               $this->sql_tables[] = $a[0];

           //retrieve schema version
           $result = mysql_query('SELECT value FROM schema_info WHERE name = \'version\'');
           if ($result === false) {
               $this->schema_version = false;
           } else {
               $a = mysql_fetch_array($result);
               $this->schema_version = $a['value'];
           }

           //assign the connection
           $this->sql_connection = $con;

           return true;
       }

       public function getSchemaVersion() {
           return $this->schema_version;
       }

       public function isTable($mixed) {
           return in_array($mixed, $this->sql_tables);
       }

       public function __destruct() {
           if(is_resource($this->last_query))
               mysql_free_result($this->last_query);
           mysql_close($this->sql_connection);
       }

       //Creates tables
       public function setup() {
           $tables = explode(';', file_get_contents('documents/shema.mysql'));
           foreach ($tables as $table) mysql_query($table);
       }

       //Perform simple SQL query
       public function myQuery($q) {
           if(is_resource($this->last_query))
               mysql_free_result($this->last_query);
           $this->last_query = mysql_query($q, $this->sql_connection);
           $this->last_insert_id = mysql_insert_id();
           if ($this->last_query === false) {
               $this->analyze();
               throw new DatabaseQueryException('Error #'.mysql_errno().':'.mysql_error(), $q);
           }
           return $this->last_query;
       }

       //True is last query failed
       public function failed() {
           if ($this->last_query === false) return true;
           return false;
       }

       //Returns current array with data values
       public function fetch_array() {
           if (!$this->failed())
               if (isset($this->last_query))
                   return mysql_fetch_array($this->last_query);
               else
                   throw new ClassException('Attempt to fetch a null query.');
           else
               throw new ClassException('Attempt to fetch failed query.');
       }

       //Returns the last insert id
       public function insert_id() {
           return $this->last_insert_id;
       }

       //Returns the number of rows affected
       public function num_rows() {
           if (!$this->failed())
               return mysql_num_rows($this->last_query);
           else
               throw new ClassException('Attempt to count failed query.');
       }

       //Quotes a string
       public function escape_string($string) {
           return mysql_real_escape_string($string);
       }

       //Quotes a value so it's safe to use in SQL statement
       public function quote($value) {
           if(is_numeric($value) && $value[0] != '0')
               return (int) $value;
           else
               return '\''.$this->escape_string($value).'\'';
       }

       public function analyze() {
       //determine database type, try to perform autosetup
           $is_aac_db = in_array('nicaw_accounts',$this->sql_tables);
           $is_server_db = in_array('accounts',$this->sql_tables) && in_array('players',$this->sql_tables);
           $is_svn = in_array('player_depotitems',$this->sql_tables) && in_array('groups',$this->sql_tables);
           $is_cvs = in_array('playerstorage',$this->sql_tables) && in_array('skills',$this->sql_tables);
           if (!$is_aac_db) {
               $this->setup();
               throw new DatabaseException('Notice: AutoSetup has attempted to create missing tables for you. Please create MySQL tables manually from "database.sql" if you are still getting this message.', 3);
           }elseif (!$is_server_db) {
               throw new DatabaseException('It appears you don\'t have SQL sample imported for OT server or it is not supported.', 4);
           }elseif ($is_cvs && !$is_svn) {
               throw new DatabaseException('This AAC version does not support your server. Consider using SQL v1.5.', 5);
           }
           return true;
       }

       public function repairTables() {
           if (isset($this->sql_tables))
               foreach($this->sql_tables as $table)
                   mysql_query('REPAIR TABLE '.$table);
           return true;
       }

       ######################################
       # Methods for simple  data access    #
       ######################################

       //Insert data
       public function myInsert($table,$data) {global $cfg;
           $fields = array_keys($data);
           $values = array_values($data);
           $query = 'INSERT INTO `'.mysql_escape_string($table).'` (';
           foreach ($fields as $field)
               $query.= '`'.mysql_escape_string($field).'`,';
           $query = substr($query, 0, strlen($query)-1);
           $query.= ') VALUES (';
           foreach ($values as $value)
               if ($value === null)
                   $query.= 'NULL,';
               else
                   $query.= $this->quote($value).',';
           $query = substr($query, 0, strlen($query)-1);
           $query.= ');';
           $this->myQuery($query);
           return true;
       }

       //Replace data
       public function myReplace($table,$data) {global $cfg;
           $fields = array_keys($data);
           $values = array_values($data);
           $query = 'REPLACE INTO `'.mysql_escape_string($table).'` (';
           foreach ($fields as $field)
               $query.= '`'.mysql_escape_string($field).'`,';
           $query = substr($query, 0, strlen($query)-1);
           $query.= ') VALUES (';
           foreach ($values as $value)
               if ($value === null)
                   $query.= 'NULL,';
               else
                   $query.= $this->quote($value).',';
           $query = substr($query, 0, strlen($query)-1);
           $query.= ');';
           $this->myQuery($query);
           return true;
       }

       //Retrieve single row
       public function myRetrieve($table,$data) {
           $fields = array_keys($data);
           $values = array_values($data);
           $query = 'SELECT * FROM `'.mysql_escape_string($table).'` WHERE (';
           for ($i = 0; $i < count($fields); $i++)
               $query.= '`'.mysql_escape_string($fields[$i]).'` = '.$this->quote($values[$i]).' AND ';
           $query = substr($query, 0, strlen($query)-4);
           $query.=');';
           $this->myQuery($query);
           if ($this->num_rows() != 1) return false;
           return $this->fetch_array();
       }

       //Update data
       public function myUpdate($table,$data,$where,$limit=1) {
           $fields = array_keys($data);
           $values = array_values($data);
           $query = 'UPDATE `'.mysql_escape_string($table).'` SET ';
           for ($i = 0; $i < count($fields); $i++)
               $query.= '`'.mysql_escape_string($fields[$i]).'` = '.$this->quote($values[$i]).', ';
           $query = substr($query, 0, strlen($query)-2);
           $query.=' WHERE (';
           $fields = array_keys($where);
           $values = array_values($where);
           for ($i = 0; $i < count($fields); $i++)
               $query.= '`'.mysql_escape_string($fields[$i]).'` = '.$this->quote($values[$i]).' AND ';
           $query = substr($query, 0, strlen($query)-4);
           if (isset($limit))
               $query.=') LIMIT '.$limit.';';
           else
               $query.=');';
           $this->myQuery($query);
           return true;
       }

       //Delete data
       public function myDelete($table,$data,$limit = 1) {
           $fields = array_keys($data);
           $values = array_values($data);
           $query = 'DELETE FROM `'.mysql_escape_string($table).'` WHERE (';
           for ($i = 0; $i < count($fields); $i++)
               $query.= '`'.mysql_escape_string($fields[$i]).'` = '.$this->quote($values[$i]).' AND ';
           $query = substr($query, 0, strlen($query)-4);
           if ($limit > 0)
               $query.=') LIMIT '.$limit.';';
           else
               $query.=');';
           $this->myQuery($query);
           return true;
       }
    }
    ?>



    Última edición por suphermx el Jue Jun 07, 2018 7:47 pm, editado 1 vez

    2 participantes

    2[Web] Problema para la acc web Empty Re: [Web] Problema para la acc web Jue Jun 07, 2018 7:46 pm

    [Admin] God Maya

    [Admin] God Maya
    Administrador
    Administrador
    tiene que usar esta web

    [Tienes que estar registrado y conectado para ver este vínculo]



    [Web] Problema para la acc web YNU5B25
    2 participantes
    http://www.tibiaface.com

    3[Web] Problema para la acc web Empty Re: [Web] Problema para la acc web Jue Jun 07, 2018 8:06 pm

    suphermx

    suphermx
    Miembro
    Miembro
    Crees que hay problema si es servidor 7.4?

    me aparece esto entrando:
    "SELECT `n`.`id`, `n`.`title`, `n`.`text`, `n`.`date`, `p`.`name` FROM `znote_news` AS `n` INNER JOIN `players` AS `p` ON `n`.`pid` = `p`.`id` ORDER BY `n`.`id` DESC;"
    (query - SQL error)
    Type: select_multi (select multiple rows from database)

    Table 'tibia.znote_news' doesn't exist


    puse el mysql_schema.sql que viene en la pagina que me pasaste dentro de la base de datos del ot usando el xampp.

    ando algo perdido aun :S pero ya entra la pagina pero con errores, creo estoy poniendo mal la base de datos. pero si es compatible verdad.



    Última edición por suphermx el Jue Jun 07, 2018 8:11 pm, editado 1 vez

    2 participantes

    4[Web] Problema para la acc web Empty Re: [Web] Problema para la acc web Jue Jun 07, 2018 8:10 pm

    [Admin] God Maya

    [Admin] God Maya
    Administrador
    Administrador
    znote_news te falta esa tabla

    entra a htdocs/engine/database/connect.php

    ahi encontraras todas las tablas para ejecutar en tu phpadmin buscas tu base de datos y te vas al menu sql y ahi ejecuta cada tabla que te falte



    [Web] Problema para la acc web YNU5B25
    2 participantes
    http://www.tibiaface.com

    5[Web] Problema para la acc web Empty Re: [Web] Problema para la acc web Jue Jun 07, 2018 8:24 pm

    suphermx

    suphermx
    Miembro
    Miembro
    me faltan bastantes tablas, nomas que no se que ponerles en los datos. queria mandar una foto ya que piden datos de:

    columna, tipo, longitudes o valores, predeterminado, cotejamiento

    2 participantes

    6[Web] Problema para la acc web Empty Re: [Web] Problema para la acc web Jue Jun 07, 2018 8:30 pm

    [Admin] God Maya

    [Admin] God Maya
    Administrador
    Administrador
    suphermx escribió:me faltan bastantes tablas, nomas que no se que ponerles en los datos. queria mandar una foto ya que piden datos de:

    columna, tipo, longitudes o valores, predeterminado, cotejamiento

    me imagino tendra que ir ejecutando una por una



    [Web] Problema para la acc web YNU5B25
    2 participantes
    http://www.tibiaface.com

    7[Web] Problema para la acc web Empty Re: [Web] Problema para la acc web Jue Jun 07, 2018 8:42 pm

    suphermx

    suphermx
    Miembro
    Miembro
    [Tienes que estar registrado y conectado para ver este vínculo]

    debo llenar esos campos? no me deja crearla sin poner nada mas

    2 participantes

    8[Web] Problema para la acc web Empty Re: [Web] Problema para la acc web Jue Jun 07, 2018 8:44 pm

    [Admin] God Maya

    [Admin] God Maya
    Administrador
    Administrador
    no amigo no tiene que entrar a ni una tabla solo entrar a su base de datos y y en menu sql ahi ejecutar la tabla del archivo php que le indique



    [Web] Problema para la acc web YNU5B25
    2 participantes
    http://www.tibiaface.com

    9[Web] Problema para la acc web Empty Re: [Web] Problema para la acc web Jue Jun 07, 2018 8:57 pm

    suphermx

    suphermx
    Miembro
    Miembro
    ahora aparece este error men:

    Warning: fopen(engine/cache/news.cache.php): failed to open stream: No such file or directory in C:\xampp\htdocs\engine\function\cache.php on line 91

    Warning: fwrite() expects parameter 1 to be resource, boolean given in C:\xampp\htdocs\engine\function\cache.php on line 92

    Warning: fclose() expects parameter 1 to be resource, boolean given in C:\xampp\htdocs\engine\function\cache.php on line 93


    2 participantes

    10[Web] Problema para la acc web Empty Re: [Web] Problema para la acc web Jue Jun 07, 2018 8:59 pm

    [Admin] God Maya

    [Admin] God Maya
    Administrador
    Administrador
    busca tu index.php en tu carpeta htdocs

    de la web que instalaste y te funciona bien

    y le agregas esto:

    Código:
    error_reporting(0);

    al principio debajo de esto:

    Código:
    <?php require_once 'engine/init.php'; include 'layout/overall/header.php';

    y con eso se soluciona el problema



    [Web] Problema para la acc web YNU5B25
    2 participantes
    http://www.tibiaface.com

    11[Web] Problema para la acc web Empty Re: [Web] Problema para la acc web Jue Jun 07, 2018 9:07 pm

    suphermx

    suphermx
    Miembro
    Miembro
    Ya quedo lo otro gracias, me sale esto al crear un jugador:

    1string(728) "INSERT INTO `players`(`name`, `group_id`, `account_id`, `level`, `vocation`, `health`, `healthmax`, `experience`, `lookbody`, `lookfeet`, `lookhead`, `looklegs`, `looktype`, `maglevel`, `mana`, `manamax`, `manaspent`, `soul`, `town_id`, `posx`, `posy`, `posz`, `conditions`, `cap`, `sex`, `lastlogin`, `lastip`, `save`, `skull_type`, `skull_time`, `rank_id`, `guildnick`, `lastlogout`, `direction`, `loss_experience`, `loss_mana`, `loss_skills`, `loss_items`, `online`, `balance`) VALUES ('Suphermx', '1', '787878', '8', '1', '185', '185', '4200', '68', '76', '78', '58', '128', '0', '35', '35', '0', '100', '1', '224', '229', '7', '', '470', '1', '0', '', '1', '0', '0', '0', '', '0', '0', '100', '100', '100', '10', '0', '0');"
    (query - SQL error)
    Type: voidQuery (voidQuery is used for update, insert or delete from database)

    Unknown column 'skull_type' in 'field list'


    2 participantes

    12[Web] Problema para la acc web Empty Re: [Web] Problema para la acc web Jue Jun 07, 2018 9:12 pm

    [Admin] God Maya

    [Admin] God Maya
    Administrador
    Administrador
    ejecute esto

    Código:
    CREATE TABLE `players` (
     
      `skull_type` int(11) NOT NULL DEFAULT '0'
     
    ) ENGINE=InnoDB  DEFAULT CHARSET=utf8 AUTO_INCREMENT=1 ;



    [Web] Problema para la acc web YNU5B25
    2 participantes
    http://www.tibiaface.com

    13[Web] Problema para la acc web Empty Re: [Web] Problema para la acc web Jue Jun 07, 2018 9:22 pm

    suphermx

    suphermx
    Miembro
    Miembro
    Error
    consulta SQL:


    CREATE TABLE `players` (

    `skull_type` int(11) NOT NULL DEFAULT '0'

    ) ENGINE=InnoDB DEFAULT CHARSET=utf8 AUTO_INCREMENT=1
    MySQL ha dicho: Documentación

    #1005 - No puedo crear tabla `tibia`.`players` (Error: 150 "Foreign key constraint is incorrectly formed") (Detalles…)


    me aparecio esto, borre la tabla que habia antes y ejecute lo que me menciono

    2 participantes

    14[Web] Problema para la acc web Empty Re: [Web] Problema para la acc web Jue Jun 07, 2018 9:26 pm

    [Admin] God Maya

    [Admin] God Maya
    Administrador
    Administrador
    entre a su phpadmin y entra a su base de datos y luego se va al menu estructura y elimina la tabla players

    y ejecuta esta

    Código:
    CREATE TABLE `players` (
      `id` int(10) unsigned NOT NULL AUTO_INCREMENT,
      `name` varchar(255) NOT NULL,
      `account_id` int(10) unsigned NOT NULL,
      `group_id` int(10) unsigned NOT NULL COMMENT 'users group',
      `sex` int(10) unsigned NOT NULL DEFAULT '0',
      `vocation` int(10) unsigned NOT NULL DEFAULT '0',
      `experience` bigint(20) unsigned NOT NULL DEFAULT '0',
      `level` int(10) unsigned NOT NULL DEFAULT '1',
      `maglevel` int(10) unsigned NOT NULL DEFAULT '0',
      `health` int(11) NOT NULL DEFAULT '100',
      `healthmax` int(11) NOT NULL DEFAULT '100',
      `mana` int(11) NOT NULL DEFAULT '100',
      `manamax` int(11) NOT NULL DEFAULT '100',
      `manaspent` int(10) unsigned NOT NULL DEFAULT '0',
      `soul` int(10) unsigned NOT NULL DEFAULT '0',
      `direction` int(10) unsigned NOT NULL DEFAULT '0',
      `lookbody` int(10) unsigned NOT NULL DEFAULT '10',
      `lookfeet` int(10) unsigned NOT NULL DEFAULT '10',
      `lookhead` int(10) unsigned NOT NULL DEFAULT '10',
      `looklegs` int(10) unsigned NOT NULL DEFAULT '10',
      `looktype` int(10) unsigned NOT NULL DEFAULT '136',
      `posx` int(11) NOT NULL DEFAULT '0',
      `posy` int(11) NOT NULL DEFAULT '0',
      `posz` int(11) NOT NULL DEFAULT '0',
      `cap` int(11) NOT NULL DEFAULT '0',
      `lastlogin` int(10) unsigned NOT NULL DEFAULT '0',
      `lastlogout` int(10) unsigned NOT NULL DEFAULT '0',
      `lastip` int(10) unsigned NOT NULL DEFAULT '0',
      `save` tinyint(1) NOT NULL DEFAULT '1',
      `conditions` blob NOT NULL COMMENT 'drunk, poisoned etc',
      `skull_type` int(11) NOT NULL DEFAULT '0',
      `skull_time` int(10) unsigned NOT NULL DEFAULT '0',
      `loss_experience` int(11) NOT NULL DEFAULT '100',
      `loss_mana` int(11) NOT NULL DEFAULT '100',
      `loss_skills` int(11) NOT NULL DEFAULT '100',
      `loss_items` int(11) NOT NULL DEFAULT '10',
      `loss_containers` int(11) NOT NULL DEFAULT '100',
      `town_id` int(11) NOT NULL COMMENT 'old masterpos, temple spawn point position',
      `balance` int(11) NOT NULL DEFAULT '0' COMMENT 'money balance of the player for houses paying',
      `online` tinyint(1) NOT NULL DEFAULT '0',
      `rank_id` int(11) NOT NULL COMMENT 'only if you use __OLD_GUILD_SYSTEM__',
      `guildnick` varchar(255) NOT NULL COMMENT 'only if you use __OLD_GUILD_SYSTEM__',
      PRIMARY KEY (`id`),
      UNIQUE KEY `name` (`name`),
      KEY `online` (`online`),
      KEY `account_id` (`account_id`),
      KEY `group_id` (`group_id`)
    ) ENGINE=InnoDB  DEFAULT CHARSET=utf8 AUTO_INCREMENT=1 ;



    [Web] Problema para la acc web YNU5B25
    2 participantes
    http://www.tibiaface.com

    15[Web] Problema para la acc web Empty Re: [Web] Problema para la acc web Jue Jun 07, 2018 9:38 pm

    suphermx

    suphermx
    Miembro
    Miembro
    si se crea pero no entra, es normal que salga asi la contraseña o esta encriptada?

    [Tienes que estar registrado y conectado para ver este vínculo]

    en el otserver no entra

    2 participantes

    16[Web] Problema para la acc web Empty Re: [Web] Problema para la acc web Jue Jun 07, 2018 9:51 pm

    [Admin] God Maya

    [Admin] God Maya
    Administrador
    Administrador
    suphermx escribió:si se crea pero no entra, es normal que salga asi la contraseña o esta encriptada?

    [Tienes que estar registrado y conectado para ver este vínculo]

    en el otserver no entra

    si es normal que salga asi encriptada tiene que desencriptar en google busca desencriptar sha1



    [Web] Problema para la acc web YNU5B25
    2 participantes
    http://www.tibiaface.com

    17[Web] Problema para la acc web Empty Re: [Web] Problema para la acc web Jue Jun 07, 2018 9:56 pm

    suphermx

    suphermx
    Miembro
    Miembro
    pero no entra porque dice que esta mal la cuenta o la contraseña

    2 participantes

    18[Web] Problema para la acc web Empty Re: [Web] Problema para la acc web Jue Jun 07, 2018 9:57 pm

    [Admin] God Maya

    [Admin] God Maya
    Administrador
    Administrador
    suphermx escribió:pero no entra porque dice que esta mal la cuenta o la contraseña

    porque eso ot solo usan en account: numeros y en password: lo que tu quieras



    [Web] Problema para la acc web YNU5B25
    2 participantes
    http://www.tibiaface.com

    19[Web] Problema para la acc web Empty Re: [Web] Problema para la acc web Jue Jun 07, 2018 9:59 pm

    suphermx

    suphermx
    Miembro
    Miembro
    que molestia disculpame la vdd, pero si te agradezco mucho..

    -- options: plain, md5, sha1

    PasswordType = "plain"




    tiene que ver que config.lua este asi? lo cambio a sha1?

    2 participantes

    20[Web] Problema para la acc web Empty Re: [Web] Problema para la acc web Jue Jun 07, 2018 10:46 pm

    [Admin] God Maya

    [Admin] God Maya
    Administrador
    Administrador
    si cambiala



    [Web] Problema para la acc web YNU5B25
    2 participantes
    http://www.tibiaface.com

    21[Web] Problema para la acc web Empty Re: [Web] Problema para la acc web Vie Jun 08, 2018 12:54 am

    suphermx

    suphermx
    Miembro
    Miembro
    ya quedo lo de la contraseña al cambiar el método de descifrado, pero el jugador sigue sin conseguir entrar aparece el siguiente error:
    [Tienes que estar registrado y conectado para ver este vínculo]

    la posición si la puse bien

    2 participantes

    22[Web] Problema para la acc web Empty Re: [Web] Problema para la acc web Vie Jun 08, 2018 1:01 am

    [Admin] God Maya

    [Admin] God Maya
    Administrador
    Administrador
    ejecuta esto en en tu base de datos


    Código:
    ALTER TABLE `players` ADD `redskulltime` BIGINT NOT NULL DEAFULT 0;



    [Web] Problema para la acc web YNU5B25
    2 participantes
    http://www.tibiaface.com

    23[Web] Problema para la acc web Empty Re: [Web] Problema para la acc web Vie Jun 08, 2018 1:22 am

    suphermx

    suphermx
    Miembro
    Miembro
    me aparece este error aun

    [Tienes que estar registrado y conectado para ver este vínculo]

    al intentar accesar al otserver, ya ejecute lo de redskulltime

    2 participantes

    24[Web] Problema para la acc web Empty Re: [Web] Problema para la acc web Vie Jun 08, 2018 1:28 am

    [Admin] God Maya

    [Admin] God Maya
    Administrador
    Administrador
    agregue esto

    Código:
    ALTER TABLE `players` ADD `redskull` INT(11) DEFAULT 0;



    [Web] Problema para la acc web YNU5B25
    2 participantes
    http://www.tibiaface.com

    25[Web] Problema para la acc web Empty Re: [Web] Problema para la acc web Vie Jun 08, 2018 1:53 am

    suphermx

    suphermx
    Miembro
    Miembro
    gracias si ya quedo nomas esto como lo quito disculpa:

    ecord of players online: 1 on
    Notice: Undefined index: timestamp in C:\xampp\htdocs\layout\sub\whoisonline.php on line 8
    1 Jan 1970.
    Currently 0 players are online.


    lo de undefined index.


    y como cambio la contraseña para la base de datos
    estoy usando xampp v3.2.2

    phpmyadmin 4.8.0.1

    ya en lo demas yo la cambio nomas para ver donde es para cambiarla en el programa para despues cambiarla en lo demas

    2 participantes

    Contenido patrocinado


    2 participantes

    Ver el tema anterior Ver el tema siguiente Volver arriba  Mensaje (Página 1 de 2.)

    Ir a la página : 1, 2  Siguiente

    Permisos de este foro:
    No puedes responder a temas en este foro.

     

    BienvenidosTibiaFace es una comunidad de Open Tibia. Para participar debes estar registrado (click para Regístrate).