Tudo que ericleltonn postou
-
[Link Quebrado]Pokémon Mythology
eu fiz ele abrir e tudo porem na hora de logar da erro de login mesmo tentando logar as contas da datava base sei se é culpa da config lua ou do cliente se puder me ajudar segue abaixo a config do cliente: EnterGame = { } -- private variables local loadBox local enterGame local motdWindow local motdButton local enterGameButton local clientBox local protocolLogin local motdEnabled = false -- private functions local function onError(protocol, message, errorCode) if loadBox then loadBox:destroy() loadBox = nil end if not errorCode then EnterGame.clearAccountFields() end local errorBox = displayErrorBox(tr('Login Error'), message) connect(errorBox, { onOk = EnterGame.show }) end local function onMotd(protocol, motd) G.motdNumber = tonumber(motd:sub(0, motd:find("\n"))) G.motdMessage = motd:sub(motd:find("\n") + 1, #motd) if motdEnabled then motdButton:show() end end local function onCharacterList(protocol, characters, account, otui) -- Try add server to the server list ServerList.add(G.host, G.port, g_game.getProtocolVersion()) if enterGame:getChildById('rememberPasswordBox'):isChecked() then local account = g_crypt.encrypt(G.account) local password = g_crypt.encrypt(G.password) g_settings.set('account', account) g_settings.set('password', password) ServerList.setServerAccount(G.host, account) ServerList.setServerPassword(G.host, password) g_settings.set('autologin', enterGame:getChildById('autoLoginBox'):isChecked()) else -- reset server list account/password ServerList.setServerAccount(G.host, '') ServerList.setServerPassword(G.host, '') EnterGame.clearAccountFields() end loadBox:destroy() loadBox = nil CharacterList.create(characters, account, otui) CharacterList.show() if motdEnabled then local lastMotdNumber = g_settings.getNumber("motd") if G.motdNumber and G.motdNumber ~= lastMotdNumber then g_settings.set("motd", motdNumber) motdWindow = displayInfoBox(tr('Message of the day'), G.motdMessage) connect(motdWindow, { onOk = function() CharacterList.show() motdWindow = nil end }) CharacterList.hide() end end end local function onUpdateNeeded(protocol, signature) loadBox:destroy() loadBox = nil if EnterGame.updateFunc then local continueFunc = EnterGame.show local cancelFunc = EnterGame.show EnterGame.updateFunc(signature, continueFunc, cancelFunc) else local errorBox = displayErrorBox(tr('Update needed'), tr('Your client needs update, try redownloading it.')) connect(errorBox, { onOk = EnterGame.show }) end end -- public functions function EnterGame.init() enterGame = g_ui.displayUI('entergame') -- enterGameButton = modules.client_topmenu.addLeftButton('enterGameButton', tr('Login') .. ' (Ctrl + G)', '/images/topbuttons/login', EnterGame.openWindow) -- enterGameButton:setWidth(23) -- motdButton = modules.client_topmenu.addLeftButton('motdButton', tr('Message of the day'), '/images/topbuttons/motd', EnterGame.displayMotd) -- motdButton:setWidth(31) -- motdButton:hide() g_keyboard.bindKeyDown('Ctrl+G', EnterGame.openWindow) if motdEnabled and G.motdNumber then motdButton:show() end local account = g_settings.get('account') local password = g_settings.get('password') local host = g_settings.get('host') local port = g_settings.get('port') local autologin = g_settings.getBoolean('autologin') local clientVersion = g_settings.getInteger('client-version') if clientVersion == 0 then clientVersion = 860 end if port == nil or port == 0 then port = 7171 end EnterGame.setAccountName(account) EnterGame.setPassword(password) enterGame:getChildById('serverHostTextEdit'):setText(host) enterGame:getChildById('serverPortTextEdit'):setText(port) enterGame:getChildById('autoLoginBox'):setChecked(autologin) clientBox = enterGame:getChildById('clientComboBox') for _, proto in pairs(g_game.getSupportedClients()) do clientBox:addOption(proto) end clientBox:setCurrentOption(clientVersion) enterGame:hide() if g_app.isRunning() and not g_game.isOnline() then enterGame:show() end EnterGame.setUniqueServer('127.0.0.1', 7171, 854, 390, 390) -- 127.0.0.1 end function EnterGame.firstShow() EnterGame.show() local account = g_crypt.decrypt(g_settings.get('account')) local password = g_crypt.decrypt(g_settings.get('password')) local host = g_settings.get('host') local autologin = g_settings.getBoolean('autologin') if #host > 0 and #password > 0 and #account > 0 and autologin then addEvent(function() if not g_settings.getBoolean('autologin') then return end EnterGame.doLogin() end) end end function EnterGame.terminate() g_keyboard.unbindKeyDown('Ctrl+G') enterGame:destroy() enterGame = nil enterGameButton:destroy() enterGameButton = nil clientBox = nil if motdWindow then motdWindow:destroy() motdWindow = nil end if motdButton then motdButton:destroy() motdButton = nil end if loadBox then loadBox:destroy() loadBox = nil end if protocolLogin then protocolLogin:cancelLogin() protocolLogin = nil end EnterGame = nil end function EnterGame.show() if loadBox then return end enterGame:show() enterGame:raise() enterGame:focus() end function EnterGame.hide() enterGame:hide() end function EnterGame.openWindow() if g_game.isOnline() then CharacterList.show() elseif not g_game.isLogging() and not CharacterList.isVisible() then EnterGame.show() end end function EnterGame.setAccountName(account) local account = g_crypt.decrypt(account) enterGame:getChildById('accountNameTextEdit'):setText(account) enterGame:getChildById('accountNameTextEdit'):setCursorPos(-1) enterGame:getChildById('rememberPasswordBox'):setChecked(#account > 0) end function EnterGame.setPassword(password) local password = g_crypt.decrypt(password) enterGame:getChildById('accountPasswordTextEdit'):setText(password) end function EnterGame.clearAccountFields() enterGame:getChildById('accountNameTextEdit'):clearText() enterGame:getChildById('accountPasswordTextEdit'):clearText() enterGame:getChildById('accountNameTextEdit'):focus() g_settings.remove('account') g_settings.remove('password') end function EnterGame.doLogin() G.account = enterGame:getChildById('accountNameTextEdit'):getText() G.password = enterGame:getChildById('accountPasswordTextEdit'):getText() G.host = enterGame:getChildById('serverHostTextEdit'):getText() G.port = tonumber(enterGame:getChildById('serverPortTextEdit'):getText()) local clientVersion = tonumber(clientBox:getText()) EnterGame.hide() if g_game.isOnline() then local errorBox = displayErrorBox(tr('Login Error'), tr('Cannot login while already in game.')) connect(errorBox, { onOk = EnterGame.show }) return end g_settings.set('host', G.host) g_settings.set('port', G.port) g_settings.set('client-version', clientVersion) protocolLogin = ProtocolLogin.create() protocolLogin.onLoginError = onError protocolLogin.onMotd = onMotd protocolLogin.onCharacterList = onCharacterList protocolLogin.onUpdateNeeded = onUpdateNeeded loadBox = displayCancelBox(tr('Please wait'), tr('Connecting to login server...')) connect(loadBox, { onCancel = function(msgbox) loadBox = nil protocolLogin:cancelLogin() EnterGame.show() end }) g_game.chooseRsa(G.host) g_game.setClientVersion(clientVersion) g_game.setProtocolVersion(g_game.getProtocolVersionForClient(clientVersion)) if modules.game_things.isLoaded() then protocolLogin:login(G.host, G.port, G.account, G.password) else loadBox:destroy() loadBox = nil EnterGame.show() end end function EnterGame.displayMotd() if not motdWindow then motdWindow = displayInfoBox(tr('Message of the day'), G.motdMessage) motdWindow.onOk = function() motdWindow = nil end end end function EnterGame.setDefaultServer(host, port, protocol) local hostTextEdit = enterGame:getChildById('serverHostTextEdit') local portTextEdit = enterGame:getChildById('serverPortTextEdit') local clientLabel = enterGame:getChildById('clientLabel') local accountTextEdit = enterGame:getChildById('accountNameTextEdit') local passwordTextEdit = enterGame:getChildById('accountPasswordTextEdit') if hostTextEdit:getText() ~= host then hostTextEdit:setText(host) portTextEdit:setText(port) clientBox:setCurrentOption(protocol) accountTextEdit:setText('') passwordTextEdit:setText('') end end function EnterGame.setUniqueServer(host, port, protocol, windowWidth, windowHeight) local hostTextEdit = enterGame:getChildById('serverHostTextEdit') hostTextEdit:setText(host) hostTextEdit:setVisible(false) hostTextEdit:setHeight(0) local portTextEdit = enterGame:getChildById('serverPortTextEdit') portTextEdit:setText(port) portTextEdit:setVisible(false) portTextEdit:setHeight(0) clientBox:setCurrentOption(protocol) clientBox:setVisible(false) clientBox:setHeight(0) local serverLabel = enterGame:getChildById('serverLabel') serverLabel:setVisible(false) serverLabel:setHeight(0) local portLabel = enterGame:getChildById('portLabel') portLabel:setVisible(false) portLabel:setHeight(0) local clientLabel = enterGame:getChildById('clientLabel') clientLabel:setVisible(false) clientLabel:setHeight(0) local serverListButton = enterGame:getChildById('serverListButton') serverListButton:setVisible(false) serverListButton:setHeight(0) serverListButton:setWidth(0) local rememberPasswordBox = enterGame:getChildById('rememberPasswordBox') rememberPasswordBox:setMarginTop(-5) if not windowWidth then windowWidth = 236 end enterGame:setWidth(windowWidth) if not windowHeight then windowHeight = 200 end enterGame:setHeight(windowHeight) end function EnterGame.setServerInfo(message) local label = enterGame:getChildById('serverInfoLabel') label:setText(message) end function EnterGame.disableMotd() motdEnabled = false motdButton:hide() end
-
[DxP] Exclusivo Poketibia OpenSource+Cliente+Site+DB
fala cara blz baixei seu ot para testar só aqui na minha maquina pode me explicar passo a passo como faço isso sem ter que criar site e etc? pq toda x que tento o cliente fica dando erro de autenticação no cliente se puder ajudar 1 novato fico grato pq nao sei nada sobre o que é sources sites e etcs
- [Link Quebrado]Pokémon Mythology
-
Como fazer um ot rodar na minha maquina
quando eu ligo o apache ele funciona mais o cara não mostra isso no vídeo, minha versão é o xampp-win32-7.0.8-0-VC14-installer, relembrando que as db que tentei importar la deu aquele erro ali
-
Como fazer um ot rodar na minha maquina
deu o mesmo coisa :x
-
Como fazer um ot rodar na minha maquina
cara meu sistema operacional é 64 bits e no site do xampp só acho pra win7 em 32 bits, tens como me mandar o link com o download certo? baixei a versão 32 bits e esta funcionando, cara tem um erro aqui na hora da importação da data base também não consigo acessar igual no vídeo ali em http://localhost/phpmyadmin/ quando clico em Admin ele fica assim, já desliguei o firewall porem nada mudou, e não uso proxy e minha internet é boa.
-
Como fazer um ot rodar na minha maquina
então me ensine passo a passo
-
Como fazer um ot rodar na minha maquina
Olá pessoal esse é meu segundo Tópico referente a problemas em abrir o meu Ot server(apenas para mim no meu computador), é seguinte eu baixei um global 10.90 editador aqui mesmo no TK (OT QUE EU BAIXEI) bom pra quem tem duvidas do que eu fiz eu não fiz absolutamente nada pois eu não sei o que fazer pois sou comecei a mexer com isso agora, então apenas baixei Servidor + Mapa + Executável 64bits e as Sources(não sei pra que server e nem o que se faz com isso) apenas vou na pasta que está assim e abro o Forgontten Server que dá o seguinte error então pessoal minha duvida é o seguinte, mais para deixar bem claro quero apenas que o ot abra aqui no meu pc não por site nem para outros players apenas quero que eu possa logar. o que eu faço? mostrem me passo a passo por favor se não for pedir muito, peço também que me expliquem o que é sources e pra que server, obrigado, estarei retribuindo com rep quem me ajudar, sou novo no fórum também qual quer erro já peço desculpa. só para constar minha configuração.lua é essa worldType = "pvp" hotkeyAimbotEnabled = true protectionLevel = 100 killsToRedSkull = 3 killsToBlackSkull = 6 pzLocked = 60000 removeChargesFromRunes = false timeToDecreaseFrags = 24 * 60 * 60 * 1000 whiteSkullTime = 15 * 60 * 1000 stairJumpExhaustion = 2000 experienceByKillingPlayers = false expFromPlayersLevelRange = 75 ip = "127.0.0.1" bindOnlyGlobalAddress = false loginProtocolPort = 7171 gameProtocolPort = 7172 statusProtocolPort = 7171 maxPlayers = 800 motd = "Bem Vindo ao LKing Open Tibia Server!" onePlayerOnlinePerAccount = false allowClones = false serverName = "LKing" statusTimeout = 5000 replaceKickOnLogin = true maxPacketsPerSecond = 25 enableLiveCasting = true liveCastPort = 7173 deathLosePercent = -1 housePriceEachSQM = 10000 houseRentPeriod = "never" timeBetweenActions = 200 timeBetweenExActions = 1000 mapName = "forgotten" mapAuthor = "Lukaz Giovanni" marketOfferDuration = 30 * 24 * 60 * 60 premiumToCreateMarketOffer = false checkExpiredMarketOffersEachMinutes = 60 maxMarketOffersAtATimePerPlayer = 100 mysqlHost = "127.0.0.1" mysqlUser = "root" mysqlPass = "SENHA" mysqlDatabase = "NOME DATABASE" mysqlPort = 3306 mysqlSock = "" passwordType = "sha1" allowChangeOutfit = true freePremium = true kickIdlePlayerAfterMinutes = 720 maxMessageBuffer = 4 emoteSpells = false classicEquipmentSlots = false rateExp = 10000 rateSkill = 250 rateLoot = 17 rateMagic = 150 rateSpawn = 1 deSpawnRange = 2 deSpawnRadius = 50 staminaSystem = false warnUnsafeScripts = true convertUnsafeScripts = true defaultPriority = "high" startupDatabaseOptimization = false ownerName = "" ownerEmail = "" url = "https://otland.net/" location = "Sweden"
-
Failed connecting to database
Já fiz e continua a mesma coisa fiz novamente com a lua zerada que peguei devolta do winrar e foi agora estou com 1 problema no client kkk
-
Failed connecting to database
cara você me entendeu, porem eu quero que ele rode apenas no meu pc, não que ele fique on, porem essa configuração lua é um poco diferente segue a baixo, se você conseguir corrigir pra mim pra ele rodar aqui no meu pc agradeço! -------------------------------------------------------------------------------- -- Se TRUE, ele muda a o ip do server para LOCALHOST e tira a senha da database SERVER_RODANDO_NO_DEDICADO = false SERVER_RODANDO_NO_VPS_PRIVATE = true SERVER_RODANDO_NO_NOTE_DO_GABRIEL = false SERVER_MODO_DE_TESTES = false -------------------------------------------------------------------------------- -- Versao do sistema operacional permitido pra jogar (Na verdade é a versao maqueada, um truque pra nao burlarem o updater) OPC_ALLOWED_VERSION = 0xBE -- Se 0, então não existe verificação OPC_ALLOWED_VERSION_FAIL_STRING = "Download the new client again at http://worldofpieceonline.com/library/downloads" ------------------------------------ OPC_LUFFY_OUTFIT_FUUSEN = 270 OPC_LUFFY_DEF_OUTFIT_FUUSEN = 3.3 OPC_LUFFY_OUTFIT_FUUSEN_PINK = 271 OPC_LUFFY_DEF_OUTFIT_FUUSEN_PINK = 4.0 OPC_LUFFY_OUTFIT_FUUSEN_2 = 61 OPC_LUFFY_DEF_OUTFIT_FUUSEN_2 = 3.3 OPC_LUFFY_OUTFIT_FUUSEN_PINK_2 = 62 OPC_LUFFY_DEF_OUTFIT_FUUSEN_PINK_2 = 4.0 ------------------------------------ OPC_CHOPPER_OUTFIT_WALK_POINT = 338 -- Definir os outfits que receberão a variação de dano / def OPC_CHOPPER_OUTFIT_HEAVY_POINT = 324 OPC_CHOPPER_OUTFIT_GUARD_POINT = 342 OPC_CHOPPER_OUTFIT_GUARD_POINT_ROLLOUT = 343 OPC_CHOPPER_OUTFIT_JUMP_POINT = 359 OPC_CHOPPER_OUTFIT_HORN_POINT = 358 OPC_CHOPPER_OUTFIT_ARM_POINT = 344 OPC_CHOPPER_DAMAGE_WALK_POINT = 1.1 -- dano * x OPC_CHOPPER_DAMAGE_HEAVY_POINT = 1.2 OPC_CHOPPER_DAMAGE_GUARD_POINT = 0.6 OPC_CHOPPER_DAMAGE_GUARD_POINT_ROLLOUT = 0.5 OPC_CHOPPER_DAMAGE_JUMP_POINT = 1.35 OPC_CHOPPER_DAMAGE_HORN_POINT = 1.45 OPC_CHOPPER_DAMAGE_ARM_POINT = 1.6 OPC_CHOPPER_DEF_WALK_POINT = 1.0 -- defense / x OPC_CHOPPER_DEF_HEAVY_POINT = 1.0 OPC_CHOPPER_DEF_GUARD_POINT = 1.5 OPC_CHOPPER_DEF_GUARD_POINT_ROLLOUT = 1.5 OPC_CHOPPER_DEF_JUMP_POINT = 1.0 OPC_CHOPPER_DEF_HORN_POINT = 1.0 OPC_CHOPPER_DEF_ARM_POINT = 1.0 moveThingDelay = 200 -- exhaust para o player mover item potionExaustionEnabled = true -- exhaust para usar potion enquanto anda potionExaustionGroundSpeed = 150 -- speed padrão para todos os pisos na hora do exhaust OPC_RED_SKULL_EXP_PERCENT_LOSS = 0.85 -- Quanto de exp red skull vai ganhar (1.0 == 100%) OPC_RED_SKULL_PLAYER_DAMAGE = 1.15 -- Dano que red skull toma de player WOP_LUFFY_BLOCK_PHYSICAL = 10 -- porcentagem que o luffy bloqueia de dano physical WOP_CRITICAL_USOPP_BONUS = 4 -- soma ao critical normal WOP_CRITICAL_CHOPPER_BRAIN_POINT_BONUS = 4 -- soma ao critical normal -- lua only protectLootAndExpUntilLevel = 10 -- proteger exp e loot ate este level requiredLevelToGetProfission = 3 -------------------------------------------------------------------------------- -- Account manager accountManager = false namelockManager = false newPlayerChooseVoc = false newPlayerSpawnPosX = 1026 newPlayerSpawnPosY = 1132 newPlayerSpawnPosZ = 7 newPlayerTownId = 1 newPlayerLevel = 1 newPlayerMagicLevel = 1 generateAccountNumber = false -- Unjustified kills -- NOTE: *Banishment and *BlackSkull variables are >summed up< -- (dailyFragsToRedSkull + dailyFragsToBanishment) with their -- *RedSkull equivalents. -- Auto banishing works only if useBlackSkull set to negative. -- advancedFragList is not advised if you use huge frags -- requirements. redSkullLength = 5 * 24 * 60 * 60 blackSkullLength = 45 * 24 * 60 * 60 dailyFragsToRedSkull = 3 weeklyFragsToRedSkull = 5 monthlyFragsToRedSkull = 10 dailyFragsToBlackSkull = dailyFragsToRedSkull weeklyFragsToBlackSkull = weeklyFragsToRedSkull monthlyFragsToBlackSkull = monthlyFragsToRedSkull dailyFragsToBanishment = 8 weeklyFragsToBanishment = 16 monthlyFragsToBanishment = 32 blackSkulledDeathHealth = 400 blackSkulledDeathMana = 0 useBlackSkull = false useFragHandler = true advancedFragList = false -- Banishments -- violationNameReportActionType 1 = just a report, 2 = name lock, 3 = player banishment -- killsBanLength works only if useBlackSkull option is disabled. notationsToBan = 3 warningsToFinalBan = 4 warningsToDeletion = 5 banLength = 7 * 24 * 60 * 60 killsBanLength = 1 * 24 * 60 * 60 finalBanLength = 30 * 24 * 60 * 60 ipBanishmentLength = 1 * 24 * 60 * 60 broadcastBanishments = false maxViolationCommentSize = 200 violationNameReportActionType = 2 autoBanishUnknownBytes = false -- Battle -- NOTE: showHealingDamageForMonsters inheritates from showHealingDamage. -- loginProtectionPeriod is the famous Tibia anti-magebomb system. -- deathLostPercent set to nil enables manual mode. worldType = "pvp" protectionLevel = 15 pvpTileIgnoreLevelAndVocationProtection = true pzLocked = 60 * 1000 huntingDuration = 60 * 1000 criticalHitChance = 1 criticalHitMultiplier = 1.5 displayCriticalHitNotify = true removeWeaponAmmunition = true removeWeaponCharges = true removeRuneCharges = true whiteSkullTime = 15 * 60 * 1000 noDamageToSameLookfeet = false showHealingDamage = false showHealingDamageForMonsters = false fieldOwnershipDuration = 10 * 1000 stopAttackingAtExit = false oldConditionAccuracy = false loginProtectionPeriod = 1 deathLostPercent = 7 stairhopDelay = 2 * 1000 pushCreatureDelay = 2 * 1000 deathContainerId = 309 gainExperienceColor = 215 addManaSpentInPvPZone = true squareColor = 0 allowFightback = true -- Connection config worldId = 0 ip = "127.0.0.1" bindOnlyConfiguredIpAddress = false loginPort = 7171 gamePort = 7172 adminPort = 7171 statusPort = 7171 loginTries = 10 retryTimeout = 5 * 1000 loginTimeout = 60 * 1000 maxPlayers = 300 motd = "Welcome to World Of Piece!" displayOnOrOffAtCharlist = false onePlayerOnlinePerAccount = true allowClones = false serverName = "WOP" -- "World of Piece" loginMessage = "Welcome to World of Piece!" statusTimeout = 1 * 60 * 1000 -- Delay minimo pra coletar informações tipo online, uptime, players online, npcs, mapa, monstros, etc replaceKickOnLogin = true forceSlowConnectionsToDisconnect = false loginOnlyWithLoginServer = false premiumPlayerSkipWaitList = true -- Database -- NOTE: sqlFile is used only by sqlite database, and sqlKeepAlive by mysql database. -- To disable sqlKeepAlive such as mysqlReadTimeout use 0 value. sqlType = "sqlite" sqlHost = "localhost" sqlPort = 3306 sqlUser = "root" sqlPass = "gabriel123" sqlDatabase = "onepiece" sqlFile = "config" sqlKeepAlive = 0 mysqlReadTimeout = 10 mysqlWriteTimeout = 10 encryptionType = "sha1" ----------------------------------------------------------------------------------------------------------------------------------------------------------- if SERVER_RODANDO_NO_DEDICADO then ip = "192.99.38.130" sqlType = "mysql" sqlPass = "Happysafe321" sqlDatabase = "onepiece" end if SERVER_RODANDO_NO_VPS_PRIVATE then ip = "158.69.0.134" sqlType = "mysql" sqlPass = "Happysafe321" sqlDatabase = "onepiece" motd = "SERVIDOR PRIVADO WORLD OF PIECE" serverName = "WOP PRIVATE VPS" SERVER_MODO_DE_TESTES = true end if SERVER_RODANDO_NO_NOTE_DO_GABRIEL then ip = "localhost" sqlType = "mysql" sqlPass = "gabriel123" sqlDatabase = "onepiece" serverName = "OFF-PIECE" end if SERVER_MODO_DE_TESTES then pzLocked = 500 loginMessage = "Server em modo de testes." onePlayerOnlinePerAccount = false end ----------------------------------------------------------------------------------------------------------------------------------------------------------- -- Deathlist deathListEnabled = true deathListRequiredTime = 1 * 60 * 1000 deathAssistCount = 19 maxDeathRecords = 5 -- Guilds ingameGuildManagement = false levelToFormGuild = 8 premiumDaysToFormGuild = 0 guildNameMinLength = 4 guildNameMaxLength = 20 -- Highscores highscoreDisplayPlayers = 15 updateHighscoresAfterMinutes = 60 -- Houses buyableAndSellableHouses = true houseNeedPremium = true bedsRequirePremium = true levelToBuyHouse = 20 housesPerAccount = 1 houseRentAsPrice = true housePriceAsRent = false housePriceEachSquare = 100 houseRentPeriod = "month" houseCleanOld = 0 guildHalls = true -- Item usage timeBetweenActions = 200 timeBetweenExActions = 1000 hotkeyAimbotEnabled = true -- Map -- NOTE: storeTrash costs more memory, but will perform alot faster cleaning. mapName = "World Of Piece" mapAuthor = "WOP" randomizeTiles = true storeTrash = true cleanProtectedZones = true mailboxDisabledTowns = "-1" -- Process -- NOTE: defaultPriority works only on Windows and niceLevel on *nix -- coresUsed are seperated by comma cores ids used by server process, -- default is -1, so it stays untouched (automaticaly assigned by OS). defaultPriority = "high" niceLevel = 5 coresUsed = "-1" -- Startup optimizeDatabaseAtStartup = true removePremiumOnInit = true confirmOutdatedVersion = false -- Spells formulaLevel = 5.0 formulaMagic = 1.0 bufferMutedOnSpellFailure = false spellNameInsteadOfWords = true emoteSpells = true -- Outfits allowChangeOutfit = false -- nao uso mais o sistema do TFS allowChangeColors = false allowChangeAddons = false disableOutfitsForPrivilegedPlayers = false addonsOnlyPremium = true -- Miscellaneous -- NOTE: promptExceptionTracerErrorBox works only with precompiled support feature, -- called "exception tracer" (__EXCEPTION_TRACER__ flag). dataDirectory = "data/" bankSystem = true displaySkillLevelOnAdvance = false promptExceptionTracerErrorBox = true separateViplistPerCharacter = false maximumDoorLevel = 500 maxMessageBuffer = 4 -- Saving-related -- useHouseDataStorage usage may be found at README. saveGlobalStorage = false useHouseDataStorage = false storePlayerDirection = false -- Loot -- monsterLootMessage 0 to disable, 1 - only party, 2 - only player, 3 - party or player (like Tibia's) checkCorpseOwner = false monsterLootMessage = 2 monsterLootMessageType = 25 -- Ghost mode ghostModeInvisibleEffect = false ghostModeSpellEffects = true -- Limits idleWarningTime = 14 * 60 * 1000 idleKickTime = 15 * 60 * 1000 expireReportsAfterReads = 1 playerQueryDeepness = 2 maxItemsPerPZTile = 0 maxItemsPerHouseTile = 0 -- Premium-related freePremium = false premiumForPromotion = true -- Blessings -- NOTE: blessingReduction* regards items/containers loss. -- eachBlessReduction is how much each bless reduces the experience/magic/skills loss. blessingOnlyPremium = false blessingReductionBase = 30 blessingReductionDecreament = 5 eachBlessReduction = 8 -- Rates -- NOTE: experienceStages configuration is located in data/XML/stages.xml. -- rateExperienceFromPlayers 0 to disable. experienceStages = true rateExperienceFromPlayers = 0 rateExperience = 1.0 rateSkill = 2.0 rateMagic = 1.0 rateLoot = 1.0 rateSpawn = 50 PLAYER_BLOCKS_RESPAWN = true -- by WOP -- Monster rates rateMonsterHealth = 1.0 rateMonsterMana = 1.0 rateMonsterAttack = 1.0 rateMonsterDefense = 1.0 -- Experience from players -- NOTE: min~Threshold* set to 0 will disable the minimum threshold: -- player will gain experience from every lower leveled player. -- max~Threshold* set to 0 will disable the maximum threshold: -- player will gain experience from every higher leveled player. minLevelThresholdForKilledPlayer = 0.9 maxLevelThresholdForKilledPlayer = 1.1 -- Stamina -- NOTE: Stamina is stored in miliseconds, so seconds are multiplied by 1000. -- rateStaminaHits multiplies every hit done a creature, which are later -- multiplied by player attack speed. -- rateStaminaGain is divider of every logged out second, eg: -- 60000 / 3 = 20000 milliseconds, what gives 20 stamina seconds for 1 minute being logged off. -- rateStaminaThresholdGain is divider for the premium stamina. -- staminaRatingLimit* is in minutes. rateStaminaLoss = 1 rateStaminaGain = 3 rateStaminaThresholdGain = 12 staminaRatingLimitTop = 41 * 60 staminaRatingLimitBottom = 14 * 60 rateStaminaAboveNormal = 1.5 rateStaminaUnderNormal = 0.5 staminaThresholdOnlyPremium = true -- Party -- NOTE: experienceShareLevelDifference is float number. -- experienceShareLevelDifference is highestLevel * value experienceShareRadiusX = 30 experienceShareRadiusY = 30 experienceShareRadiusZ = 1 experienceShareLevelDifference = 2 / 3 extraPartyExperienceLimit = 20 extraPartyExperiencePercent = 15 experienceShareActivity = 2 * 60 * 1000 -- Global save -- NOTE: globalSaveHour means like 03:00, not that it will save every 3 hours, -- if you want such a system please check out data/globalevents/globalevents.xml. globalSaveEnabled = false globalSaveHour = 8 shutdownAtGlobalSave = true cleanMapAtGlobalSave = false -- Spawns deSpawnRange = 2 deSpawnRadius = 40 -- Summons maxPlayerSummons = 2 teleportAllSummons = false teleportPlayerSummons = false -- Status ownerName = "" ownerEmail = "[email protected]" url = "http://worldofpieceonline.com" location = "Brasil" displayGamemastersWithOnlineCommand = false -- Logs -- NOTE: This kind of logging does not work in GUI version. -- For such, please compile the software with __GUI_LOGS__ flag. adminLogsEnabled = false displayPlayersLogging = false prefixChannelLogs = "" runFile = "" outLogName = "" errorLogName = "" truncateLogsOnStartup = false --------------------------------------------------------------------------------
-
Failed connecting to database
-
Failed connecting to database
Cara obrigado pela atenção, mais tem como explicar mais detalhadamente como eu já disse sou novo nisso e não entendo nada
-
Failed connecting to database
eu tirei a print do error errado desculpe me!
-
Failed connecting to database
Olá amigos do Tibia King, estou com um problema porem sou novato na criação de otserver e não entendo muita coisa(praticamente nada) e venho aqui pedir a ajuda de vocês, estou com o seguinte problema para colocar um ot online aqui mesmo no meu pc so para mim começar a mexer e editar que baixei de tibia one piece aqui mesmo no Tibia King(ESSE OT AQUI) o erro é o seguinte Failed connecting to database - MYSQL ERROR: Can't connect to MySQL server on 'localhost' (10061) (2003) [29/08/2016 09:22:12] > ERROR: Couldn't estabilish connection to SQL database! espero que voce me ajudem pois só baixei o OT e não fiz alteração alguma, e como já falei sou novo e não sei nem por onde começar a resolver esse problema.