Leaderboard
Popular Content
Showing content with the highest reputation on 07/14/16 in all areas
-
๐ Perfect Czar Free Trials & Demos ๐ MOST POPULAR ๐ HIGHEST QUALITY ๐ MOST TOTAL USERS ๐ LOWEST BAN-RATES ๐ 24/7 SUPPORT ๐ SINCE 2015 ๐ MANY SKILLS ๐ MOST VIEWS ๐ MOST REPLIES ๐
๐CzarScripts #1 Bots ๐ ๐ LATEST BOTS ๐ If you want a trial - just post below with the script name, you can choose multiple too. ๐ Requirements ๐ Hit 'like' ๐ on this thread5 points
-
Bot is DOWN (for now)
5 pointsThe bot is currently down, please wait while the developers fix it. There is no ETA meaning no one really knows when its going to be fixed , therefore don't ask when its going to be back up.5 points
-
Bot is DOWN (for now)
5 pointsSome background info for some people that might like it: Jagex changed some hooks regarding Character.getHealth() and Character.getMaximumHealth(). From now it's not possible anymore to get the precise amount of health a character has, you can only get the a health percentage instead. I assume that Character.getHealth() and Character.getMaximumHealth() will be removed from the API. Some scripts might also be broken after this update so don't expect everything to work flawless when the bot goes live again.5 points
-
Disputed @LogicBug
4 pointsA souls bane One small favour Wanted Slug menace Elemental workshop II All quests cost more than 1m and all reward 1qp except for one small favour With the list i provided he could have gotten atleast 15 qp instead of the 6 from those quests, which to me, looks like it would have been much much more beneficial than what was done. He wants me to pay 25m for 19 qp, thats like 1.4m per qp. He also told me that it would be better if i let him choose the quests, which is why i did. I requested dt and lunars specifically (which means he'd have to do prequests where needed to) however the fact that 9m was spent on 5 quests while i provided a very very long lost of quests which cost less than 1m with some costing 100k/500k/700k means that i couldve gotten much much better value for my money than what was provided. Also, the feud shouldnt really be included from the quests since it cost 2m and helped him with thieving (which he was also supposed to do) so yes, i feel like if i had known he would have picked all the expensive quests and neglect a lot of cheaper ones i wouldve chose them myself.4 points
-
GE Data (get price etc. by item name) no external libraries required
Here is a simple class I have written to retrieve grand exchange information for specified osrs items, using the json file hosted by rsbuddy at: https://rsbuddy.com/exchange/summary.json Note the retrieval of this data should only be done once at the start of your script, and you should store the map for use later rather than re-calling the method. You may also get better performance using a JSON library. RSExchange.java import java.io.BufferedReader; import java.io.InputStreamReader; import java.net.URL; import java.net.URLConnection; import java.util.HashMap; import java.util.Map; import java.util.Optional; import java.util.regex.Matcher; import java.util.regex.Pattern; public final class RSExchange { private final String ITEMS_JSON; public RSExchange() { ITEMS_JSON = getItemsJson().orElse(""); } private Optional<String> getItemsJson() { try { URL url = new URL("https://rsbuddy.com/exchange/summary.json"); URLConnection con = url.openConnection(); con.setRequestProperty("User-Agent", "Mozilla/5.0 (Windows NT 6.1) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/41.0.2228.0 Safari/537.36"); con.setUseCaches(true); BufferedReader br = new BufferedReader(new InputStreamReader(con.getInputStream())); String json = br.readLine(); br.close(); return Optional.of(json); } catch (Exception e) { e.printStackTrace(); } return Optional.empty(); } public final Optional<ExchangeItem> getExchangeItem(final String itemName) { return getItemID(ITEMS_JSON, itemName).map(id -> new ExchangeItem(itemName, id)); } public final Map<String, ExchangeItem> getExchangeItems(final String... itemNames) { Map<String, ExchangeItem> exchangeItems = new HashMap<>(); for (final String itemName : itemNames) { getItemID(ITEMS_JSON, itemName).ifPresent(id -> exchangeItems.put(itemName, new ExchangeItem(itemName, id))); } return exchangeItems; } private Optional<Integer> getItemID(final String json, final String itemName) { return getItemFromJson(json, itemName).flatMap(this::getItemIDFromItemJson); } private Optional<String> getItemFromJson(final String json, final String itemName) { Matcher matcher = Pattern.compile("(\\{[^}]*\"name\"\\s*:\\s*\"" + Pattern.quote(itemName) + "\"[^}]*})").matcher(json); return matcher.find() ? Optional.of(matcher.group(1)) : Optional.empty(); } private Optional<Integer> getItemIDFromItemJson(final String json) { Matcher matcher = Pattern.compile("\"id\"\\s*:\\s*(\\d*)").matcher(json); return matcher.find() ? Optional.of(Integer.parseInt(matcher.group(1))) : Optional.empty(); } } ExchangeItem.java import java.io.BufferedReader; import java.io.InputStreamReader; import java.net.URL; import java.net.URLConnection; import java.util.Optional; import java.util.regex.Matcher; import java.util.regex.Pattern; public final class ExchangeItem { private final String name; private final int id; private int overallAverage = -1; private int buyAverage = -1; private int sellAverage = -1; private int buyingQuantity; private int sellingQuantity; public ExchangeItem(final String name, final int id) { this.name = name; this.id = id; updateRSBuddyValues(); } public final String getName() { return name; } public final int getId() { return id; } public final int getBuyAverage() { return buyAverage; } public final int getSellAverage() { return sellAverage; } public final int getBuyingQuantity() { return buyingQuantity; } public final int getSellingQuantity() { return sellingQuantity; } public void updateRSBuddyValues() { try { URL url = new URL("http://api.rsbuddy.com/grandExchange?a=guidePrice&i=" + id); URLConnection con = url.openConnection(); con.setRequestProperty("User-Agent", "Mozilla/5.0 (Windows NT 6.1) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/41.0.2228.0 Safari/537.36"); con.setUseCaches(true); BufferedReader br = new BufferedReader(new InputStreamReader(con.getInputStream())); String json = br.readLine(); br.close(); getItemValue("overall", json).ifPresent(overallAverage -> this.overallAverage = overallAverage); getItemValue("buying", json).ifPresent(sellAverage -> this.sellAverage = sellAverage); getItemValue("selling", json).ifPresent(buyAverage -> this.buyAverage = buyAverage); getItemValue("buyingQuantity", json).ifPresent(buyQuantity -> this.buyingQuantity = buyQuantity); getItemValue("sellingQuantity", json).ifPresent(sellingQuantity -> this.sellingQuantity = sellingQuantity); } catch (Exception e) { e.printStackTrace(); } } private Optional<Integer> getItemValue(final String key, final String json) { Matcher overallAvgMatcher = Pattern.compile("\"" + key + "\"\\s*:\\s*(\\d*)").matcher(json); if (overallAvgMatcher.find()) { return Optional.of(Integer.parseInt(overallAvgMatcher.group(1))); } return Optional.empty(); } public final String toString() { return String.format("Name: %s, ID: %d, Overall AVG: %d gp, Buying AVG: %d gp, Selling AVG: %d gp, Buying Quantity: %d, Selling Quantity:%d", name, id, overallAverage, buyAverage, sellAverage, buyingQuantity, sellingQuantity); } } Usage: final RSExchange rsExchange = new RSExchange(); rsExchange.getExchangeItem("Yew logs").ifPresent(System.out::println); This would print out Name: Yew logs, ID: 1515, Overall AVG: 355 gp, Buying AVG: 355 gp, Selling AVG: 354 gp, Buying Quantity: 90576, Selling Quantity :717263 points
-
Trade With Caution
3 pointsDear Community, I've removed the ability for trade with caution to access the market. They can no longer view any section in the market, except the dispute section and Currency section. They are no longer allowed to engage in any other market. They also can not use the pm feature in the chat box to remove any access to market. thanks, @Maldesto3 points
-
Status Help
3 pointsi was wondering the same thing, his question was in fact calm, cool, collected and with warrant. Don't be such a dick3 points
-
Which of these IPboard themes do you like the most
3 points
-
๐ฅ KHAL SCRIPTS TRIALS ๐ฅ HIGHEST QUALITY ๐ฅ BEST REVIEWS ๐ฅ LOWEST BANRATES ๐ฅ TRIALS AVAILABLE ๐ฅ DISCORD SUPPORT ๐ฅ ALMOST EVERY SKILL ๐ฅ CUSTOM BREAKMANAGER ๐ฅ DEDICATED SUPPORT
2 points
- Perfect Agility AIO
2 pointsBrought to you by the #1 most sold script series on the market. Come and see why everyone's choosing Czar Scripts! This is the most advanced Agility bot you will find anywhere. BUY NOW $9.99 NEW! Added Both Wyrm Courses! SCRIPT INSTRUCTIONS Optimal Setup for the bot: Please set the mouse zoom to far away (to the left, like below) so that more obstacles can be seen in the view, and so the script can be more stable and reliable Also, make sure to have roofs toggled off (either go to settings tab or type ::toggleroof) for optimal results2 points- APA Sand Crabs
2 pointsBefore buying, please ensure you check-out with the correct script. Swapping scripts is not possible. View in store $4.99 for lifetime access Features: All spawns - Supports every multi-crab spawn point both along the south coast of Zeah and Crab Claw Isle All combat styles - Supports Ranged, Magic and Melee combat training. The script will not bank runes of any type Saving GUI - Intuitive, re-sizeable and fully tool tipped GUI (Graphical User Interface) allowing you to tailor the script session to your needs, with configuration saving / loading Human replication - Designed with human simulation in mind - multiple options to replicate human behaviour available in the GUI Setup customiser - Inventory customiser allows you to visually see your trip setup CLI support - The script can be started from the command line All potions - Supports all relevant potion types (including divine potions!), multiple potion types simultaneously and varying potion ratios Healing in a range - Dual slider allows you to specify a range within which to consume food. Exact eat percentages are calculated using a Gaussian distributed generator at run time Healing to full at the bank - When banking, the script will eat up to full hit points to extend trip times Safe breaking - Working alongside the OSBot break manager, the script will walk to safe place approximately two minutes before a break starts to ensure a successful log out Anti-crash - Smart crash detection supports multiple anti-crash modes (chosen in the GUI): Hop worlds if crashed - the script will walk to a safe place and hop worlds until it finds a free one, at which point it will resume training Force attack if crashed - the script will fight back and manually fight pre-spawned sand crabs until the crasher leaves Stop if crashed - the script will walk to a safe place and stop Ammo and Clue looting - Clue scroll and Ammo looting system based on a Gaussian-randomised timing scheme All ammo - Supports all OSRS ammo types and qualities Spec activation - Special attack support for the current weapon to maximise your exp per hour Auto-retaliate toggling - The script will toggle auto-retaliate on if you forget Move mouse outside screen - Option to move the mouse outside the screen while idle, simulating an AFK player switching tabs Refresh delay - Option to add a Gaussian-randomised delay before refreshing the chosen session location, simulating an AFK player's reaction delay Visual Paint and Logger - Optional movable self-generating Paint and Timeout Scrolling Logger show all the information you would need to know about the script and your progress Progress bars - Automatically generated exp progress bars track the combat skills that you are using Web walking - Utilises the OSBot Web alongside a custom local path network to navigate the area. This means the script can be started from anywhere! Safe banking - Custom banking system ensures the script will safely stop if you run out of any configured items Safe stopping - Safely and automatically stops when out of supplies, ammo or runes Dropping - Drops useless/accidentally looted items to prevent inventory and bank clutter All food - Supports pretty much every OSRS food known to man. Seriously - there's too many to list! ... and many more - if you haven't already, trial it! Things to consider before trying/buying: Mirror mode - currently there appear to be some inconsistencies with behaviour between Mirror mode and Stealth Injection meaning the script can behave or stop unexpectedly while running on Mirror. I would urge users to use the script with Stealth Injection to ensure a flawless experience! Since Stealth Injection is widely considered equally 'safe' to mirror mode and comes with a host of other benefits such as lower resource usage, this hopefully shouldn't be a problem. Using breaks - the script supports breaks and will walk to a safe place ready to log out approximately two minutes before a configured break starts. However, upon logging back in, your spot may no longer be open. If you configure the crash mode to be either 'Hop if crashed' (default) or 'Stop if crashed', this will not prove to be a problem. However if using 'Force attack if crashed', the script will attempt to take back the spot by crashing the occupying player and manually attacking spawned sand crabs. Be aware that players have a tendency to report anti-social behaviour such as this! Avoiding bans - while I have done my utmost to make the script move and behave naturally, bans do occasionally happen, albeit rarely. To minimise your chances of receiving a ban, I would strongly suggest reviewing this thread written by the lead content developer of OSBot. If you take on board the advice given in that thread and run sensible botting periods with generous breaks, you should be fine. That being said, please keep in mind that botting is against the Oldschool Runescape game rules, thus your account will never be completely safe and you use this software at your own risk. Setting the script up - I have done my best to make the GUI (Graphical User Interface) as intuitive as possible by making all options as self explanatory as I could, however if you are not sure as to what a particular setting does, you can hover over it for more information. If that doesn't help, just ask on this thread! Web-walking - alongside a network of paths, the script moves around with the OSBot web-walking system, using it when in unknown territory. While it has proven very reliable, there are naturally some areas for which the web-walker may struggle. As a result, prior to starting the script, I would highly recommend manually navigating your player close to the sand crabs bank, however in practice, anywhere on Zeah should be fine. Script trials: I believe that trying a script before buying is paramount. After trying the script, hopefully you will be convinced to get a copy for yourself, but if not you will have gained some precious combat experience! If you're interested in a trial, please follow the instructions on my trials thread which can be found here. Gallery: Start up GUI (Graphical User Interface): Paint (optional, movable and self-generating): User screenshots: Recent Testimonials: Starting from CLI: This script can be started from the command line interface. There is a single parameter, which can take two (and only two) values: 'gui' or 'nogui'. 'gui' will start the script and show the gui, 'nogui' will skip the GUI setup and start the script using your save file as the configuration. To start from CLI with 'nogui', the script requires a valid GUI save file to be present - if you haven't already, start the script manually and configure the GUI to suit your needs. Then hit 'Save configuration' and in future starting from CLI will use these configured settings. The script ID is 886. Example CLI startup: java -jar "osbot 2.4.137.jar" -login apaec:password -bot apaec@example.com:password:1234 -debug 5005 -script 886:nogui2 points- Molly's Chaos Druids
2 pointsMolly's Chaos Druids This script fights chaos druids in Taverly dungeon, Edgeville dungeon and Ardougne. Profits can easily exceed 200k p/h and 60k combat exp/ph, this is a great method for training low level accounts and pures. Buy HERE Like this post and then post on this thread requesting a 24hr trial. When I have given you a trial I will like your post so you will receive a notification letting you know you got a trial. Requirements - 46 Thieving for Ardougne -82 Thieving and a Lockpick for Yanille - 5 Agility for Taverly(recommended) - No other requirements! Though I do recommend combat stats of 20+ as a minimum Features: - Supports eating any food - Hopping out of bot worlds - Recovers from deaths(respawn point must be lumbridge), includes re-equipping items on death - Potion support - Automatically detects and withdraws/uses Falador teleport tabs if using Taverly dungeon - Automatically detects and withdraws/equips/uses glories if using Edgeville dungeon - Supports looting bag Setup: Start the script, fill out the GUI, and be in the general area of where you want to run the script. CLI setup: Proggies: In the works: Known bugs: Bug report form, this is a MUST for problems to be resolved quickly: Description of bug(where, what, when, why): Log: Your settings: Mirror mode: Y/N2 points- iSkill4U's New Main Diary. [Start 14/07/2016]
Howdy all! Just lost my Main OSRS account to Jagex with a Perm ban... I created this account in 2004. It also had insane RS3 stats. Unfortunately, I also kept my riches on this account .. It won't stop me though, So I'm back making another OSRS Main BUT with no botting... I really need a bot free account (Seeing as it's been a very long time since I had botted on this account, must have pissed of Jagex with all the bot account's I had been making recently) ... Here's my journey to hopefully a lovely high skilled Main account with plenty of 99's and lots of gold. I had 4M left on another account that I transferred over. Any kind donations to help me back on my feet & to support me on my journey.. are really appreciated! Any goal suggestions/tips/advice are more than welcome! Feel free to PM me for Username .. Let's be Friends Keep updated! - Follow this post. The Journey Begins. [14/07/2016] Starting Skills/Bank/Quests Current Goals: 60 Attack. 80 Strength. 60 Defence. Goals Achieved: 1st Goal: 40 Attack, Strength, Defence 2nd Goal: 70 Strength Account Events: Coming Soon! -- Diary Updates: -- Update #1. 3:16AM 15/07/2016 Bank / Quest's remain the same. Info: N/A Update #2. 9:48AM 15/07/2016 Bank / Quest's remain the same. Info: N/A Update #3. 12:16AM 20/07/2016 Bank / Quest's remain the same. Info: Had break over weekend.. of course Update #4. 4:11AM 30/07/2016 Bank / Quest's remain the same. Info: Apologies for slow progress & updates! Currently moving home so can only get limited training done at moment. Diary Legends (Current Supporters - Donate to become Legend ) iSkill4U Diary's Last Update: 4:16AM 30th July 2016.2 points- Bot is DOWN (for now)
2 pointsI have my private updater. An updater searches for bytecode patterns to search for fields, classes and methods.2 points- Bot is DOWN (for now)
2 points- Bot is DOWN (for now)
2 points2 points- selling an ags pure once I hit 100 postcount without spamming
2 points- f2p pure
2 pointsnahh these acc take over 50 hours of combat i think you are underestimating 40 attk 70 str 60-70 str is over 10 hours alone plus its bonded thanks for your opinon tho2 points- Disputed @LogicBug
2 pointsI didnt go through all the quests which cost lower than 1m but the point still stands, as maldesto said, you wanted to do the most expensive quests so i could pay more. My suggestion for a settlement would be you doing all the quests (which i can do) which cost less than 1m. Because point still stands you tried to get as much money as possible from me and make me py i really hefty price for a service which wouldnt cost the amount of gp you planned on making me pay. Also, the 16qp i mentioned cost 6.7m while you did 6qp for 9m.. So yeah. After further discussions with the user my settlement i just posted doesnt really suite him. I dont know why, but he doesnt want to do it. Seeing as he did deceive me by telling me that him choosing the quests would be better for me, and evidently, they werent i think we should go with what maldesto said.2 points- Disputed @LogicBug
2 pointsAfter some research i could have gotten 16 quest points for 6.7m! He got me 6 quest points for 9m. Its pretty obvious that he didnt do the quests which would be 'better' for me, as he supposedly said. So, as maldesto said, there was a much much cheaper alternative.2 points- Status Help
2 points- Perfect Agility AIO
2 pointsLol wtf, I just levelled a new account to 80 agility and still no bans, make sure to bot responsibly man, it will reduce ban rate by soo much 2-3:1 hr break ratio, avoid botting on rs update days, rs hours, reply to ingame chat, etc etc. 2 hours then 4 hours is far too quick for a ban, sounds almost unbelievable it's not really difficult2 points- Perfect Fighter AIO
2 pointsNew update: v116 - Added port sarim upstairs fix, with banking now - Added an update for sand/rock crabs AFK mode - Added an update for b2p mode - Added a button 'Guthans mode' Can a mac/linux user please test the script (v115 is currently live), I hope it works this time I still need to test guthans mode, I just converted the code from aio stronghold script to the fighter script (it already works in stronghold script) please let me know if there are any bugs. I will test it asap, just levelling a new account real quick. At 70 70 65 so far For b2p mode, the script will now convert bones to peaches even if there aren't many bones in inventory (only for surviving) and if there are no bones the script will go to nearest bank and then stop script good luck all Keep the suggestions/feedback coming ^^ update should be live within a few hours2 points- Perfect Fighter AIO
2 pointsIt's beside the "File" button. Can't post screenshot because I don't have any accounts going for a while.2 points- Perfect Motherlode Miner
1 pointNEW! supports new south + east shortcuts, new hopper (upstairs), and mouse invokes!!! (just like runelite!) 'the intelligent choice' By Czar 34-99 Mining on video!! Agility Shortcut Setup Window Preview 70 hours run time https://i.imgur.com/wiF6VPO.png1 point- Perfect Fighter AIO
1 pointNEW! Added Gemstone Crab! 81 Hours at Cows Brutal Black Dragon support Sulphur Nagua support Blue Dragon 99 ranged 99 Ranged at Gemstone Crab 81 Range F2p Safespotting Hill Giants Hotkey List // F1 = set cannon tile // F2 = hide paint // F3 = Set afk tile // F4 = reset afk tile // F6 = Set safespot tile // F7 = activate tile selector // F8 = Reset tile selector // F9 and F10 used by the client, EDIT: will re-assign as they are no longer used by client // F11 = Set breaks tile // F12 = Reset breaks tile User Interface Banking Tab Demo (handles everything with banking) You can copy inventory (to avoid adding individual items...), you can insert item names which have Auto-Fill (for you lazy folk!) and you can choose whether to block an item and avoid depositing it in bank, ideal for runes and ammo. Looting Tab Demo (From looting to alchemy, noted/stackable items too) You can choose whether to alch an item after looting it simply by enabling a checkbox, with a visual representation. All items are saved upon exiting the bot, for your convenience! Tasking Demo (Not to be confused with sequence mode, this is an individual task for leveling) You can set stop conditions, for example to stop the bot after looting a visage, you can have a leveling streak by changing attack styles and training all combat stats, you can have windows alert bubbles when an event occurs and an expansive layout for misc. options! Prayer Flick Demo (Just example, I made it faster after recording this GIF) There are two settings: Safe mode and efficient mode, this is safe mode: Fight Bounds Demo Allows you to setup the fight bounds easily! Simplified NPC chooser Either choose nearby (local) NPCs or enter an NPC name to find the nearest fight location! Simple interface, just click! Level Task Switch Demo (Switching to attack combat style after getting 5 defence) You can choose how often to keep levels together! e.g. switch styles every 3 levels Cannon Demo (Cannon is still experimental, beta mode!) Choose to kill npcs with a cannon, recharges at a random revolution after around 20-24 hits to make sure the cannon never goes empty too! Results Caged Ogres: How does this bot know where to find NPCs? This bot will find far-away npcs by simply typing the NPC name. All NPCs in the game, including their spawn points have been documented, the bot knows where they are. You can type 'Hill giant' while your account is in Lumbridge, and the bot will find it's way to the edgeville dungeon Hill giants area! Here is a visual representation of the spawn system in action (this is just a visual tool, map mode is not added due to it requiring too much CPU) Fight Area Example (How the bot searches for the npc 'Wolf') Walking System The script has 2 main walking options which have distinctive effects on the script. The walking system is basically a map with points and connections linking each point. It tells the script where to go, and decides the routes to take when walking to fightzones. Walking system 1 This uses a custom walking API written by myself and is constantly being updated as new fightzones are added. Pros: - Updates are instant, no waiting times - More fightzones are supported Cons: - Sometimes if an object is altered, the changes are not instant - Restarting the script too many times requires loading this webwalker each time which adds unnecessary memory (there is no way to make it only load at client startup since I don't control the client) Walking system 2 This is the default OSBot webwalking API - it is relatively new and very stable since the developers have built it, but is currently lacking certain fightzones (e.g. stronghold) and other high level requirement zones. It is perfect for normal walking (no object interactions or stairs, entrances etc) and never fails. Pros: - Stable, works perfect for normal walking - All scripters are giving code to improve the client webwalker - More efficient when restarting the script since it is loaded upon client start Cons: - No stronghold support yet - Some new/rare fightzones not supported yet - If there is a game-breaking update or an unsupported fightzone, it may take some time to add/repair (less than 24 hours usually) So which system should I choose? Whichever one suits your chosen fightzone best! There really shouldn't be any problems - the sole purpose of these options are for backup and emergency purposes, if the script ever messes up there is always the next option to select. Note: If the script ever fails, there will be immediate updates to fix the walking systems! Script Queue/Bot Manager: Script ID is 758, and the parameters will be the profile name that you saved in the fighter setup! Bug Report templates: New feature request - What is the new feature - Basic description of what the script should do - Basic actions for the script: 'Use item on item' etc. For when the script gets stuck on a tile (or continuous loop): - Which exact tile does the script get stuck on? (exact tile, not 'near the draynor village') - Plugin or normal script? - Did you try all 3 walking options? Script has a logic bug (e.g. dies while safespotting) or (cannon mode doesn't pickup arrows) - What is the bug - How did you make the bug happen - (optional) recommendation for the bug, e.g. 'make the script walk back' or something - Tried client restart? - Normal script or a plugin? - Which exact setup options are enabled? Afk mode, cannon mode, etc etc.1 point- Buying 45M @ $1.17 My fees
1 point- Is OSBot down?
1 point- GE Data (get price etc. by item name) no external libraries required
1 point- Minor lag when running two bots
1 pointLow fps/lag can make the script lag, which causes you to lose out on xp/money since you're lagging and it's not running efficient low-cpu mode is good though if you're using a lot of cpu/getting lag spikes. It'll run a little slower but its good if you're using a lot of bots1 point- Bot is DOWN (for now)
1 point- selling an ags pure once I hit 100 postcount without spamming
you need 100 posts to sell accounts1 point- Perfect Fighter AIO
1 point- Flipping on RS3 or RS07?
1 point- Which of these IPboard themes do you like the most
In terms of friendly navigation Ortem is a miles better. Subway is too thick.1 point- Which of these IPboard themes do you like the most
1 point- Perfect Fighter AIO
1 pointI don't like how you're "afking" sand crabs and the bot still clicks to attack the npc's that are already aggro on you. Could you please change that? Would be best with less click interactions, only things it should be doing; Afk and refresh if the sand crabs unaggro.1 point- Stealth Quester
1 pointThanks, I don't usually add new scripts but I add new quests every few weeks generally. Not adding more quests until the script is 100% stable again though1 point- Stealth Quester
1 pointAnd that concludes my trial. Can honestly say, that overall,this is an exceptionally good script. Definitely worth the money and will be buying it next pay day. The Golem - Got the golem to start but kept looping the magic carpet to bebadin then back to shantay pass, walked it in the direction of the quest and it got back on track. Script got stuck on pirate RFD when it returned to lumby without picking kelp.1 point- iSkill4U's New Main Diary. [Start 14/07/2016]
Good luck on this one mate! Update it as often you can, fun to see how fast you can reach your goals!1 point- iSkill4U's New Main Diary. [Start 14/07/2016]
1 point- iSkill4U's New Main Diary. [Start 14/07/2016]
1 point- iSkill4U's New Main Diary. [Start 14/07/2016]
1 point- iSkill4U's New Main Diary. [Start 14/07/2016]
1 point- iSkill4U's New Main Diary. [Start 14/07/2016]
1 point- (THROWBACK) Would you scam quit for a large sum of $$$$
Who even scams pixels in these days? 10 year old turds.1 point- :?: @Scenery
1 point- Disputed @LogicBug
1 pointFirst off, this really really doesnt call for a TWC. The 1m was a mixup in calculations which i told the user i'd py back, the dispute is about the service and how it should be completed and how it was completed. I cant give a detailed reply atm since i dont bave access to a computer so i'll be replying with a detailed explanation as well as pictures tomorrow hopefully.1 point- Veteran Rank date extended to May 1st, 2014!
Dear Community, A lot of you have been asking me to extend the date for about a year now. I've decided to change the date from December 31st, 2013 > May 1st, 2014. As always, you will need to be active, and represent OSBot as a Veteran.1 point- Would you scam quit for a large sum of $$$$?
funny seeing the people in this thread who said no and now banned.1 point - Perfect Agility AIO