Jump to content

Search the Community

Showing results for tags 'server'.



More search options

  • Search By Tags

    Type tags separated by commas.
  • Search By Author

Content Type


Forums

  • Russian Section
    • Новости и объявления
    • Пиратия: Документация
    • Пиратия: Релизы
    • Пиратия: Разработка
    • Пиратия: Web
    • Пиратия: Помощь
    • Совместные проекты / набор команды
    • Доска объявлений
    • Программирование
    • Оффтопик
    • Корзина
  • English Section
    • News & Announcements
    • Guides
    • Releases
    • Development
    • Web
    • Questions & Help
    • Shared Projects / Team search
    • Paid services & Requests
    • Programming
    • Offtopic
    • Recycle bin
  • Portuguese Section
    • Dúvidas & Ajuda
  • Spanish Section
    • Preguntas y Ayuda
  • Servers
    • Russian servers
    • English servers

Find results in...

Find results that contain...


Date Created

  • Start

    End


Last Updated

  • Start

    End


Filter by number of...

Joined

  • Start

    End


Group


Found 82 results

  1. Scheduled player reward system With the help of this system, it is possible to give out to all players on the server at a certain time the reward (gift) specified in the schedule: all players who are currently online will receive an item. How to install 1) Create a file named "pkodev.gift.lua" in folder "GameServer\resource\script\calculate\mods"; 2) Put the following code to the file: -------------------------------------------------------------- -- Gift system script -- -- Author: V3ct0r from PKODev.NET -- Version: 1.0 (11/08/2021) -- -- How to install the system: -- 1) Put this file to '\GameServer\resource\script\calculate\mods' folder -- 2) Put the following line at the beginning of 'mlist.lua' file: -- dofile(GetResPath("script\\calculate\\mods\\pkodev.gift.lua")) -- 3) Done! -- -- Interface: -- 1) Add a gift to queue: -- local gift_id = giftmod:addGift(item_id, number, hour, minute, second, month, day, year) -- 2) Remove a gift from queue -- local success = giftmod:removeGift(gift_id) -- Where 'success' can be 'true' or 'false' -- 3) Get gift number in queue -- local number = giftmod:getGiftNumber() -- 4) Print a list of queued gifts in GameServer window: -- giftmod:printGifts() -- -- These commands also can be used with &lua_all GM-command, for example: -- &lua_all giftmod:addGift(item_id, number, hour, minute, second, month, day, year) -- Note: After GameServer.exe restart gifts. which were added using GM-command, will be removed -------------------------------------------------------------- -- Update guard if (PKODEV_GIFT_GUARD ~= nil) then -- Exit the script return end -- Define update guard PKODEV_GIFT_GUARD = true -- Print a log print("Loading pkodev.gift.lua") -- Class Gift Gift = {} -- Make a Gift function Gift:new(id, item_id, count, gift_time) -- Private fields local private = { id = id or -1, item_id = item_id or -1, count = count or 0, gift_time = gift_time or 0, is_given = false } -- Public fields local public = { } -- Get an gift ID function public:getId() return private.id end -- Get an item id function public:getItemId() return private.item_id end -- Get an item count function public:getItemCount() return private.count end -- Get a time at which to give the gift function public:getTime() return private.gift_time end setmetatable(public, self) self.__index = self; return public end -- Class GiftSystem GiftSystem = {} -- Make a Gift system function GiftSystem:new() -- Private fields local private = { -- List of gifts to give gifts = { }, -- List of active players players = { }, -- Timer function timer_func = nil, -- List of hooks hooks = { } } -- Public fields local public = { } -- Player entered a map event function private:on_player_entered_map(role, mapdesc, map) -- Check that map exists in the list if ( private.hooks[map] ~= nil ) then -- Check that enter function is hooked if ( private.hooks[map].enter ~= nil ) then -- Call original function private.hooks[map].enter(role, mapdesc) end end -- Add player to the list private.players[ GetRoleID(role) ] = role end -- Player leaved a map event function private:on_player_leaved_map(role, map) -- Check that map exists in the list if ( private.hooks[map] ~= nil ) then -- Check that leave function is hooked if ( private.hooks[map].leave ~= nil ) then -- Call original function private.hooks[map].leave(role) end end -- Remove player from the list private.players[ GetRoleID(role) ] = nil end -- Timer event function private:on_timer_event(map) -- Check that timer function is hooked if ( private.timer_func ~= nil ) then -- Call original function private.timer_func(map) end -- Get current system time local t = os.time() -- Update gifts for i = table.getn(private.gifts), 1, -1 do -- Get a gift local gift = private.gifts[i] -- Check that it's time to give out the gift if ( t >= gift:getTime() ) then -- Give the gift to players for cha_id, role in pairs(private.players) do GiveItem(role, 0, gift:getItemId(), gift:getItemCount(), 4) end -- Remove the gift from the list table.remove(private.gifts, i) end end end -- Set hooks function private:setHook() -- Search for 'after_enter_', 'before_leave_' and timer functions for key, value in pairs(_G) do -- Get a global item name in lower case local name = string.lower(key) -- Player entered a map if ( string.find(name, "after_enter_") == 1 ) then -- Get map name local map = string.sub(name, string.len("after_enter_") + 1) -- Add map to the list private.hooks[map] = private.hooks[map] or {} -- Associate original enter function address with map name private.hooks[map].enter = value -- Set the hook _G[key] = function(role, mapdesc) private:on_player_entered_map(role, mapdesc, map) end end -- Player leaved a map if ( string.find(name, "before_leave_") == 1 ) then -- Get map name local map = string.sub(name, string.len("before_leave_") + 1) -- Add map to the list private.hooks[map] = private.hooks[map] or {} -- Associate original leave function address with map name private.hooks[map].leave = value -- Set the hook _G[key] = function(role) private:on_player_leaved_map(role, map) end end -- Timer if ( private.timer_func == nil ) then -- Search for timer function if ( string.find(name, "map_copy_run_") == 1 ) then -- Number of underscore characters local n = 0 -- Count the number of underscore characters string.gsub(name, ".", function(c) if ( c == '_' ) then n = n + 1 end end) -- Number of underscore characters should be equal to 3 if (n == 3) then -- Set timer function private.timer_func = value -- Set the hook _G[key] = function(map) private:on_timer_event(map) end end end end end -- Check that timer hook is enabled if ( private.timer_func == nil ) then print("pkodev.gift: Warning, suitable timer function is not found!") end end -- Add a gift to the list function public:addGift(item_id, count, h, m, s, mon, day, year) -- Check item ID if ( string.lower(GetItemName(item_id)) == "unknown" ) then -- Do not add a gift return -1 end -- Check item count if (count <= 0) then -- Do not add a gift return -1 end -- Get item timestamp local gift_timestamp = os.time{ month = mon, day = day, year = year, hour = h, min = m, sec = s } -- Check that item time is not expired if ( gift_timestamp <= os.time() ) then -- Do not add a gift return -1 end -- Get an ID for new gift local gift_id = public:getGiftNumber() -- Create a gift local gift = Gift:new(gift_id, item_id, count, gift_timestamp) -- Add a gift to the list table.insert(private.gifts, gift) -- Return gift ID return gift_id end -- Remove a gift by ID function public:removeGift(gift_id) -- Find a gift in the list for index, gift in pairs(private.gifts) do -- Check gift ID if ( gift_id == gift:getId() ) then -- Remove the gift from the list table.remove(private.gifts, index) -- Gift removed return true end end -- Gift not found return false end -- Get gift number function public:getGiftNumber() return table.getn(private.gifts) end -- Print a list of gifts function public:printGifts() -- Get gift number local n = public:getGiftNumber() -- Check that there are gifts in the list if (n > 0) then -- Print all gifts for index, gift in pairs(private.gifts) do -- Get time data local temp = os.date("*t", gift:getTime()) -- Print a gift print( string.format( "pkodev.gift: %d) [Gift ID: %d] - %s x %d at %02d:%02d:%02d %02d/%02d/%02d", index, gift:getId(), GetItemName(gift:getItemId()), gift:getItemCount(), temp.hour, temp.min, temp.sec, temp.month, temp.day, temp.year ) ) end else -- No gifts print("There are no active gifts!") end end -- Enable the necessary hooks for the gift system to work private:setHook() setmetatable(public, self) self.__index = self; return public end -- Create an instance of the gift system giftmod = GiftSystem:new() -- Add gifts to the queue giftmod:addGift(863, 1, 16, 6, 30, 11, 9, 2022) -- 'Gem of Rage' x 1 at 16:06:30 11/09/2022 giftmod:addGift(684, 1, 16, 7, 25, 11, 15, 2022) -- 'New Sheepskin Scroll' x 1 at 16:07:25 15/09/2022 giftmod:addGift(1849, 99, 12, 7, 0, 11, 18, 2022) -- 'Cake' x 99 at 12:07:00 18/09/2022 -- Print queued gifts giftmod:printGifts() 3) Open file "GameServer\resource\script\monster\mlist.lua" and put at the beginning the line: 4) Start GameServer.exe. You should see in it's console window the following lines: pkodev.gift: 1) [Gift ID: 0] - Gem of Rage x 1 at 16:06:30 11/09/2022 pkodev.gift: 2) [Gift ID: 1] - New Sheepskin Scroll x 1 at 16:07:25 11/15/2022 pkodev.gift: 3) [Gift ID: 2] - Cake x 99 at 12:07:00 11/18/2022 5) Configure the system at your discretion (see the "How to use" section below); 6) The installation process is complete. How to use 1) You can define a queue of gifts at the end of "pkodev.gift.lua" file using giftmod:addGift() command: local gift_id = giftmod:addGift(item_id, number, hour, minute, second, month, day, year) Also you can add a gift to the queue using GM-command*: &lua_all giftmod:addGift(item_id, number, hour, minute, second, month, day, year) *Note: After GameServer.exe restart gifts. which were added using GM-command, will be removed. 2) You can remove pending gifts from the queue using giftmod:removeGift() command: local success = giftmod:removeGift(gift_id) -- Where 'success' can be 'true' or 'false' Where variable gift_id is ID of pending gift which was returned from giftmod:addGift() command. 3) You can get an amount of pending gifts using giftmod:getGiftNumber() command: local number = giftmod:getGiftNumber() 4) Finally, you can display pending gifts in the GameServer.exe window: giftmod:printGifts() That's all! Download the script of the system (3 KB)
  2. ~ Stars Pirates Online ~ Discord Channel Website (Under Construction) Instagram About Stars Pirates Online: Dear players, Stars Pirates Online is an international server based on medium/hard gameplay. The team works to create a stable, long-term server that can bring the nostalgic feeling, but at the same time, make available to all players new features and improvements that will make the server even better... The server is under construction, but BETA TEST is scheduled to open on October 8th. All details and information about building the server will be posted on our Discord Channel. So, stay tuned for all the news and invite your friends to participate in this new fun. Server Rates: Max Level: 100 Solo EXP: 7x Party EXP: 12x Ship EXP: 7x Drop Rate: 5x Fairy EXP: Lv1-50 = 100x | Lv51-75 = 10x Server Equipments: Unseals Lv45/55/65 in NPC Unseals Lv75 exchange for Kal Runestone in NPC Unseals Lv85 donation or random chest upon reaching level 100. Kylin Set BD Set Server Gems: Gem caped level: 6 Normal Gem Broken, Chipped, Cracked Gem Unique Gem BD Gem Gr8 Gem Azraels Gem Advanced Gem Server Features: Guild will be caped to 10 players IP & MAC detecting will be implement in portals and mazes All Tickets removed, only ticket to argent works Maximum gold in inventory is 1.5 Billions Fairy level: 51 (Normal fruit) and 75 (Improved fruit) Balanced Class: All original skills were retained with minor tweaks on stats and skill output to ensure that all classes are balance to ensure our players getting the best PK experience. Maps: Argent City, Fantasy Town, Icicle Castle. Shaitan City (removed). Forsaken City, Dark Swamp, Demonic World. Chaos Argent, Arena Island, Chaos Dream, Chaos Icicle.
  3. SERVER DISCORD - (ENTER NOW) https://discord.gg/VKxddn5q SERVER WEBSITE ...Under Construction... About Paradise Isle GamePlay: Dear Players, Paradise Isle Online is an international server based on medium - hard gameplay. The team works to create an stable and long term server that can bring the nostalgic felling, but at the same time, make available to all players new features and improvements that will make the server even better... The server is under construction, but the BETA TEST is planning to open in some weeks. All detais and informations about the server construction will be posted in DISCORD CHANNEL. So, stay tuned for all the news and INVITE your friends to join in this new "Paradise Isle". Why should you play this server? You should play this server because it will bring the nostalgic gameplay to you! You're able to enjoy an good, stable and security server files. Furthermore, you will find some new features that will make the server even better. Unlike other servers that made sudden changes and couldn't keep the game stable, here we think exactly the opposite. The TOP COMMUNITY knows that the "simple is good", that's why almost players are from original TOP server and old players. The server has an experienced development team that is capable of solving the most diverse server problems. We will be working to resolve any type of issue as quickly as possible. So, i hope you gonna play and enjoy the server! Server Rates: Max Level: 70 Solo EXP: 3x Party EXP: 15x (The same exp you win solo will be gained when you're in party) Ship Exp: 15x Drop Rate: 2x Fairy Exp: 1st Gen (Fairy Box) . Exp 20x . Lv max 41 . Level Up with +1 or +2 stats fruits . Marriage system to create 2nd gen 2nd Gen (Marriage System) . Exp 20x from level 5 to 15 . Exp 10x from level 15 to 41 . Lv Max 41 . From level 5 to 15 you can level up using +1 or +2 stats fruit .From level 15 to 41 you can ONLY use +2 stats fruits . From level 41 to 50 you can ONLY use improved fruits Server Equipments: Initial Chest (Golden box) Incantation Chest (level 40) . Original drop Evanescence Chest (level 50) . Original Drop Enigma Chest (level 60) . Original Drop Chest of Forsaken City (sealed level 35) . Original drop + Orignal method to remove the sealed Chest of Dark Swamp (sealed level 45) . Original drop . Bow available Chest of Demonic World (sealed level 55) . Original drop . Bow available Chest of Enigma (sealed level 65) . Original drop . Bow available Unseal 45 . Original way to remove the seal . Bow available Unseal 55 . Original way to remove the seal . Bow available Unseal 65 . Original way to remove the seal (but, you need only 3 kals instead 5) . Bow available Chaos Crownstone, Chaos Pawstone, Chaos Clawstone, Chaos Framestone . Original Drop . Chaos Crownstone isn't available Athena, Hestia, Poseidon, Apollo, Hermes, Hephaestus Stones (Equipments level 70) . Original Drop . Athena Framestone change PR from 18 to 22 . Apollo Framestone change PR from 20 to 24 Server Gems: Sockets . Max Slots = 3 Refining Gem . Max Level = 4 Normal Gems: Spirit, Shadow, Shining, Glowing, Lustrious, Explosive, Furious, Fiery . Max level = 4 Broken Gems: Rage, Colossus, Soul, Wind, Striking . Max level = 3 Cracked Gems: Rage, Colossus, Soul, Wind, Striking . Max level = 3 Unique Gems: Rage, Colossus, Soul, Wind, Striking . Max level = 2 BD Gems: Eye, Soul, Heart . Max level = 1 Server Mazes: Forsaken City (FC) - Every 3 hours Changes: . FC 01 = increased refining gem drop from 0.2% to 0.3% || . FC 03 BOSS = added the universe purse 1% drop Dark Swamp (DS) - Every 3 hours Changes: . DS 03 BOSS = added the universe purse 1% and refining gem 100% drop Demonic World (DW) - Every 3 hours Changes: . DW1 CHEST = increased kal runestone drop from 3.3% to 3.5% || . DW1 AND DW2 BOSSES = added the universe purse 1% drop CHAOS ARGENT (CA) - 2 times a day – (08:00 / 20:00) Changes: . Can’t enter in Party || . Penality of 2 minuts if your char relog || . No need honor, reputation and money to enter || . Prize: original - Chest . Increased refining gem drop from all chests from 2,5% to 3% . Expert chest, gem of colossus and gem of rage were removed and universe purse was added 1.5% drop - Moobs . Increased refining gem drop in lv 80 - 82 Phantom mobs from 1% to 1.2% Server UPDATES: Argent Teleporter: . Added options to teleport to: Abandon Mine, Rockery, Andes, Valhalla, Solace, Chaldea, Thundoria Castle. Icicle Teleporter: . Added options to teleport to: Skeleton Haven, Icespire Heaven, Atlantis Heaven, Thundoria Castle. Shaitan Teleporter: . Added options to teleport to: Barren Cavern, Oasis Haven, Thundoria Castle. Coral Vendor – Lamon . Moved from original place to argent city Grocery – Jimberry (Argent - 2231,2729) . Added all classes skills WNSS . Original drop and rates OSS . Original drop and rates . Added gem of soul Carrer and Fortune Lot . Added the option to obtain stack Useals Level 35 added as reward for 1st Class Quest . Complete 1st Explore Quest and Win: Mantle of the Naga - Armor Tooth of Specter - Dagger . Complete 1st Herbalist Quest and Win: Robe of the Venom Witch - Armor Staff of the Avenger - Staff . Complete 1st Hunter Quest and Win: Robe of Death - Armor Touch of Death - Gun . Complete 1st Swordsman Quest and Win: Armor of Revenant - Armor Sword of Grief - Sword Lifeskills added too all characters created . - Lv1 Mining - Lv1 Woodcutting - Lv1 Fishing - Lv1 Salvage - Lv1 Set Stall If you want to improve those skills, story quest is the way to obtain more life skill points. Offline Stall System You're able to set up your stall and close your account. The system will keep your stall online and ready to have sales. More custom updates will come according the server development.... FAQ WHEN THE SERVER WILL OPEN? The team is working in this project for 2 months. The server file and host are ready, but the website is under development. Moreover, the server is in advertise phase. So, we need more players joining discord to set a BETA start date. THE SERVER WILL HAVE BETA? Yes, we gonna have BETA when the discord have players waiting for the server opening. Rewards will be given for BETA players, so, keep tunned! THE SERVER IS SECURE? Yes, we have a big team working in this project. Of course we gonna have attacks from members of TOP WORLD, but we are ready to solve all issues. THE SERVER WILL HAVE AN GOOD HOST? Yes, we have one of bests dedicated machine in OVH host. The machine will support a lot of players at the same time to avoid issues with lag. THE SERVER WILL HAVE REPUTATION SYSTEM? Yes, the reputation system help the server economy and the non-mallers players. THE SERVER WILL HAVE MALL SYSTEM? Yes, the mall system is importat to keep the server online and for the server economy too. However, it won't be "pay to win" as many server do. . . . . SERVER DISCORD https://discord.gg/VKxddn5q
  4. •Fallen Relics Online| 24/7 •Type: Medium Pk Farm • Server Rate: -MaxLv 100 -MaxLV Pet : 100 whit mall and improved 150 -Solo : x35 -Party : x75 -Drop : x45 -Pet Grow : x8000 -Ship exp : x5000 •Swings •Guild Leveling •Guild Bank •Guild Name Color •In Game Mall •Rebirth 4 •New App Every Week •Website: https://oldswordpirates.com/fro/index.php?act=register •Youtube:
  5. Greetings, fellow developers I'd love to ask if any of you know what kind of hashing algorithm the server configuration files are using, I want to write a password generator stand-alone application and allow for more secure passwords as well. I'm aware that the AccountDB has a password column that is using and MD5 hash, is there a way to use a different hash; like including my own salt column for passwords and users can then use that password to enter instead of an MD5 one? Overall my goal is to write a stand-alone application to do that all at once, just need to make sure what the hashing algorithms are and if giving my databases a salt-column will help with making it even more secure. Best regards, Jaquemon.
  6. Hello, I follow up some guides from this forum, and I create my own private server ! Thank you ! Question is: How to create max stats items like swords, armor, etc. I'm kind looking for combination of gems and every thing by commands or something to have the strongest weapons and armor. Thank you in advance.
  7. Hello again guys, I created this video with the idea of promoteing again the tales of pirates private server community. Here you can see my web service related post: Server Files/Game/My Webserver consumers: https://drive.google.com/open?id=1A4O161L36d0qJx2AnCksm5crg0Nktdt5 Microsoft SQL SERVER 2014/2017 Installation Guides i used: Good Lucks guys
  8. Who can help me, skills pet dont work :c
  9. Hello everyone, I'm Mathew advanced player of top, but newbie "DEV", I had idea with my friends to make PKO server just for 5 people for co-op camping, but no one wants to host server on his own, cuz of 24/7 pc working and electricity payments, so we get together 15$ and we bought VPS server (spec in spoiler). My experience with KOP/PKO/TOP servers was about 8 years ago with sql2000 and hamachi, but for now, we want 24/7 server on VPS without any additional programs that all about the story Dropbox link: there you can find all files that I config and working with. Problem: 1-No one can connect to host, (timeout) (atm we are using IPchanger and start.bat) [my friends] 2-I'm OSx user so I can't use start.bat, maybe someone knows this kind command/file for OSX?? 3-I don't know how to properly create/config website, (i tried with all guides on the forum) Questions: 0- is it host provider problem or just server config ??? (i tried same config on tungle and it was workig ...) 1-how can I make KOP/PKO/TOP shortcut but without laucher/autoupdater/ipchanger/start.bat but with VPS IP include? 2-If its possible, autopatcher-without website (on VPS) 3-How to add new functions to PKO server files, (i tried to add double exp for weekends, but when I added it to exp_and_level.lua, we didn't get exp from anything, GM either. 4-how to add Cooldowns on AMPs,Potions,etc. 5-Do I need to set DNS on VPS AccountServer GateServer GroupServer GameServer VPS SPEC: OS: Windows Server 2012 R2 COREspd: 1vCore x2GHz Storage: 50GB SSD Internet spd 100mb (5ms from host to player) Bandwidth limit 99TB RAM: 2GB Ports: OPEN for guide purpose let VPS ip be:77.77.77.77 (ipv4) DISCORD: Ajoj#1945 Skype: Sillvar
  10. Hello Friends! I've started to work on private server. I want to create something really good! I'm open for suggestions what i should add or change! At the moment i can't say anything about rates. But it won't be very hard server. I already have a small vision of how it will look like. I hope you enjoy it! Every1 who want to help please join my discord: https://discord.gg/tHmkvEs Thanks, Tosiek
  11. Yudha

    Free VM/VPS

    Intel Xeon E3-1230 V3 3.30GHZ 4C/T 8GB RAM DDR4 500 Mbps [RDP Details] IP: 69.64.41.109 User: VM01 Pass: VM01 -Free Service "As Is" -Use it at your own risk brought to you by www.lostparadise.online
  12. Buy Hex Service for Game Server has error in Fusion clothing... Fusing equipment that already has apparel with other apparel is giving this error and all IDs are below 5999.
  13. Section with servers advertising was cleaned Hello friends! Section with servers advertising was cleaned. I deleted a lot of inactive servers. I decide delete server from advertising if it's site is not available. I apologize if I deleted your server by mistake. Create a new topic about your server please. Also do not forget to read Servers Advertising Rules. It is important to keep order in this section. If You want only open server, create a topic in "Opening Soon" section. Your server is beta? "Under Beta" section is for you! Your server is well-known and works for several months. Congrutilations! You can create a topic in "Stable Servers" section. Let us know if you close your server or want move your topic to another section. Do not create a new topic please. From time to time, write in your topic that the server is running. Thank you for attention!
  14. Hello guys, I would like you ask about protecting my server and SQL injection. How can I protect my server and will it be fully protected? Thanks a lot <3
  15. Hello everyone, i'm looking for someone who owns Futurama Server Files, these are files the rates are hixh, Lvl max 400, and so so If somebody has please share link, of files and client side. Thank you
  16. Hello guys, looking to make a stable private server. If you guys are interested, I can host. Let me know! please inbox
  17. Hello Folks! I will be sharing with you, an amazing site that I discovered a month or so back. ProfitServer The servers are fast, reliable, and provide quality service. I am using them, personally. The tickets are responded immediately at times. And very friendly support. If you are looking for a cheap VPS or Dedicated server to buy, then go no further, Profitserver has you covered. Take a look at the pricing. They provide windows server 2008 or 2012 R2. You can fine tune your own server.(The servers are located in Russia btw, great for people living in Russia) So what are you waiting for? Go ahead @ProfitServer and get yourself the best servers for cheap! :thumbsup: Here is a referral link. https://profitserver.ru/en/?partner_id=13605 If you have any questions regarding this, let me know.
  18. Hi there, I'm selling original mermania server files. Price: 100$ via paypal only. You can pm me via forum if you're interested.
  19. What are your suggestions and tips for running a server on a low-end machine? I know the typical options like reducing the number of open maps or playing with the values on the GameServer.cfg file, beyond that all, I want to know if there are other tips. I have tried deleting mobs on some maps, but not all seem to be removable, such as this lamb here: God! How I hate that lamb! Anyway, guys, tell me your recommendations to run a fully functional server on a machine with little RAM.
  20. Servers Monitoring Hello friends! Unfortunately, servers monitoring (servers.pkodev.net) has been closed. The reasons are the low popularity and relevance of the service. There were about 2-4 servers only. I want to say thanks to @Duduf for idea and development/implementation and @Jap for idea! Discussion is here.
  21. My gameserver.exe is giving this following error how to solve?
  22. Hello everybody! I believe that i damaged my SQL Server Configuration Manager when i uninstalled the SQL 2k16. Just Uninstalled and installed it back because it didnt allowed me to remove sa from Logins. Whatever. Now i had to fix new issues. First i had This error "Cannot connect to WMI provider. You do not have permission or the server is unreachable." while i was trying to log on my Server Maneger. Fixed it But now i get different error : And also my Configuration Manager looks like this . No services at all. Btw. Ive also tryed to instal SQL 2k8 or 2k14. Repair, uninstalled and removed all old SQL files, Documents etc, restarting my PC everytime i did those operations. -Edit - Also tried to Run manualy Services.msc . When i start is as Local System account gives me Error 2 : System cannot find the file specified. Or when i start it as \Wendigo (my computer Admin) i get Error 1069 : The service do not start due a logon failure . Other chance is to instal a Virtual Machine. But i wonder if i still get the same errors.
  23. Hello everyone, Top nostalgia drags me back to give another try to build a private server. I had some attempts but failed, or quited for some reasons <im a novice developer, still have to learn alot> . But before i die , i really want to manage a private server. Just for start i have some questions and looking for answers. What SQL shall i use on Windows 10? Are Top 2 like files avaible < Just like top 2 with Belt,Handguards,115/125 skills,etc > ? Worths to invest time on this? -Edtit- Looking for building a private server guide with PKO 2.4 server files.
  24. Does anyone have Admiral Cloak Gems To be able to give me? I would greatly appreciate it. Prayer Rune Favor Rune Riven Soul Rune Piercing Rune Illusory Rune Curse Rune
  25. Hi, I was wondering if someone could maybe make a guide on how to patch Server files. If not a guide can you guys maybe just walk me throught it. Because I have a server and everything ,even a client. Just need to patch that client so that I can play my server Much appreciated
×
×
  • Create New...