
Fabricio Soares
Membro
-
Registro em
-
Última visita
Histórico de Curtidas
-
Fabricio Soares deu reputação a Natanael Beckman em GesiorACC 2019 8.60 UPDATE 29/06/2019Obrigado Thiago pelo agradecimento, é muito importante!
-
Fabricio Soares deu reputação a Natanael Beckman em Trade OFF - Shop OfflineEsse sistema disponibiliza uma negociação offline, onde você oferta um item e esse item é divulgado no site do server e qualquer player pode comprar o item utilizando um comando especificado.
Crie uma arquivo .lua dentro da pasta data/talkactions/scripts com o nome auctionsystem.lua, dentro do mesmo adicione o code:
local config = { levelRequiredToAdd = 20, maxOffersPerPlayer = 5, SendOffersOnlyInPZ = true, blocked_items = {2165, 2152, 2148, 2160, 2166, 2167, 2168, 2169, 2202, 2203, 2204, 2205, 2206, 2207, 2208, 2209, 2210, 2211, 2212, 2213, 2214, 2215, 2343, 2433, 2640, 6132, 6300, 6301, 9932, 9933} } function onSay(cid, words, param, channel) if(param == '') then doPlayerSendTextMessage(cid, MESSAGE_STATUS_CONSOLE_BLUE, "Command requires param.") return true end local t = string.explode(param, ",") if(t[1] == "add") then if((not t[2]) or (not t[3]) or (not t[4])) then doPlayerSendTextMessage(cid, MESSAGE_STATUS_CONSOLE_BLUE, "Command requires param.") return true end if(not tonumber(t[3]) or (not tonumber(t[4]))) then doPlayerSendTextMessage(cid, MESSAGE_STATUS_CONSOLE_BLUE, "You don't set valid price or items count.") return true end if(string.len(t[3]) > 7 or (string.len(t[4]) > 3)) then doPlayerSendTextMessage(cid, MESSAGE_STATUS_CONSOLE_BLUE, "This price or item count is too high.") return true end local item = getItemIdByName(t[2]) if(not item) then doPlayerSendTextMessage(cid, MESSAGE_STATUS_CONSOLE_BLUE, "Item wich such name does not exists.") return true end if(getPlayerLevel(cid) < config.levelRequiredToAdd) then doPlayerSendTextMessage(cid, MESSAGE_STATUS_CONSOLE_BLUE, "You don't have required (" .. config.levelRequiredToAdd .. ") level.") return true end if(isInArray(config.blocked_items, item)) then doPlayerSendTextMessage(cid, MESSAGE_STATUS_CONSOLE_BLUE, "This item is blocked.") return true end if(getPlayerItemCount(cid, item) < (tonumber(t[4]))) then doPlayerSendTextMessage(cid, MESSAGE_STATUS_CONSOLE_BLUE, "Sorry, you don't have this item(s).") return true end local check = db.getResult("SELECT `id` FROM `auction_system` WHERE `player` = " .. getPlayerGUID(cid) .. ";") if(check:getID() == -1) then elseif(check:getRows(true) >= config.maxOffersPerPlayer) then doPlayerSendTextMessage(cid, MESSAGE_STATUS_CONSOLE_BLUE, "Sorry you can't add more offers (max. " .. config.maxOffersPerPlayer .. ")") return true end if(config.SendOffersOnlyInPZ) then if(not getTilePzInfo(getPlayerPosition(cid))) then doPlayerSendTextMessage(cid, MESSAGE_STATUS_CONSOLE_BLUE, "You must be in PZ area when you add offert to database.") return true end end if(tonumber(t[4]) < 1 or (tonumber(t[3]) < 1)) then doPlayerSendTextMessage(cid, MESSAGE_STATUS_CONSOLE_BLUE, "You have to type a number higher than 0.") return true end local itemcount, costgp = math.floor(t[4]), math.floor(t[3]) doPlayerRemoveItem(cid, item, itemcount) db.executeQuery("INSERT INTO `auction_system` (`player`, `item_name`, `item_id`, `count`, `cost`, `date`) VALUES (" .. getPlayerGUID(cid) .. ", \"" .. t[2] .. "\", " .. getItemIdByName(t[2]) .. ", " .. itemcount .. ", " .. costgp ..", " .. os.time() .. ")") doPlayerSendTextMessage(cid, MESSAGE_INFO_DESCR, "You successfully add " .. itemcount .." " .. t[2] .." for " .. costgp .. " gps to offerts database.") end if(t[1] == "buy") then if(not tonumber(t[2])) then doPlayerSendTextMessage(cid, MESSAGE_STATUS_CONSOLE_BLUE, "Wrong ID.") return true end local buy = db.getResult("SELECT * FROM `auction_system` WHERE `id` = " .. (tonumber(t[2])) .. ";") if(buy:getID() ~= -1) then if(getPlayerMoney(cid) < buy:getDataInt("cost")) then doPlayerSendTextMessage(cid, MESSAGE_STATUS_CONSOLE_BLUE, "You don't have enoguh GP.") buy:free() return true end if(getPlayerName(cid) == getPlayerNameByGUID(buy:getDataInt("player"))) then doPlayerSendTextMessage(cid, MESSAGE_STATUS_CONSOLE_BLUE, "Sorry, you can't buy your own items.") buy:free() return true end if(getPlayerFreeCap(cid) < getItemWeightById(buy:getDataInt("item_id"), buy:getDataInt("count")))then doPlayerSendTextMessage(cid, MESSAGE_STATUS_CONSOLE_BLUE, "You try to buy a " .. buy:getDataString("item_name") .. ". It weight " .. getItemWeightById(buy:getDataInt("item_id"), buy:getDataInt("count")) .. " cap oz. and you have only " .. getPlayerFreeCap(cid) .. " oz. free capacity. Put some items to depot and try again.") buy:free() return true end if(isItemStackable((buy:getDataString("item_id")))) then doPlayerAddItem(cid, buy:getDataString("item_id"), buy:getDataInt("count")) else for i = 1, buy:getDataInt("count") do doPlayerAddItem(cid, buy:getDataString("item_id"), 1) end end doPlayerRemoveMoney(cid, buy:getDataInt("cost")) db.executeQuery("DELETE FROM `auction_system` WHERE `id` = " .. t[2] .. ";") doPlayerSendTextMessage(cid, MESSAGE_INFO_DESCR, "You bought " .. buy:getDataInt("count") .. " ".. buy:getDataString("item_name") .. " for " .. buy:getDataInt("cost") .. " gps!") db.executeQuery("UPDATE `players` SET `auction_balance` = `auction_balance` + " .. buy:getDataInt("cost") .. " WHERE `id` = " .. buy:getDataInt("player") .. ";") buy:free() else doPlayerSendTextMessage(cid, MESSAGE_STATUS_CONSOLE_BLUE, "Wrong ID.") end end if(t[1] == "remove") then if((not tonumber(t[2]))) then doPlayerSendTextMessage(cid, MESSAGE_STATUS_CONSOLE_BLUE, "Wrong ID.") return true end if(config.SendOffersOnlyInPZ) then if(not getTilePzInfo(getPlayerPosition(cid))) then doPlayerSendTextMessage(cid, MESSAGE_STATUS_CONSOLE_BLUE, "You must be in PZ area when you remove offerts from database.") return true end end local delete = db.getResult("SELECT * FROM `auction_system` WHERE `id` = " .. (tonumber(t[2])) .. ";") if(delete:getID() ~= -1) then if(getPlayerGUID(cid) == delete:getDataInt("player")) then db.executeQuery("DELETE FROM `auction_system` WHERE `id` = " .. t[2] .. ";") if(isItemStackable(delete:getDataString("item_id"))) then doPlayerAddItem(cid, delete:getDataString("item_id"), delete:getDataInt("count")) else for i = 1, delete:getDataInt("count") do doPlayerAddItem(cid, delete:getDataString("item_id"), 1) end end doPlayerSendTextMessage(cid, MESSAGE_INFO_DESCR, "Your offert has been deleted from offerts database.") else doPlayerSendTextMessage(cid, MESSAGE_STATUS_CONSOLE_BLUE, "This is not your offert!") end delete:free() else doPlayerSendTextMessage(cid, MESSAGE_STATUS_CONSOLE_BLUE, "Wrong ID.") end end if(t[1] == "withdraw") then local balance = db.getResult("SELECT `auction_balance` FROM `players` WHERE `id` = " .. getPlayerGUID(cid) .. ";") if(balance:getDataInt("auction_balance") < 1) then doPlayerSendTextMessage(cid, MESSAGE_INFO_DESCR, "You don't have money on your auction balance.") balance:free() return true end doPlayerSendTextMessage(cid, MESSAGE_INFO_DESCR, "You got " .. balance:getDataInt("auction_balance") .. " gps from auction system!") doPlayerAddMoney(cid, balance:getDataInt("auction_balance")) db.executeQuery("UPDATE `players` SET `auction_balance` = '0' WHERE `id` = " .. getPlayerGUID(cid) .. ";") balance:free() end return true end Em seguida em talkactions.xml adicione a tag:
<talkaction words="!offer" event="script" value="auctionsystem.lua"/> No banco de dados execute as querys:
CREATE TABLE `auction_system` ( `id` int(11) NOT NULL auto_increment, `player` int(11), `item_id` int(11), `item_name` varchar(255), `count` int(11), `cost` int(11), `date` int(11), PRIMARY KEY (`id`) ) ENGINE=MyISAM DEFAULT CHARSET=latin1 AUTO_INCREMENT=1 ; ALTER TABLE `players` ADD `auction_balance` INT( 11 ) NOT NULL DEFAULT '0'; Na pasta do seu site crie um arquivo chamado tradeoff.php, em seguida adicione o code:
<?PHP $auctions = $SQL->query('SELECT `auction_system`.`player`, `auction_system`.`id`, `auction_system`.`item_name`, `auction_system`.`item_id`, `auction_system`.`count`, `auction_system`.`cost`, `auction_system`.`date`, `players`.`name` FROM `auction_system`, `players` WHERE `players`.`id` = `auction_system`.`player` ORDER BY `auction_system`.`id` DESC')->fetchAll(); $players = 0; $main_content .= '<TABLE BORDER=0 CELLSPACING=1 CELLPADDING=4 WIDTH=100%><TR BGCOLOR="'.$config['site']['vdarkborder'].'"><TD CLASS=white><b>Instruction<b></TD></TR><TR BGCOLOR='.$config['site']['darkborder'].'><TD><center><h2>Commands</h2><b>!offer add, itemName, itemPrice, itemCount</b><br /><small>example: !offer add, plate armor, 500, 1</small><br /><br /><B>!offer buy, AuctionID</b><br /><small>example: !offer buy, 1943</small><br /><br /><b>!offer remove, AuctionID</b><br /><small>example: !offer remove, 1943</small><br /><br /><b>!offer withdraw</b><br /><small>Use this command to get money for sold items.</small></center></TR></TD></TABLE><br />'; if(empty($auctions)) { $main_content .= '<TABLE BORDER=0 CELLSPACING=1 CELLPADDING=4 WIDTH=100%><TR BGCOLOR="'.$config['site']['vdarkborder'].'"><TD CLASS=white><b>Auctions</b></td></TR><TR BGCOLOR='.$config['site']['darkborder'].'><TD>Currently is no one active Auction.</TD></TR></TABLE>'; $main_content .= '<br /><p align="right"><small>System created by <a href="http://otland.net/members/vDk/">vDk</a>.</small></p>'; } else { foreach($auctions as $auction) { $players++; if(is_int($players / 2)) $bgcolor = $config['site']['lightborder']; else $bgcolor = $config['site']['darkborder']; $cost = round($auction['cost']/1000, 2); $content .= '<TR BGCOLOR='.$bgcolor.'><TD><center>'.$auction['id'].'</center></TD><TD><center><img src="/item_images/'.$auction['item_id'].'.gif"/></center></TD><TD><center>'.$auction['item_name'].'</center></TD><TD><center><a href="?subtopic=characters&name='.urlencode($auction['name']).'">'.$auction['name'].'</a></center></TD><TD><center>'.$auction['count'].'</center></TD><TD><center>'.$cost.'k<br /><small>'.$auction['cost'].'gp</small></center></TD><TD><center>!offer buy, '.$auction['id'].'</center></TR>'; } $main_content .= '<TABLE BORDER=0 CELLSPACING=1 CELLPADDING=4 WIDTH=100%><TR BGCOLOR="'.$config['site']['vdarkborder'].'"><TD CLASS=white><b><center>ID</center></b></TD><TD class="white"><b><center>#</center></b></TD><TD class="white"><b><center>Item Name</center></b></TD><TD class="white"><b><center>Player</center></b></TD><TD class="white"><b><center>Count</center></b></TD><TD class="white"><b><center>Cost</center></b></td><TD class="white"><b><center>Buy</center></b></td></TR>'.$content.'</TABLE>'; $main_content .= '<br /><p align="right"><small>System created by <a href="http://otland.net/members/vdk.1553/">vDk</a>.</small></p>'; } ?> Em layouts.php adcione o code:
<a href="?subtopic=tradeoff"> <div id="submenu_tradeoff" class="Submenuitem" onmouseover="MouseOverSubmenuItem(this)" onmouseout="MouseOutSubmenuItem(this)"> <div class="LeftChain" style="background-image:url(<?PHP echo $layout_name; ?>/images/general/chain.gif);"></div> <div id="ActiveSubmenuItemIcon_tradeoff" class="ActiveSubmenuItemIcon" style="background-image:url(<?PHP echo $layout_name; ?>/images/menu/icon-activesubmenu.gif);"></div> <div id="ActiveSubmenuItemLabel_tradeoff" class="SubmenuitemLabel">Trade Off</div> <div class="RightChain" style="background-image:url(<?PHP echo $layout_name; ?>/images/general/chain.gif);"></div> </div> </a> Pra finalizar em index.php adicione esse code:
case "tradeoff"; $topic = "Trade Off"; $subtopic = "tradeoff"; include("tradeoff.php"); break;
-
E pronto galera clica em GOSTEI e comenta no tópico.
-
Fabricio Soares deu reputação a AdmAlexandre em [Link Quebrado][8.6] Alissow OTs 4.11Alissow OTs 4.11! [11/07/ 2010]
Esta versão 4.11 foi meio apressada, só adicionamos as features novas do 8.6.
Aproveitem.
Créditos:
Alissow
Comedinha
Luis
Nirk
TFS Team
Viniply
Xedegux
Sobre o OT/Mapa:
Principais quests:
-Annihilator
-Inquisition Quest
-Pits of inferno
-Demon Oak
-Solar axe quest
-HOTA
-MPA quest
-The Challenger
Monstros:
-Total monstros: 10292
-Total spawn: 5587+
Cidades:
-12 Cidades
-200 Houses+-
Raids/Invasões:
-Rat
-Orshabaal
-Ghazbaran
-Giant spider/The old window
-Ferumbras
-Morgaroth
Spells:
-Magias editadas para balanceamento das vocações
Changelog
Atualização [3.4 BETA]:
Atualização nº 2 [3.4]:
Atualização 3.5 [06/08/2009]:
Atualização Patch 3.5.1 [07/08/2009]:
Atualização 3.6 [10/08/2009]:
Atualização 3.7! Beta [18/12/2009]:
Atualização 3.7 Patch 1 [27/12/2009]:
Atualização 3.8 [17/01/2010]:
Atualização 3.8 Minor Patch 1 [17/01/2010]:
Atualização 3.9 [15/02/2010]:
Atualização 4.0 [15/02/2010]:
Atualização 4.11! [11/07/2010]:
- Versão 8.6, todos os items, outfits e monstros novos (Comedinhasss, Fireelement)
- Adicionados os novos monstros 8.6 (Alissow)
- Bug das potions arrumado (Comedinha, Matheusmkalo, Gabriel linhares, Fireelement)
- Erros das runas arrumado (Comedinha, Gabriel linhares, Matheusmkalo, fireelement)
Novas screenshots da atualização 4.0
Mais tarde posto mais imagens, agora estou com um pouco de pressa :]
Ta ficando grandinho heim...
Download
Servidor: 4shared
Tamanho: 17,416 KB
Download: http://www.4shared.c...ow_Ots_411.html
Link protegido: http://lix.in/-8d4bc0
Scan VirusTotal: Clique aqui
Atenção
- Acc do God: god/god
- LEIA o tópico antes de postar qualquer coisa ou duvida
- Reportem se houver algum bug
- A database fica na pasta schemas+Database
- Proibido o uso do nosso distro sem o nosso consenso, obrigado.
- Se você gostou, clique noali embaixo ó.
Andei percebendo que há muitos mapas feitos por mim em outros servidores postados aqui no TibiaKing, eu não sei se vocês sabem, mas isso é PLÁGIO.
Eu não sou uma pessoa egoista, tudo que eu posto aqui no ##### é para ser compartilhado, mas desde que mantenham os devidos créditos.
Será denunciado qualquer tipo de "roubo" sem minha autorização para beneficio próprio. Eu sei que vocês não se importam muito com isso, eu também não deveria me
importar, mas é o tempo e a dedicação de outra pessoa que vocês estão roubando, então peço gentilmente aos que tem conhecimento desses mapas, que me apontem.
Não tem graça trabalhar horas e horas e ser roubado em dois minutos.
@Edit
Obs: Mapa Não é Meu,Não Fiz Nada Nele!!
-
Fabricio Soares deu reputação a Sammy em [Resolvido] Erro ao fechar Putty do meu VPSPara abrir o servidor na pasta do servidor digite screen ./theforgottenserver
Quando ele terminar de abrir aperte tudo junto CTRL+A+D
Para ver o console novamente digite screen -r , para sair o mesmo procedimento acima, CTRL+A+D.
A disponha.
-
Fabricio Soares deu reputação a tiago.bordin1988 em [Resolvido] Como arrumar isso !fica aparecendo isso no distro do server:
mysql_real_query(): UPDATE `players` SET `frags` = 0 WHERE `id` = 41 - MYSQL ERROR: Unknown column 'frags' in 'field list' (1054)
alguém saberia como arrumar?
abraços
Resolvido, só executar essa query:
ALTER TABLE `players` ADD `frags` INT NOT NULL DEFAULT '0'
-
Fabricio Soares deu reputação a Dieguiin XP em [Link Quebrado] IceWars Baiak (8.60)Fala galera, hoje venho trazer um mapa editado por mim umpouco parecido com o "BaiakWars" vamos lá oque contem nesse baiak? -Novo Templo -Castle 24HRS (Unico) com aviso de invasores -Paladin arrumado, agóra pode healar com potion e atacar ao mesmo tempo -Utito Tempo San Arrumado Agóra não da mais Exausted em outras magias -Dodge System -Critical System -Itens Donates para vender no Site ou no Jogo -Itens VIP a mostra no templo -Todos itens DONATES dando as skills normalmente -Vários Teleports -Novas Hunts -Look Frags -Potions Editadas -War System -Muitas quests -City editada para um PvP muito melhor -Arena PVP -Fast Attack ROX Para melhor PvP -Quest de set free para Pally/Kinas -Quest de set free para Mages -quest para armas editadas -Treiners com novos visual -30% a mais de experiencia para players donates -10% a mais de experiencia para guild que domina o Castle 24HRS E muito mais! Comandos principais: !dodoge !critical !stamina !aol !bless !notice. Vamos as imagens: templo http://imgur.com/eY4hWyI teleports http://imgur.com/Xd8YUg8 Quests http://imgur.com/o9beGwi castle http://imgur.com/CfAiSBI hunts do castle http://imgur.com/4ix1RD7 area donate http://imgur.com/NGWOA7H Acc do GOD: 5/god Download :http://www.4shared.com/rar/hlajskCyce/DiegoWars.html Scan: https://www.virustotal.com/pt/file/7585ec4867213d5f9230eb1f554a4f320756c37db53406f2b9b80e1d75037cbf/analysis/1413409264/ Créditos Dieguiin XP Marcos Vinicius OBS: Decupem se o tópico ficou meio bagunçado Gostou? Da um Rep+
-
Fabricio Soares deu reputação a God Dasher em [War] OTX - Rookguard WarHi guys, here is my server that use OTX final version 2.10.0. Im Carmona from blacktibia, enjoy.
The server contains the next things:
War System
Frags Skull System
Boss - Drops scrolls that give u skills
Battlefield Event - It works at 80% - Credits to a user from here. Commands -- /battlefield x -- Players need to be an even number.
Zombie Event - 100% - /zombiestart x -- players /zombiestart force -- Forces to the event start
Rush Event - 100%
Addon Shop - U need "x" frags to buy the addon
Offline Train - Thanks to Martyx and a user from here.
New Command Effect !frags/!deaths
Fixed Level At Kill.
Balanced Vocations.
Anti Nuke - By login.lua edited.
Then stop talking, here are the images.
http://prntscr.com/452dxl
http://prntscr.com/452e4k
http://prntscr.com/452ebz
http://prntscr.com/452enu
http://prntscr.com/452f3i
http://prntscr.com/452j7z
Here is the link to download:
https://www.mediafire.com/?ecfmidwxmafzh90
Password: serverfromblacktibia
Scan:
https://www.virustotal.com/es/file/dac666b51df70b41ed2c2b2e3c9942e3e71fa5660ede6a63bf3afd2adc1819ce/analysis/1405999997/
-
Fabricio Soares deu reputação a Nadotti em [Friday13War] (V3.0) - (Evolução X-Dream) {8.60}Oo Vlw eu so novo aki no Tibia King Mais Gostei Vo Por On ee Ve uns bug .
Ajudei da +Rep Não custa kk e tbm nem cai o dedo. éé So Preguiça Neeh .
1º Estou Dando uma reseposta nesse topico
2º Dei + Rep
4º Vc Não Viu qe eu pulei o 3
5º Agora Vc Esta Rindo..
6º Achei o mapa Show
8º Agora Aperta F13 Corre.
9º Pulei o 7 , E vc foi seco no F13.(eu achuu.) Vlw Dá +REP .flw.
...
-
Fabricio Soares deu reputação a Deadpool em (Resolvido)Ajuuda urgenteOlá, segue abaixo a instalação do script
OT/data/creaturescripts/scripts/newsvip.lua
function onLogin(cid) local storage,days = (getPlayerAccountId(cid)+550),3 if getGlobalStorageValue(storage) <= 0 then setGlobalStorageValue(storage, 13500) vip.addVipByAccount(getPlayerAccount(cid) ,vip.getDays(tonumber(days))) doPlayerSendTextMessage(cid, MESSAGE_STATUS_CONSOLE_BLUE, "Você recebeu "..days.." dias de VIP, bom jogo!") end return true end OT/data/creaturescripts/creaturescripts.xml
<event type="login" name="vipdays" event="script" value="newsvip.lua"/> Créditos:
Renato
Thiagobji
Post Oficial se tiver duvidas -> Aqui
-
Fabricio Soares deu reputação a Natanael Beckman em DISTRO - TFS 0.3.7-r5969 - ANTI CLONE - CAST SYSTEM !Deixa de ser retardado cara, já ta abusando. Aqui não precisa regras precisa é de conteúdo pra atrai mais gente, vai perder teu tempo dando suporte e trazendo conteúdo que você faz mais pelo fórum.
-
Fabricio Soares deu reputação a Danihcv em (Resolvido)[MOVEMENTS] Faster regenerationBoots em movements.xml:
<!-- Boots (equipped) --> <movevent type="Equip" itemid="2358" slot="feet" event="function" value="onEquipItem"/> <movevent type="DeEquip" itemid="2358" slot="feet" event="function" value="onDeEquipItem"/> <!-- Boots (unequipped) --> <movevent type="Equip" itemid="2358" slot="feet" event="function" value="onEquipItem"/> <movevent type="DeEquip" itemid="2358" slot="feet" event="function" value="onDeEquipItem"/> Boots em items.xml:
<item id="2358" article="a" name="boots"> <attribute key="weight" value="1000" /> <attribute key="slotType" value="feet" /> <attribute key="healthGain" value="250" /> <attribute key="healthTicks" value="2000" /> <attribute key="manaGain" value="250" /> <attribute key="manaTicks" value="2000" /> <attribute key="showattributes" value="1" /> </item> Aqui vc define quanto de hp/mana o cara vai ganhar (healthGain/manaGain). E em healthTicks/manaTicks é o tempo em milissegundos (caso seu ot seja em milissegundos).
Mesma coisa pro amuleto:
Amuleto em movements.xml:
<!-- Amuleto (equipped) --> <movevent type="Equip" itemid="10134" slot="necklace" event="function" value="onEquipItem"/> <movevent type="DeEquip" itemid="10134" slot="necklace" event="function" value="onDeEquipItem"/> <!-- Amuleto (unequipped) --> <movevent type="Equip" itemid="10134" slot="necklace" event="function" value="onEquipItem"/> <movevent type="DeEquip" itemid="10134" slot="necklace" event="function" value="onDeEquipItem"/> Amuleto em items.xml:
<item id="10134" article="an" name="amuleto"> <attribute key="weight" value="1000" /> <attribute key="slotType" value="necklace" /> <attribute key="healthGain" value="250" /> <attribute key="healthTicks" value="2000" /> <attribute key="manaGain" value="250" /> <attribute key="manaTicks" value="2000" /> <attribute key="showattributes" value="1" /> </item> -
Fabricio Soares deu reputação a HeberPcL em (Resolvido)NPC Xodet - não entrega wandTroca essa parte:
shopModule:addBuyableItem({'wand of vortex', 'vortex'}, 2190, 500, 'wand of vortex') shopModule:addBuyableItem({'wand of dragonbreath', 'dragonbreath'}, 2191, 1000, 1, 'wand of dragonbreath') shopModule:addBuyableItem({'wand of decay', 'decay'}, 2188, 5000, 'wand of decay') shopModule:addBuyableItem({'wand of draconia', 'draconia'}, 8921, 7500, 'wand of draconia') shopModule:addBuyableItem({'wand of cosmic energy', 'cosmic energy'}, 2189, 10000, 'wand of cosmic energy') shopModule:addBuyableItem({'wand of inferno', 'inferno'}, 2187, 15000, 'wand of inferno') shopModule:addBuyableItem({'wand of starstorm', 'starstorm'}, 8920, 18000, 'wand of starstorm') shopModule:addBuyableItem({'wand of voodoo', 'voodoo'}, 8922, 22000, 'wand of voodoo') Por isso:
shopModule:addBuyableItem({'wand of vortex', 'vortex'}, 2190, 500, 1, 'wand of vortex') shopModule:addBuyableItem({'wand of dragonbreath', 'dragonbreath'}, 2191, 1000, 1, 'wand of dragonbreath') shopModule:addBuyableItem({'wand of decay', 'decay'}, 2188, 5000, 1, 'wand of decay') shopModule:addBuyableItem({'wand of draconia', 'draconia'}, 8921, 7500, 1, 'wand of draconia') shopModule:addBuyableItem({'wand of cosmic energy', 'cosmic energy'}, 2189, 10000, 1, 'wand of cosmic energy') shopModule:addBuyableItem({'wand of inferno', 'inferno'}, 2187, 15000, 1, 'wand of inferno') shopModule:addBuyableItem({'wand of starstorm', 'starstorm'}, 8920, 18000, 1, 'wand of starstorm') shopModule:addBuyableItem({'wand of voodoo', 'voodoo'}, 8922, 22000, 1, 'wand of voodoo') +Rep-ME!
-
Fabricio Soares deu reputação a .HuRRiKaNe em [8.60] Veneris Server - War SystemInformações:
Mapa 100% próprio
Vip System com donates
Teleports free / vip
Tasks free / vip
War system
Site com shop vip / guild shop
E mais!
Imagens Servidor:
Site:
Download Server + Site:
http://www.mediafire.com/download/p7052grn54vprvb/VENERIS.tar.gz
Scan Server + Site:
https://www.virustotal.com/pt/file/08d0278f73e9baf7d24a296ee13caa7589abbc9f6a83935c6ba6f0cd9b656163/analysis/1425447699/
Créditos:
Veneris Team
-
Fabricio Soares deu reputação a Danihcv em (Resolvido)[Pedido] Formulário de confirmação pagamento.<?PHP $main_content .= "<font size='5'><b>Confirmar Pagamento:</b></font> <br> <br>Para confirmar o pagamento, você tem que enviar um email para nossa equipe com os seguintes dados(lembre-se de pôr nessa mesma ordem): <br> <br><b>Nome completo:</b> <br><b>Conta:</b> <br><b>Email:</b> <br><b>Data do pagamento:</b> <br><b>Hora do pagamento:</b> <br><b>Valor da compra:</b> <br><b>Metodo da compra:</b> <br> <br> <br><b>Obs:</b> <br> <br><b>Email</b> - Tem que ser o mesmo cadastrado em sua conta; <br><b>Método da compra</b> - Qual foi a forma de pagamento (boleto, eeposito, PayPal ou Pagseguro); <br><b>Foto do Comprovante</b> - Enviar a foto do comprovante de pagamento (Coloque ele em <b>anexo</b> ao email). <br> <br><b>Lembre-se:</b> Mandar email para nossa equipe, fora do assunto relacionado é considerado <b>Spam</b>, e o jogador é sujeito a <b>ban</b> conforme as <a href=/index.php?subtopic=tibiarules>regras</a> do servidor. "; ?>
-
Fabricio Soares deu reputação a Danihcv em (Resolvido)[Pedido] Formulário de confirmação pagamento.Manda o link pra eu botar que qnd eu voltar eu coloco.
Eu editei o meu post anterior. Agora ta do jeito que vc qr.
-
Fabricio Soares deu reputação a Markin em [Resolvido] addon bonusMovi seu tópico para a área correta, mais cuidado da próxima vez...
-----------------------------------------------------------------------
Acho que é isso que você esta querendo:
-
Fabricio Soares deu reputação a Dieguiin XP em [8.60] Baiak Editado (80% modificado)Baiak Editado 8.6
Opaa, Aqui estou eu dinovo trazendo um novo Baiak, Com muitas novidades Vamos lá.
Oque tem de novo nesse baiak?
Cast System 100%, Para ativar procure pocure  enableCast = false no config.lua e mude para enableCast = true
War system 100%
Itens donates 100% (Todos dando Skills normalmente)
Set free nas quests e Armas também
Dodge system
Castle 24H único Com novos monstros: Warlock Castle, Medusa Castle Etc...
2 quests editadas visível no templo, SET e ARMAS
Dodge, Stamina e Parcel são vendidos por alavancas no templo
Magnus Cheller Task. mais informações:
Download (REUPADO):
SCAN:
Créditos:
-
Fabricio Soares deu reputação a Mylorc em Npc que venda donate itensOlá galera,estou precisando de um npc que venda donate itens no meu otserv,porém ele vendera por scarab coins.
Alguém pode me ajudar com isso? Se tiver um script pronto poderia postar e me dar uma esplicadinha?
Agradeço!
-
Fabricio Soares deu reputação a Dieguiin XP em Baiak ROX. editado By Dieguiin XPFala galera, hoje venho trazer um Baiak ROX Editado por mim, vamos lá O que tem de Novo nesse Baiak ROX? -Templo com novo visual -Castle 24HRS (Unico) com aviso de invasores -Dodge System -Critical System -Cast System 100 %. Para ativar vá em config.lua e procure por enableCast = false true/false -Itens VIP a mostra no templo -Todos itens VIP arrumados, agóra tão dando Skills normalmente -foi adicionado mais cave donates -Push Fast. Para arrumar do seu módo vá em config.lua e procure por: pushCreatureDelay = 1 * 205 -Tempo do PZ arrumado. -caves donates tudo trocada, agóra caves grandes com detalhes, não aquélas quadradas -nóvos itens free, pode ser obtidos em quest -Vários Teleports -Paladin arrumado, agóra heala com potion e ataca ao mesmo tempo -Utito tempo san arrumado, agóra não da exausted em outras magias -Novas Hunts -Look Frags -Task 100% -War System 100% -Muitas quests -Arena PVP (Nóva) -Quest de set free para Pally/Kinas -Quest de set free para Mages -quest para armas editadas -Treiners com novos visual -VIP 1 Free -VIP 2: !vip2 -30% a mais de experiencia para players donates -10% a mais de experiencia para guild que domina o Castle 24HRS -Potions Editadas (nóvos efeitos) E muito mais! Eventos: Capture The Flag City War Event BattleField Event Comandos principais: !dodoge !critical /cast !stamina !aol !bless !vip2 !notice. Vamos as imagens: templo http://imgur.com/2MnFUqv Templo parte de cima http://imgur.com/CZFmtsO Castle http://imgur.com/Qb4qs9S area donate http://imgur.com/sBqejOW Download:
Scan:
Créditos
OBS: Decupem se o tópico ficou meio bagunçado Gostou? Da um Rep+ -
Fabricio Soares deu reputação a Tiodarsa. em [8.60]Baiak Barao Editado DeathRocksestou testando em sqlite criei account e password apos sair do account manager e logar na conta que criei aparece senha invalida.
-
Fabricio Soares deu reputação a DeathRocks em [8.60]Baiak Barao Editado DeathRocksnão é meu é do LuanLuciano
como funciona vou ensinar
é o seguinte se for rodar o server em sqlite eu não recomendo usar, porque ? porq ele da erro no distro
mais e for rodar em Mysql ? ai ele funciona 100% e so mudar no config.lua enableCast = false Para enableCast = true
Ai voce me pergunta,Mais oque é CAST SYSTEM ? é um sistema de televisão de seu char...
Com o cast ativo como crio acc no Account Manager ? facil só coloca o 1/1 e se tiver site cria no site acc
Como faço pra ver os jogadores no cast ? em vez de coloca 1/1 coloque nada só clica para entrar
-
Fabricio Soares deu reputação a Tiodarsa. em [8.60]Baiak Barao Editado DeathRocksComo funciona esse cast system seu?
-
Fabricio Soares deu reputação a DeathRocks em [8.60]Baiak Barao Editado DeathRocksnao pode conferir abrindo o distro
-
Fabricio Soares deu reputação a DeathRocks em [8.60]Baiak Barao Editado DeathRocksFala Ae Galera do TibiaKing
Estou mais um vez disponibilizando um Baiak Barao que Acabei de Editar
Espero Que Gostem
Oque eu Mudei e Adicionei ?
-| Novo Visual do Templo
-| Aura System (comando !aura on)
-| Task System
-| Dodge System
-| Run Event (CORRIDA MALUCA)
-| Reset System (ÁREA EXCLUSIVA COM CASTELO E HUNTS) para resetar fale !reset
-| Guild Frags System (ÁREA EXCLUSIVA COM CASTELO E HUNTS)
-| War System (100% RODANDO EM SQLITE)
-| Cast System (100% Roda em Mysql ) ( Para Ativar vai em Config.lua e ache | enableCast = false | mude para true ) Duvidas entrem em http://www.tibiaking.com/forum/topic/34609-add-cast-system-pra-quem-já-tem-os-códigos-na-distro/
-| PvP Balanceado
-| Varios Eventos Automaticos
-| Battle Field Event
-| Capture The Flag Event
-| Adicionado CASTLE 24HORAS (COM CASTELO) e AVISOS DE INVASORES
-| Itens DONATES
-| Área DONATE ~~ (Só Entra Quem Usar o Itens)
-| Vários Novos Script
-| Fast Atk Arrumado
-| Distro 0.4 Rodando 100% ( Se For 64x Bits)
-| Refinamento ( Aprimora seu Item )
-| Level Points System Adicionado (Melhora Seu Skill)
-| Frags no Look
-| Npc Major Ancient (Vende Itens Exclusivos para quem tiver honor points) Obs:Consegue no GFS)
-| Fly System Adicionado fale !fly
-| e Muito Mais que Não Lembro
-| CONFIRA ~~ !
-| SENHA DO GOD: barao/styller
~~ Algumas Imagens do Servidor ~~
CASTELO GFS Localizado na Barao City
Castelo Reset System Localizado na Barao City
Amostra do CASTLE War 24HORAS Vista por Cima
CASTLE WAR 24 HORAS Vista por Baixo + Amostra de Invasão
Donate Área
Amostra de Itens Donate
Amostra de Systema de Points
Amostra do Refinamento
TEMPLO
-| Download
http://www.4shared.com/rar/kv68Q66Hba/Baiak_Barao_Editado_By_DeathRo.html?
-| Scan
https://www.virustotal.com/pt/file/b036f248977d3b75e8fc205983b449a2fd68a942e62a48963adfcfa49fd954b8/analysis/1402686644/
-| Créditos
Gostou ? então dei um +REP Não vai cair o Dedo