Skip to content
View in the app

A better way to browse. Learn more.

OSBot :: 2007 OSRS Botting

A full-screen app on your home screen with push notifications, badges and more.

To install this app on iOS and iPadOS
  1. Tap the Share icon in Safari
  2. Scroll the menu and tap Add to Home Screen.
  3. Tap Add in the top-right corner.
To install this app on Android
  1. Tap the 3-dot menu (⋮) in the top-right corner of the browser.
  2. Tap Add to Home screen or Install app.
  3. Confirm by tapping Install.

Leaderboard

Popular Content

Showing content with the highest reputation on 05/09/16 in Posts

  1. Haven't seen a Castle Wars script on either here or a competitor bot. This is something I wrote up real quick; you could just AFK outside the spawn room but I added some basic logic to prevent some reports. Features: -Waits for game -Grabs bandages, finds enemies, attacks people -Leaves spawn zone, walks to high-traffic areas This is an open-source script, written so its easy to understand for some of you newer guys. If you are a VIP+ member you get the convenience of the script being on the SDN. Source: import org.osbot.rs07.api.map.Area; import org.osbot.rs07.api.map.Position; import org.osbot.rs07.api.model.Entity; import org.osbot.rs07.api.model.NPC; import org.osbot.rs07.api.model.Player; import org.osbot.rs07.api.model.RS2Object; import org.osbot.rs07.api.ui.Skill; import org.osbot.rs07.api.util.GraphicUtilities; import org.osbot.rs07.api.util.LocalPathFinder; import org.osbot.rs07.event.InteractionEvent; import org.osbot.rs07.script.MethodProvider; import org.osbot.rs07.script.Script; import org.osbot.rs07.script.ScriptManifest; import org.osbot.rs07.utility.ConditionalSleep; import java.awt.*; import java.util.Collection; import java.util.LinkedList; import java.util.Optional; import java.util.stream.Collectors; /** * Created by Alek on 5/8/2016. */ @ScriptManifest(name = "Castle Wars", author = "Alek", version = 1.0, info = "Castle Wars Script", logo = "") public class CastleWars extends Script { ScriptState scriptState = ScriptState.PENDING; private Team myTeam = null; private Player enemyPlayer = null; private final Area ZAMORAK_SPAWN_ROOM = new Area(2368, 3127, 2376, 3135).setPlane(1); private final Area SARADOMIN_SPAWN_ROOM = new Area(2423, 3072, 2431, 3080).setPlane(1); private final Area ZAMORAK_WAITING_ROOM = new Area(2403, 9510, 2437, 9543); private final Area SARADOMIN_WAITING_ROOM = new Area(2363, 9478, 2394, 9502); private final Area SARADOMIN_SPAWN_AREA = new Area(2420, 3072, 2431, 3083).setPlane(1); private final Area ZAMORAK_SPAWN_AREA = new Area(2368, 3124, 2379, 3135).setPlane(1); private final Position ZAMORAK_STAIRS_DOWN = new Position(2380, 3127, 1); private final Position SARADOMIN_STAIRS_DOWN = new Position(2419, 3080, 1); private final Position ZAMORAK_LADDER_DOWN = new Position(2378, 3134, 1); private final Position SARADOMIN_LADDER_DOWN = new Position(2421, 3073, 1); private final Position ZAMORAK_BARRIER = new Position(2377, 3131, 1); private final Position SARADOMIN_BARRIER = new Position(2422, 3076, 1); private final Position CENTER_ISLAND = new Position(2400, 3104, 0); private final Position ZAMORAK_CASTLE_FRONT = new Position(2387, 3115, 0); private final Position SARADOMIN_CASTLE_FRONT = new Position(2411, 3092, 0); private enum Team { SARADOMIN(1), ZAMORAK(2); int teamId; Team(int teamId) { this.teamId = teamId; } int getTeamId() { return teamId; } } private enum ScriptState {FIND_PORTAL, WAIT_FOR_GAME, GRAB_SUPPLIES, LEAVE_SPAWN, FIND_OPPONENT, FIGHT_OPPONENT, PENDING} @Override public void onPaint(Graphics2D g) { g.setColor(Color.WHITE); g.drawString(scriptState.name(), 10, 120); } @Override public int onLoop() { scriptState = getScriptState(); switch (scriptState) { case FIND_PORTAL: myTeam = null; Optional<RS2Object> optionalPortal = getObjects().getAll().stream().filter(o -> o.getName().equals("Guthix Portal")).findFirst(); if (optionalPortal.isPresent()) { if (optionalPortal.get().interact("Enter")) { new ConditionalSleep(5000, 500) { @Override public boolean condition() throws InterruptedException { return SARADOMIN_WAITING_ROOM.contains(myPlayer()) || ZAMORAK_WAITING_ROOM.contains(myPlayer()); } }.sleep(); } } else { log("Please start the script in Castle Wars!"); stop(false); } break; case WAIT_FOR_GAME: if (getDialogues().isPendingOption()) { getDialogues().selectOption("Yes please!"); } else if (myPlayer().getArea(2).getRandomPosition().interact(getBot(), "Walk here")) { getMouse().moveOutsideScreen(); new ConditionalSleep(MethodProvider.random(30000, 60000), 3000) { @Override public boolean condition() throws InterruptedException { return getDialogues().isPendingOption() || (SARADOMIN_SPAWN_ROOM.contains(myPosition()) || ZAMORAK_SPAWN_ROOM.contains(myPosition())); } }.sleep(); } break; case GRAB_SUPPLIES: Optional<RS2Object> optionalTable = getObjects().getAll().stream().filter(o -> o.getName().equals("Table") && (ZAMORAK_SPAWN_ROOM.contains(o) || SARADOMIN_SPAWN_ROOM.contains(o))).findFirst(); if (optionalTable.isPresent()) { for (int i = 0; i < MethodProvider.random(1, 5); i++) { if (optionalTable.get().interact("Take-5")) { final int slots = getInventory().getEmptySlots(); new ConditionalSleep(5000, 500) { @Override public boolean condition() throws InterruptedException { return slots != getInventory().getEmptySlots(); } }.sleep(); } } } break; case LEAVE_SPAWN: boolean successfullyLeftSpawnArea = false; if (SARADOMIN_SPAWN_ROOM.contains(myPosition()) || ZAMORAK_SPAWN_ROOM.contains(myPosition())) { Optional<RS2Object> optionalBarrier; if (getMyTeam().equals(Team.ZAMORAK)) optionalBarrier = getObjects().getAll().stream().filter(o -> o.getPosition().equals(ZAMORAK_BARRIER)).findFirst(); else optionalBarrier = getObjects().getAll().stream().filter(o -> o.getPosition().equals(SARADOMIN_BARRIER)).findFirst(); if (optionalBarrier.isPresent()) { if (optionalBarrier.get().interact("Pass")) { new ConditionalSleep(5000, 500) { @Override public boolean condition() throws InterruptedException { return !SARADOMIN_SPAWN_ROOM.contains(myPosition()) && !ZAMORAK_SPAWN_ROOM.contains(myPosition()); } }.sleep(); } } } else { Optional<RS2Object> optionalStairs; if (getMyTeam().equals(Team.ZAMORAK)) optionalStairs = getObjects().getAll().stream().filter(o -> o.getPosition().equals(ZAMORAK_STAIRS_DOWN)).findFirst(); else optionalStairs = getObjects().getAll().stream().filter(o -> o.getPosition().equals(SARADOMIN_STAIRS_DOWN)).findFirst(); if (optionalStairs.isPresent()) { if (!isPathBlocked(optionalStairs.get())) { if (optionalStairs.get().interact("Climb")) { successfullyLeftSpawnArea = true; new ConditionalSleep(5000, 500) { @Override public boolean condition() throws InterruptedException { return myPosition().getZ() == 0; } }.sleep(); } } else { Optional<RS2Object> optionalLadder; if (getMyTeam().equals(Team.ZAMORAK)) optionalLadder = getObjects().getAll().stream().filter(o -> o.getPosition().equals(ZAMORAK_LADDER_DOWN)).findFirst(); else optionalLadder = getObjects().getAll().stream().filter(o -> o.getPosition().equals(SARADOMIN_LADDER_DOWN)).findFirst(); if (optionalLadder.isPresent()) { if (!isPathBlocked(optionalLadder.get())) { if (optionalLadder.get().interact("Climb-down")) { successfullyLeftSpawnArea = true; new ConditionalSleep(5000, 500) { @Override public boolean condition() throws InterruptedException { return myPosition().getZ() == 0; } }.sleep(); } } else { NPC barricade = getNpcs().closest("Barricade"); if (barricade != null) { if (barricade.interact("Attack")) { new ConditionalSleep(5000, 500) { @Override public boolean condition() throws InterruptedException { return !barricade.exists(); } }.sleep(); } } } } } } if (successfullyLeftSpawnArea) { switch (MethodProvider.random(0, 2)) { case 1: getWalking().webWalk(CENTER_ISLAND); break; case 2: if (getMyTeam().equals(Team.ZAMORAK)) getWalking().webWalk(ZAMORAK_CASTLE_FRONT); else getWalking().webWalk(SARADOMIN_CASTLE_FRONT); break; } } } break; case FIND_OPPONENT: Collection<Player> enemies = getPlayers().getAll().stream().filter(p -> p.getTeam() != getMyTeam().getTeamId()).collect(Collectors.toList()); if (!enemies.isEmpty()) { for (Player enemy : enemies) { Rectangle enemyBounds = GraphicUtilities.getModelBoundingBox(getBot(), enemy.getGridX(), enemy.getGridY(), enemy.getZ(), enemy.getModel()); if (getMap().canReach(enemy)) { if (enemyBounds.intersects(GraphicUtilities.MAIN_SCREEN_CLIP)) { InteractionEvent event = new InteractionEvent(enemy, "Attack").setWalkTo(false); execute(event); if (event.hasFinished()) { enemyPlayer = enemy; break; } } else if (MethodProvider.random(0, 1) == 1) { getWalking().walk(enemy); break; } } } } break; case FIGHT_OPPONENT: if (enemyPlayer.exists()) { if (myPlayer().isInteracting(enemyPlayer)) { if (getInventory().contains("Bandages") && (getSkills().getStatic(Skill.HITPOINTS) - getSkills().getDynamic(Skill.HITPOINTS) > 10)) getInventory().getItem("Bandages").interact("Heal"); new ConditionalSleep(MethodProvider.random(2000, 5000), 500) { @Override public boolean condition() throws InterruptedException { return enemyPlayer.exists(); } }.sleep(); } else if (getMap().canReach(enemyPlayer)) { enemyPlayer.interact("Attack"); } else { enemyPlayer = null; } } else { enemyPlayer = null; } break; } return 1000; } private ScriptState getScriptState() { if (getConfigs().get(1021) == 0) return ScriptState.FIND_PORTAL; if (ZAMORAK_WAITING_ROOM.contains(myPlayer()) || SARADOMIN_WAITING_ROOM.contains(myPlayer())) return ScriptState.WAIT_FOR_GAME; if (SARADOMIN_SPAWN_AREA.contains(myPlayer()) || ZAMORAK_SPAWN_AREA.contains(myPlayer())) if (!getInventory().contains("Bandages")) return ScriptState.GRAB_SUPPLIES; else return ScriptState.LEAVE_SPAWN; if (enemyPlayer == null) return ScriptState.FIND_OPPONENT; return ScriptState.FIGHT_OPPONENT; } private Team getMyTeam() { if (myTeam == null) myTeam = myPlayer().getTeam() == 1 ? Team.SARADOMIN : Team.ZAMORAK; return myTeam; } private boolean isPathBlocked(Entity entity) { LocalPathFinder pf = new LocalPathFinder(bot); LinkedList<Position> path = pf.findPath(entity); if (pf.foundPath()) { Collection<NPC> barricades = getNpcs().getAll().stream().filter(o -> o.getName().equals("Barricade")).collect(Collectors.toList()); for (Position position : path) for (NPC barricade : barricades) if (barricade.getPosition().equals(position)) return true; return false; } return true; } }
  2. that would become the best computer in iran, if you were to buy it
  3. do u wanna earn mills u tired of getting bans u tired ihb in colab with @Alek, @Maxi, @MGI, @Zach & @Phosphatidylse presents: osbot's first amazing joke bot what can u expect from this bot: it asks for a donations for a joke iit accepts it tells a dank joke rinse and repeat ALSO: runs back 2 ge if it leaves ge or starts outside ge features: 30+ dank jokes, a sick paint, no antiban 4 all u edgy guys who dont like it a virus scan for my bot: as u can see u have n othing 2 fear using my script howeever if u are still skeptical use this 2 minute videofor a demonstration: this covers all question u may have: this is what i earned in 12 seconds of using my robot: download it today and become a get all the girls: asking for donations version: http://s000.tinyupload.com/index.php?file_id=17425321727993259738 place it in this directory: C:\Users\YOUR_NAME\Desktop\Recycle Bin Please post any WET one or two liners u have below and i will add them in if u want lol
  4. 👑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 thread
  5. Brought 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 results
  6. ────────────── PREMIUM SUITE ────────────── ─────────────── FREE / VIP+ ─────────────── ──────────────────────────────────────────────────────────── ⌠ Sand crabs - $4,99 | Rooftop Agility - $5,99 | AIO Smither - $4,99 | AIO Cooker - $3,99 | Unicow Killer - £3,99 | Chest Thiever - £2,99 | Rock crabs - $4,99 | Rune Sudoku - $9,99 ⌡ ⌠ AIO Herblore - FREE & OPEN-SOURCE | Auto Alcher - FREE | Den Cooker - FREE | Gilded Altar - FREE | AIO Miner - VIP+ ⌡ ──────────────────────────────────── What is a trial? A trial is a chance for you to give any of my scripts a test run. After following the instructions below, you will receive unrestricted access to the respective script for 24 hours starting when the trial is assigned. Your trial request will be processed when I log in. The trial lasts for 24 hours to cater for time zones, such that no matter when I start the trial, you should still get a chance to use the script. Rules: Only 1 trial per user per script. How to get a trial: 'Like' this thread AND the corresponding script thread using the button at the bottom right of the original post. Reply to this thread with the name of the script you would like a trial for. Your request will be processed as soon as I log in. If i'm taking a while, i'm probably asleep! Check back in the morning Once I process your request, you will have the script in your collection (just like any other SDN script) for 24 hours. Private scripts: Unfortunately I do not currently offer private scripts. ________________________________________ Thanks in advance and enjoy your trial! -Apaec.
  7. 2 points
    Molly's Thiever This script is designed to quickly and efficiently level your thieving! Check out the features below. Buy HERE Features: - Capable of 200k+ per hour and 30k+ exp/ph on mid-level thieving accounts. - Quickly reaches 38 thieving to get started on those master farmers for ranarr and snap seeds! - Fixes itself if stuck. - Hopping from bot-worlds. - Stun handling so the bot doesn't just continually spam click the npc. - Drops bad seeds if inventory is full at master farmers. - Eats any food at the hp of your choosing. Supports: -Lumbridge men -Varrock tea -Ardougne cake -Ardougne silk -Ardougne fur -Kourend Fruit Stalls -Ardougne/Draynor master farmer -Ardougne/Varrock/Falador guards -Ardougne knight -Ardougne paladin -Ardougne hero -Blackjacking bandits as well as Menaphite thugs, this has limitations, click the spoiler below to see them Setup: Select your option from the drop down menu, it will tell you the location where the target is located. Fill out the gui and hit start. Simple setup! Proggies: Proggy from an acc started at 38 theiving:
  8. Will post a failsafe for deposit box right now, latest version is v1.06 I'm almost done optimizing all the readyclick areas and task mode, those 2 updates will be in v1.07 thanks for positive feedback everybody , really appreciate it ^^
  9. There's another big advantag: if you have 2 and 1 of them goes bad then your machine doesn't become useless / you aren't forced into buying RAM immediately. Whereas if you only have 1, well... RIP :p
  10. Best parts for the $602/- PCPartPicker part list / Price breakdown by merchant CPU: Intel Core i5-6500 3.2GHz Quad-Core Processor ($194.99 @ SuperBiiz) Motherboard: MSI B150 Gaming M3 ATX LGA1151 Motherboard ($9.99 @ Best Buy) Memory: Crucial 4GB (1 x 4GB) DDR4-2133 Memory ($14.99 @ Amazon) Memory: Crucial 4GB (1 x 4GB) DDR4-2133 Memory ($14.99 @ Amazon) Storage: Western Digital Caviar Black 1TB 3.5" 7200RPM Internal Hard Drive ($83.99 @ Amazon) Video Card: EVGA GeForce GTX 950 2GB Superclocked+ ACX 2.0 Video Card ($144.99 @ NCIX US) Case: NZXT S340 (White) ATX Mid Tower Case ($63.99 @ SuperBiiz) Power Supply: Corsair CSM 550W 80+ Gold Certified Semi-Modular ATX Power Supply ($73.98 @ Newegg) Total: $601.91 Prices include shipping, taxes, and discounts when available Generated by PCPartPicker 2016-05-09 09:31 EDT-0400 Due to mainboard getting sold out online. Here's another alternative. $613/- PCPartPicker part list / Price breakdown by merchant CPU: Intel Core i5-6500 3.2GHz Quad-Core Processor ($194.99 @ SuperBiiz) Motherboard: Gigabyte GA-Z170X-UD3 ATX LGA1151 Motherboard ($112.98 @ Newegg) Memory: Crucial 4GB (1 x 4GB) DDR4-2133 Memory ($14.99 @ Amazon) Memory: Crucial 4GB (1 x 4GB) DDR4-2133 Memory ($14.99 @ Amazon) Storage: Western Digital Caviar Blue 1TB 3.5" 7200RPM Internal Hard Drive ($46.98 @ OutletPC) Video Card: EVGA GeForce GTX 950 2GB Superclocked+ ACX 2.0 Video Card ($144.99 @ NCIX US) Case: Deepcool TESSERACT BF ATX Mid Tower Case ($32.99 @ SuperBiiz) Power Supply: Rosewill Capstone 550W 80+ Gold Certified ATX Power Supply ($49.99 @ Newegg) Total: $612.90 Prices include shipping, taxes, and discounts when available Generated by PCPartPicker 2016-05-09 09:56 EDT-0400
  11. 1 point
    Want to buy with OSGP? Contact me on Discord! Detailed feature list: - Supports banking at 99% of the locations - Task based setup (1-99) - Supports every fish (Shrimps, sardine, herring, anchovies, mackerel, trout, cod, pike,salmon, tuna, lobster, bass, Leaping trout/salmon/sturgeon, swordfish, monkfish, shark, dark crab, angler fish, sacred eel, infernal eel) - Supports almost every bank location (New ones can be requested) (Lumbridge swamp, Al-Kharid Sea, Draynor, Lumbrdige river, barbarian village, shilo village, Catherby, corsair cove, fishing guild, piscatoris, port piscarilius, karamja, jatizso, seers, gnome stronghold, Lands' end, Zul andra, Mor Ul rek) - Fish & bank (Preset) - Fish & bank (Custom) supports almost every location - Fish & Drop (Custom) supports every fishing spot - Barbarian fishing (Select leaping fish at fish & drop) - Cook fish when fire is nearby (Fish & Drop Only) - Minnows support - Karambwans + Karambwanji support - Aerial fishing support - Drift net fishing support - Humanlike idles - Dragon harpoon special - Barehand fishing option - Fishing barrel support - Spirit flakes support - Drop clue bottles support - CLI support for goldfarmers Custom Breakmanager: - Setup Bot and break times - Randomize your break times - Stop script on certain conditions (Stop on first break, Stop after X amount of minutes, Stop when skill level is reached) - Worldhopping - Crucial part to botting in 2023! Script queueing: - Support queueing multiple script in a row - All Khal scripts support flawless transitions in between scripts - Start creating your acc in a few clicks from scratch to multiple 99's - Flawless CLI support - Learn more here: How to use CLI parameters: - Example Usage: -script 571:ScriptFile.BreakFile.DiscordFile SAVEFILE = Saved Filename BREAKFILE = Breakmanager Filename - SAVEFILE: Save file can be created in the GUI. Navigate to the tab you want to run and press "Save As CLI file". Please choose your filename wisely (No special characters) - BREAKFILE (Optional): Breakfile can also be create in the GUI, set the breaksettings you wish to use and press "Save new CLI BreakFile". Please choose your filename wisely (No special characters) - Final form (Note that with some bot managers you do not need to specify -script 571): -script 571:TaskList1.4515breaks (With breaks) -script 571:TaskList1.4515breaks.discord1 (With breaks & discord) -script 571:TaskList1..discord1 (NO breaks & discord) Proggies:
  12. This is an AIO (All-in-one) bot that has almost every thieving style except blackjack, ask for a free trial by liking thread or making a post! Vyres and elves are now supported! Both can make solid profit per hour, decent passive income! BIG THANK YOU TO ALL OUR SUPPORTERS! WE ARE THE MOST SOLD THIEVING BOT IN OSBOT HISTORY. MOST REPLIES, MOST USERS, LONGEST PROGGIES #1 Thiever | Most Overall Sales | Most Total Replies | Most Results | 10+ Years Maintained | 'the intelligent choice' by Czar SUPPORTS VYRES 224M made in a single sitting of 77 hours 1.1B made from elves and vyres!! ELVES SUPPORTED TOO! (NEW) 2.1m/hr, 6 crystals in 7 hrs 99 THIEVING MANY MANY TIMES, 35M EXP IN ONE BOTTING RUN!! 99 thieving in ~43k xp (12 minutes remaining)! Just got 99 proggy! Gratz to @iz0n THIEVING PET AT LVL 22 FROM TEA STALLS 11.5 HOURS, WITH PET TOO!! 610k/hr getting 99s on deadman worlds!
  13. Want to buy with OSGP? Contact me on Discord! Detailed feature list: - Multiple modes: Varrock - Walk to sawmill and bank Varrock - Walk sawmill / Varrock teleport (tablet) Varrock - Walk sawmill / Varrock telkeport (spell) Woodcutting guild - Banks for logs Woodcutting guild - Chop logs Castle wars - Balloon method / Ring of dueling Castle wars - Ring of elements / Ring of dueling POH butler mode Castle Wars - House teleport (Tab OR Spell) / Ring of dueling POH butler mode Camelot PVP - House teleport (Tab OR Spell) / Camelot teleport (Tab or Spell) - Potion support - Normal butler / Demon butler - CLI support for goldfarmers Custom Breakmanager: - Setup Bot and break times - Randomize your break times - Stop script on certain conditions (Stop on first break, Stop after X amount of minutes, Stop when skill level is reached) - Worldhopping - Crucial part to botting in 2023! Script queueing: - Support queueing multiple script in a row - All Khal scripts support flawless transitions in between scripts - Start creating your acc in a few clicks from scratch to multiple 99's - Flawless CLI support - Learn more here: How to use CLI parameters: - Example Usage: -script 463:ScriptFile.BreakFile.DiscordFile SAVEFILE = Saved Filename BREAKFILE = Breakmanager Filename - SAVEFILE: Save file can be created in the GUI. Navigate to the tab you want to run and press "Save As CLI file". Please choose your filename wisely (No special characters) - BREAKFILE (Optional): Breakfile can also be create in the GUI, set the breaksettings you wish to use and press "Save new CLI BreakFile". Please choose your filename wisely (No special characters) - Final form (Note that with some bot manager you do not need to specify '-script 844'): -script 844:TaskList1.4515breaks (With breaks) -script 844:TaskList1.4515breaks.discord1 (With breaks & discord) -script 844:TaskList1..discord1 (NO breaks & discord)
  14. APA Chest Thiever Deadman mode & Level 3 friendly! $3.99 $2.99 _______________________________________________________ Demo Video: Please note: This video was made before support for alching was released. Please refer to below for the new GUI and paint changes Requirements: 13 Thieving for basic chests, 28 for Nature rune chests Features: Rapid reaction speeds mean script will never fail to loot a chest Wide range of chest locations including Ardougne and Rellekka Easy to set up with highly customisable user interface Attractive and informative paint tells you everything you need to know Self-generating paint means it's only as big as it needs to be Real-time profit tracker using live grand exchange data Supports alching while looting (free magic exp!) High and low alching supported Alchs any item you can think of Profit tracker keeps account of alching expenses, calculating net change Customisable anti-ban system ensures script acts like a human Supports food (misclicks can happen (very rarely!) - this is just a failsafe!) Informative location tracker tells you details of every chest Looting system picks up any stray nature runes / coins should anyone die! Dynamic signatures allow you to keep track of your total progress ...and much more! Chest Locations: Example Setup: Screenshots:
  15. 1 point
    Molly's Planker This script makes planks at Varrock East for gold. Buy HERE Requirements: None for regular method, for balloon method you need rings of dueling, willow logs(1 per run), be under 40KG weight with full inventory of coins + logs(wear graceful items for example) and you must have completed the quest Enlightened Journey. Features: - Hopping out of bot worlds - Stamina potion usage - Regular energy pot usage, this can be used in conjunction with stamina pots to reduce the amount of stamina pots used - Makes normal, oak, and teak planks -Enlightened journey balloon support Setup: Start at Varrock East, have coins and logs in bank and let it do work! CLI Setup: Proggies: Normal planks, no stam pots used:
  16. Without further ado, here it comes: Happy 3'rd OSBot anniversary everyone! Three years ago we started out venturing in the world of OSRS botting and now we are here. It has been a sincere blast and with the developments over the last months we are sure we will bring another year worth mentioning! To celebrate we wanted to give something back to you guys so we decided that we are starting with giving away 5 LIFETIME Sponsorships. After that, we will have another round of giveaways, because we can! Special thanks goes out to you, the community, the community staff members who have been with us and those who still are and the development team. Without you, OSBot would not have been here. @Maldesto you are a true hero for handling this community, @Alek you are a true hero for keeping our scripters cornered and @Zach is there anything you can not do?! @MGI you are an amazing programmer and an even nicer person and @Dex please continue messing with our forums haha. @Asuna maybe you can teach Dex? @Genii, @Khaleesi, @Epsilon and everyone aforementioned; keep up the good work, you are awesome! What do you need to do to win? Like our OSBot Facebook page, like our anniversary post, share that post and be one of 5 to get that beautiful rank as a gratitude for your time with us. To get to the page and post click the image below. When will we announce the winners? On May 15'th we will make an announcement on the Facebook page as well as here on the forums. The winners will be only announced by their OSBot usernames with privacy in mind. Happy botting, The entire OSBot staff
  17. https://gyazo.com/1c27389dc2e375a5282fc5e43094855e
  18. Well no shit, but since you didn't see the sarcasm in my post I'll clarify; anti-bans are bogus. They don't work.
  19. oh well here i have a progress report for you thanks for getting me almost 93 range in just 1 week lawl. either im lucky or the script has great antiban. if i get 99 range with no bans ill post a 99 report
  20. Zerker is prob the best dont need to risk as much as mains and not as bad loot as low lvls
  21. Well to be fair it's all personal preference in the end. Personally I've always liked the idea of skillers, since pking has never interested my in any way.
  22. i can sell for 1,2/m if u are still looking for gold
  23. Hey man, can I get a trial please?
  24. Script doesn't start? It pays the 200 coins to the Competition Judge and then just sits there. Edit: nvm been awhile since I've used these scripts didn't realize I needed to tick the esc button in the hot key interface
  25. There seems to be an issue with banking. Script walks to Edgeville bank and just stands there.
  26. Is it a bird? Is it a plane? No.. I'ts #IncestMan™
  27. Was able to use this scripts upstairs in the mine several hours without any errors/getting stuck! Very nice job done Czar. One thing I did notice is that it randomly goes into a certain path to mine. There are several sections where you can go to once you've climbed the ladder. A thing inside this motherlode mine is that each individual "claims" an section and therefor says you're crashing him if you go down in his section. During my botsessions I noticed theres quite a few people asking me politely to GTFO at first, but then later getting mad because the scripts keeps crashing them. Would it be an idea to implement the same thing you have in your perfect woodcutter. The select tree thingy, but then not for individual spots but for 1 of the 4 sections that are upstairs. Or even better: player detection and always go into an empty section (tbh, no idea if this is even possible) Here's a picture of me poorly drawing the 4 different sections to mine upstairs: My guess would be that if you hop and find a free section before you start the script, claim that and no people will whine that you're crashing them. Less frustrated people, less reports, lesser bans!
  28. I can vouch for @Arctic, we had a lot of trades in the past. 100% Legit
  29. k.

    1 point
    Great sound quality.
  30. 1 point
    should explain why
  31. How is this VIP if the script is open source?
  32. I tried selecting to zombies lvl 30 to fight. The script would walk to lvl 35 flesh crawler and stand there. Please fix. Tried restarting the client and laptop.
  33. 0.93 just went live like 5-10 mins ago I am testing it now. Does not appear to bank when ur inventory is full(seeds from master farmer) you end up getting messages like "You don't have room in your inventory." and also you don't get exp from that pickpocket and you miss out on seeds that you don't yet have in your inv. Normally this would work fine with lower levels as you'd run out of food and be below the set HP threshhold and would go bank but im at high level and you hardly need food but still gotta bank the seeds when its full and has no food in inventory testing more and will edit post Was this ment for 0.93? Also theres a bug when you get stunned and are now below HP threshhold to eat, it will eat and instantly attempt to pickpocket again when you are stunned(also adds extra fail pickpockets to the gui counter) then will wait out the entire stuntime duration after you are no longer stunned forcing you to just stand there for 5 extra seconds Also could you add a few options to the setup like Clicking speeds(randomized ofc) for pickpocketting and don't move mouse when on target and target is standing still(i noticed the Knight of ardougne pickpocketting doesnt move the mouse but clicks like 100x a second -.-)
  34. EDIT: Will update this post again after the new update goes live
  35. No, thank you and don't worry about the kids who complain if they don't realize how difficult it is to make something like this they should go right ahead and try on their own Otherwise just be patient and let one of the most dedicated scripters on this site do his work.
  36. Hey buddy! The bot works wonders when pickpocketing. But my question is this: Why do you have a chest option when none of the chests scripts work? So far the Chaos druid tower chest and King Lathas' castle in Ardougne DO NOT WORK. I suppose its dissipointing because you have the option to thieve those chests, but the script just sits there calculating and does noting. Plus if you do end up getting the script working, this potion of the script does not bank, which is disappointing. From what I can gather you have been saying for the past 2-3 weeks (one more day) until the blackjack option gets fixed. Cant you give us a straight answer? Or maybe take out the chest stealing ability if its not really realistic thing you have your bot do. Please fix it or stop falsely advertising.
  37. Gloves of silence just disappear. Prior to 1 more failed pickpocket it will say in the chat ^ "Your gloves of silence are going to fall apart!" Once they break it says ^ "Your gloves of silence have worn out."
  38. Alright, gloves of silence, when they break - do they turn into an item e.g. broken gloves of silence, or do they just disappear? Any message in the chatbox? e.g. 'Your gloves of silence have broken' or something Eat for loot space - will add in the setup window for next version Bank when low hp - will add in next version Confirm the gloves of silence system and I will post the update ASAP
  39. This is due to the String thinking + is concatenation, and you figuring the 2 Integers would be added. How java reads this is: "" + "900" + "0" Where you want code like: Integer totalXpPerHour = getExperienceTracker().getGainedXPPerHour(Skill.ATTACK) + getExperienceTracker().getGainedXPPerHour(Skill.DEFENCE); g.drawString("" + totalXpPerHour, 346, 415); You could also do it like this, but I feel it is messier: g.drawString("" + (getExperienceTracker().getGainedXPPerHour(Skill.ATTACK) + getExperienceTracker().getGainedXPPerHour(Skill.DEFENCE)), 346, 415); Note the parenthesis around the addition parts, then the "" + to make it a String.
  40. Can u add notifications for this too? if some1 said ur name or a part of ur name,randoms,Level up maybe.
  41. 1 point
    Referencing static methods thru an object instance ? Surely you jest

Account

Navigation

Search

Search

Configure browser push notifications

Chrome (Android)
  1. Tap the lock icon next to the address bar.
  2. Tap Permissions → Notifications.
  3. Adjust your preference.
Chrome (Desktop)
  1. Click the padlock icon in the address bar.
  2. Select Site settings.
  3. Find Notifications and adjust your preference.