Jump to content
Frequently Asked Questions
  • Are you not able to open the client? Try following our getting started guide
  • Still not working? Try downloading and running JarFix
  • Help! My bot doesn't do anything! Enable fresh start in client settings and restart the client
  • How to purchase with PayPal/OSRS/Crypto gold? You can purchase vouchers from other users
  • Batocie

    VIP
    • Posts

      20
    • Joined

    • Last visited

    • Days Won

      1

    Reputation Activity

    1. Like
      Batocie reacted to Zawy in Can I get partial refund or Script added to library?   
      Also,
      You purchased the script on 10/12, and I released the new Slayer update on 10/16.
      At the time you purchased Elite the threads were accurate.
    2. Upvote
      Batocie reacted to qbots in Simple Bot Manager   
      @ Bot Manager
       
      This is a simple tool that will let you put all your special configs and launch options in one place, and then start them with the click of a button.
      GUI:

      There may be bugs, but it's free and it "works" and it's something I've wanted added to the client for a while and figured I could make a simple one to suit my needs.
      Source: https://github.com/ExcoCat/-BotManager
      Be warned the code isn't pretty as I wrote it in like 20 minutes.
      JAR file isn't obfuscated so feel free to decompile it to check it out if you dont want to wait for the source
      Download: https://www.mediafire.com/file/ou8bzsadhgnctwb/BatCreater.jar/file
    3. Like
    4. Like
      Batocie got a reaction from BotHarder Uni in 👑Dreamy Blast Mine👑 | 150-700k / hour | Restocking | Task system | Account building | Multiple walls | Anti-crash | Worldhopping | Banking | Pulling rewards | Stamina support | Stop settings | Discord notifications |   
      Always impressed with your drops. Never cease to amazing me. Can't wait to get my miners in there for that easy gp/hr  Making this botting thing too easy for me  
       
    5. Upvote
      Batocie got a reaction from BotHarder Uni in 👑Dreamy Blast Mine👑 | 150-700k / hour | Restocking | Task system | Account building | Multiple walls | Anti-crash | Worldhopping | Banking | Pulling rewards | Stamina support | Stop settings | Discord notifications |   
      Definitely lives up to the task needed. Easy to use and get started, passively making me some gp  Excellent as always bout to throw more into the builder for a small farm
       
       

    6. Like
      Batocie reacted to Pandemic in DreamBot 3 Miner Tutorial, Part 2   
      Hello everyone, it has been a couple years since I released the first part of this so I thought it was about time to write the next part.
      Anywho, this will directly build off of what we had in Part 1, which you can find here:
      Prerequisites
      You should have already have a project with everything we added in Part 1.
      Project Layout
      This will be the final layout of the project once we're finished:

      The Script
      Just as in Part 1, let's define what our goals are for the end of this part:
      We want to show a GUI to let the user choose if they want to power mine or bank at the nearest bank Since all great scripts support QuickStart, we also want to support QuickStart parameters to avoid needing manual input from the GUI We need to add a new task to handling banking, and extend our mining task to let it walk back once it's done banking src/gui/GUI.java, the script's GUI
      Here's the simple GUI that we'll be using:
      The final GUI once we add the modes will look like this, just as we designed it above:

      Points of Interest:
      JFrame: Our GUI class extends JFrame, which is provided by Java's Swing Constructor: Our constructor takes one parameter, our main script instance, so that we can let it know what mode to start the script in MigLayout: You can see we set our frame's layout to use MigLayout, this is mostly just preference however I would highly recommend using it as it's pretty easy to learn and extremely powerful JLabel/JComboBox/JButton: These are all Swing components that make up our GUI, see the link above for more examples of these and how to use them JComboBox<Miner.Mode> modeComboBox: This is the dropdown that will let the users select which mode they want to use. It's provided all of Miner.Mode's possible values, which we'll add below. I prefer using enums instead of String's or anything else here simply because it's much harder to mess up and it allows us to add more (or change) modes in the future without ever worrying about the GUI class. src/Miner.java, the script's main class
      Show the GUI
      We have a few changes we have to make to our main class to show the new GUI and use the mode it sends over, so let's remove this line from our onStart:
      addNodes(new MiningTask(), new DropTask()); and add this line in its place:
      SwingUtilities.invokeLater(() -> new GUI(this)); This will create and pass in the script instance so the GUI can let the know script once the users chooses a mode. You should always perform any Swing component creation or modification on the AWT thread, which you can do just by wrapping it in that invokeLater.
      Add the Mode Enum
      Now we'll need to provide the script modes we want the GUI to show, so we add this at the bottom of our script class (but still before the final closing curly brace):
      public enum Mode { POWER_MINE, BANK; @Override public String toString() { // We override the toString so the GUI can show friendlier options than POWER_MINE to the user switch (this) { case POWER_MINE: return "Power mine"; case BANK: return "Bank at the nearest bank"; default: return "Blame Yeeter"; } } } Add the setMode Method
      Now we have the mode enum which the GUI will use to show available options, but we still need to create the setMode method we used in the GUI class, which you can add after your onPaint:
      /** * This adds the tasks necessary to run the script in the provided {@link Mode} * @param mode the script mode to use */ public void setMode(Mode mode) { addNodes(new MiningTask()); // We always want to mine switch (mode) { case POWER_MINE: addNodes(new DropTask()); // Add the drop task if the user selected power mining break; case BANK: addNodes(new BankTask()); // Add the bank task if they chose banking break; } } QuickStart Support
      So now the GUI can set the script's mode, but what if you want to support QuickStart so you don't have to use a GUI every time?
      Supporting QuickStart script parameters is pretty easy, as the client will call onStart(String...) instead of the normal onStart we have now, so we can support it by adding in this new onStart after our current one:
      /** * This onStart is called only if the user starts the script using QuickStart with parameters. * * We check the parameters to see how to set the script up without needing to show a GUI that would require user * input. * * @param params the QuickStart parameters passed in from the command line */ @Override public void onStart(String... params) { // Start DreamBot's skill tracker for the mining skill, so we can later see how much experience we've gained SkillTracker.start(Skill.MINING); if (params != null && params.length > 0) { String modeParameter = params[0]; // Grab the first parameter passed via QuickStart if ("powermine".equalsIgnoreCase(modeParameter)) { setMode(Mode.POWER_MINE); } else if ("bank".equalsIgnoreCase(modeParameter)) { setMode(Mode.BANK); } else { Logger.error("Unknown script mode: '" + modeParameter + "', try 'bank' or 'powermine' instead."); stop(); } } } That's it!
      If you followed along above, our Miner.java class should look like this now:
      src/tasks/BankTask.java, the banking task
      Now that the GUI (and QuickStart) can set the script mode, we need to add the final missing piece which is banking support:
      So just like the DropTask class, the BankTask class will execute if the inventory is full. It's a fairly simple class that just walks towards the nearest bank and deposits everything (except your pickaxe). DreamBot knows about most of the banks in the game, and our web walker is capable of walking to a vast majority of the map without needing more information from the scripter. This is why you're able to just call Bank#open (or Walking#walk) from anywhere and it knows where to go, regardless of where you start this script.
      src/tasks/MiningTask.java, the mining task
      Back to our MiningTask class, we now need to add a couple things since now after banking we'll be lost and have no clue how to get back to the rocks we were mining earlier.
      First we'll add a new class member which is a Tile where we'll store the last mined rock location, just add this right after the first opening curly brace:
      public class MiningTask extends TaskNode { private Tile lastMinedRockTile = null; // the rest of the script Now we need to set this tile whenever we interact with a rock, so we can add that right after interacting with a rock:
      if (rock.interact("Mine")) { // If we successfully click on the rock lastMinedRockTile = rock.getTile(); // Set the last rock tile in case we need to walk back at some point Sleep.sleepUntil(this::isMining, 2500); // Wait until we're mining, with a max wait time of 2,500ms (2.5 seconds) } So now that tile is set after we interact with any rocks, so let's let the script walk us back here if we're too far away (most likely from banking) which we can do inside of our null check of the rock:
      if (rock == null) { // If there aren't any available rocks near us if (lastMinedRockTile != null && lastMinedRockTile.distance() > 8) { // and we're far from the last mined rock Walking.walk(lastMinedRockTile); // we should walk towards that rock Sleep.sleepUntil(Walking::shouldWalk, () -> Players.getLocal().isMoving(), 1000, 100); return 100; } // We should just wait until one's available return Calculations.random(500, 1000); } Finally, let's add one more check to our getClosestRock method to make sure we're close enough to it:
      /** * Finds the closest acceptable rock that we can mine * * @return The closest GameObject that has the name 'Rocks', with the action 'Mine', and non-null model colors * within 10 tiles */ private GameObject getClosestRock() { return GameObjects.closest(object -> object.getName().equalsIgnoreCase("Rocks") && object.hasAction("Mine") && object.distance() < 10 && // new distance check here object.getModelColors() != null); } That's it!
      If you followed along above, our MiningTask.java class should look like this now:
      We're Done!
      Now just as before, just compile and build the artifact and try out the script.
      Attached below is the entire project source that you can use in case you got lost anywhere.
      If you have any questions or have anything you'd like to see included for the end result, please post it below.
      Thanks for reading!
      Miner-Part-2.zip
    7. Like
      Batocie reacted to Zawy in 👑Dreamy Blast Mine👑 | 150-700k / hour | Restocking | Task system | Account building | Multiple walls | Anti-crash | Worldhopping | Banking | Pulling rewards | Stamina support | Stop settings | Discord notifications |   
      | Account building | Restocking | Task system | Multiple walls | Anti-crash | Worldhopping | Banking | Pulling rewards | Stamina support | Stop settings | Discord notifications |
       
      Welcome!
      This script can do the blast mine mini game and the requirements for it. 
       
      Join the Dreamy Scripts Discord and get notified on updates/new releases!

      Features:
      Account building Restocking Task system Automatically pickaxe upgrade (If pickaxe is not in the bank it will purchase it from the G.E) GE support Dragon pickaxe special attack Pulling rewards Custom food Stop settings after X mining level Anti-crash Multiple walls  Account builder features:
      Train mining to X level. Automatically detects best ore for best experience. Instructions:
      To use the script you need atleast 20 HP.  Please have the following items in the bank or enable restocking
      Dynamite Tinderbox Chisel Food (You do get hit so you need food) Optional: Stamina potion(1)  
      Tip:
      If you have VIP enable "Menu manipulation" and "No click walk". You can find those in the client settings under the Injections tab.
       
      Media:
       200M EXP - Rank 200M.

       
      @maxm
      @Chuckzoor
       
    8. Like
      Batocie reacted to yeeter in Account Cleaned By Dreambot?   
      Why would we ruin our reputations in this massive community we've built up over the last 6+ years for 30$ of a rando's money?  Nice logic there my guy.
       
      1) We DO NOT have access to your account information.  That data is stored locally on your computer.
      2) Clearly by the logic you've displayed so far you didn't put much effort into thinking about what could had happened.  I am willing to bet you reused a password elsewhere or used another client or random AHK script you downloaded off some sketch site and got burnt for it.  
       
      /thread
    9. Like
      Batocie reacted to Zawy in 👑Dreamy AIO Skiller Elite👑 | 200M EXP PROGGY | All 23 skills in one script | 86 Quests | 12 Minigames | 22 Money making methods included | Misc scripts | Smart Desktop & Discord Notifications | Customised profiles |   
      | All 23 skills in one script | 86 Quests (F2P/P2P) | 12 Minigames | 22 Money making methods included | Smart Desktop & Discord Notifications | Customised profiles |
      ONLY $119,95 Lifetime for around $300+ worth of scripts.
      Grab a free trial now:

      Join the Dreamy Scripts Discord and get notified on updates,new releases & giveaways

       
      Welcome to Dreamy AIO Skiller Elite,
      Are you searching for a script that can train your skills, do minigames, make money and complete quests? Look no further.
      This script contains 23 skills in one script, 12 minigames, 22 amazing money making methods AND 86 quests.
      Please read all below to understand why this script is so awesome  
      Scroll down to see the MANY 99's and 200M EXP people have reached with this script!
       
      The following scripts are included:
       Woodcutting
       Fishing
       Mining
       Cooking
       Fletching
       Smithing
       Crafting 
       Herblore 
       Thieving 
       RuneCrafting
       Prayer
       Construction
       Firemaking
       Agility
       Magic
       Attack
       Strength
       Defence
       Hitpoints
       Ranged
       Hunting
       Farming
       Slayer
       Questing (See below for the currently added quests)
       Minigames (See below for the currently added minigames)
       Money making(See below for the currently added money making methods)
      Misc (Dreamy Walker & Dreamy Stronghold completer)
       





      How to setup discord notifications:
      Example of the discord notifications

       
      How to setup profiles:
      Dreamy Woodcutting 
      Universal Chopping: Chop trees virtually anywhere! Efficient Task System: Manage and automate tasks with ease. Auto-Dropping: Automatically drop unwanted items to free up inventory space. Banking Support: Seamlessly bank your items for continued chopping. Bird's Nest Pickup: Automatically collect bird's nests while chopping. Easy Setup: Quick and simple to configure—get started in no time. Worldhopping Features: No Tree in Area: Hop to a new world when no trees are available. Player Count Detection: Worldhop when a specific number of players are in the area. Timed Worldhopping: Hop after a set amount of minutes for maximum efficiency. Upgrade Axe Option: Automatically upgrade your axe via the Grand Exchange or bank. Deposit Box Support: Utilize deposit boxes for fast item storage. Fletching Logs to Arrowshafts: Automatically convert logs into arrow shafts. Stop Conditions: Stop chopping after a certain amount of time or upon reaching a set level.  
      Dreamy Fishing
      Preset Locations: Save and quickly access predefined locations for your activities. Auto Restocking: Automatically restock your supplies to keep things running smoothly. Advanced Task System: Efficiently manage and automate tasks with customizable options. Custom Locations: Set your own custom locations for greater flexibility. Randomized Dropping: Automatically drop items in a random order. Harpoon Special Attack: Utilize the harpoon’s special attack for enhanced efficiency. Stop Conditions: Automatically stop tasks based on customizable settings (time, level, etc.). Cooking Fish: Support for cooking fish across multiple ranges, with optimal efficiency. Deposit Box Support: Easily use deposit boxes for quick item storage. 3-Tick Action Support: 3-ticking using Guam leaf, Pestle & Mortar, and Swamp Tar. Secret & Infernal Eels: Catch Secret and Infernal Eels. Dreamy Mining
      Powermining Task system Custom locations Stop settings Rune,Amethyst & sandstone supported Worldhopping (P2P/F2P) Worldhop X amount of players in area. Worldhop after X amount of minutes. Dragon pickaxe special attack Save/load profiles Random dropping order Automatic Pickaxe upgrading (Will check the bank first then purchase the pickaxe in the G.E) Dreamy Cooking
      Almost All food: All food in the game supported. Preset Locations: Save and quickly access predefined locations for your activities. Auto Restocking: Automatically restock your supplies to keep things running smoothly. Advanced Task System: Efficiently manage and automate tasks with customizable options. 2-Tick Precision: Executes food actions with 2-tick timing for faster experience. Stop Settings: Set conditions to stop food usage or restocking. Quickstart Profiles: Save profiles for different activities and easily switch between them. Dreamy Fletching
      Fletches All Logs: Automatically fletches all types of logs into arrow shafts, bows. Strings Bows: Strings all types of bows. Makes All Darts: Creates every type of dart (metal, rune, etc.). Makes All Arrows: Creates all arrows. Makes All Bolts: Fletches all types of bolts, including broad, rune, and more. Crafts All Javelins: Creates all javelins, from bronze to rune. Makes All Crossbows: Creates every type of crossbow. Cuts All Gems: Cuts all gems. Auto Restocking: Automatically restock your supplies to keep things running smoothly. Stop Settings: Set conditions to stop food usage or restocking. Quickstart Profiles: Save profiles for different activities and easily switch between them. Dreamy Smithing
      Smith all Items: Create all items from the smelted bars. Smelt all Bars: Automatically smelt all ores into bars Automatic Restocking: Stay fully equipped with automatic item restocking when needed. Advanced Task System: Queue multiple rooftop-based tasks and let the system manage them efficiently. Tasks can be queued based on levels or runtime, ensuring you progress through objectives in an optimized order. Customizable Profiles & Quickstart Options:
      Personalize your gameplay with custom profiles and take advantage of quickstart features, enabling you to get into action quickly and efficiently. Dreamy Crafting
      All Gem Cutting:Support for cutting all types of gems, including uncut zenyte and more, for crafting and other uses.
      All Leather Crafting:Full support for crafting all types of leather items.
      Costume Needle support: This script will detect if you have the costume needle and use it.
      Bow Stringing:Automatically string bows.
      Glassblowing:Craft glass items such as vials, orbs, and other useful tools through the glassblowing process.
      Jewelry Crafting:Create a variety of jewelry items, including rings, necklaces, and amulets.
      Battlestaff Crafting:Automatically craft battlestaffs.
      Auto Stop Settings (Level & Supplies):Automatically stop tasks when a specified level is reached or when you run out of supplies, ensuring efficient resource management.
      Automatic Supply Restocking:Keep your inventory stocked with essential materials through automatic restocking, preventing interruptions in your activities.
      Advanced Task System:Manage and automate tasks with a dynamic task system that queues and prioritizes tasks based on your current level or runtime.
      Dreamy Herblore
      Clean All Herbs: Automatically cleans all herbs in your inventory for efficient Herblore training. Make All Potions: Automatically crafts all possible potions. Make All Unfinished Potions: Creates all unfinished potions. Smart Inventory Clicking: Optimized clicking for inventory management (Vertical, Horizontal, or Line-based organization). Human-Like Behavior: Mimics realistic clicking patterns to reduce the risk of detection. Stop Settings: Customizable stop conditions, such as levels, time limits, or when out of supplies. Restocking Supplies: Automatically restocks all necessary Herblore materials, including herbs, vials, and secondary ingredients. Advanced Task System:Manage and automate tasks with a dynamic task system that queues and prioritizes tasks based on your current level or runtime.  
      Dreamy Thieving
      Pickpocketing & Coin Pack Opening: Automatically pickpockets NPCs and opens coin packs. Blackjacking: Fully automates the Blackjacking method, including tick perfect knocking out NPCs and pickpocketing them for efficient XP. Steal from Stalls: Supports stealing from a variety of stalls. Smart Safe Spot System: Detects and uses safe spots for stealing from stalls to minimize risk. Custom Eating: Automatically eats food based on custom settings (food type, amount, and health threshold). Smart Banking: Automatically banks loot and restocks necessary supplies. Shadow Veil Activation: Uses a rune pouch in your inventory to cast Shadow Veil, reducing detection while pickpocketing. Human-Like Behavior: Mimics realistic clicking patterns to reduce the risk of detection. Advanced Task System:Manage and automate tasks with a dynamic task system that queues and prioritizes tasks based on your current level or runtime. Restocking: Automatically restocks food, dodgy necklaces, and other supplies as needed for uninterrupted training. Dodgy Necklaces: Uses Dodgy Necklaces to reduce the chance of getting caught while pickpocketing. Stop Settings: Customizable stop conditions such as levels, time limits, or when out of supplies.  
      Dreamy Runecrafting
      All normal altars supported. Ring of dueling(8) teleport method supported for fire runes. Energy/stamina/antidote++ potions supported. Choose between rune or pure essence. Human behavior. Stop settings at X level reached. Progressive mode. Pouches (in progress) Grand exchange supported, will buy more essence automatically. Please have enough gold in your bank. Dreamy Prayer
      All bones are supported. Task system. Gilded altar support. Own house support. Friend's house support. Phails unnoting supported (Currently the only banking option ) Normal burying bones. Human behavior. Stop settings for friend's house, Out of bones using phails method. Stop settings at X level reached. Dreamy Construction:
      Advanced Task System:Manage and automate tasks with a dynamic task system that queues and prioritizes tasks based on your current level or runtime. Restocking: Automatically restocks planks and other necessary materials for uninterrupted training. Phials Unnoting Service: Uses the Phials shop unnoting service to convert noted planks to unnoted for continuous use. Stop Settings: Set specific stop conditions, such as when a certain level is reached, the time limit is up, or when out of planks. Profiles & Quickstart: Save and load custom profiles to quickly start different Construction setups with one click. Dreamy Firemaking:
      All logs supported. Custom locations. Preset locations. Progressive mode.  Stop settings. Restocking. Task system. Human behavior. Dreamy Agility:
      18 Supported Courses: 18 agility courses. Rooftops/normal courses/wyrm course  Comprehensive Food Support: Almost all food types are supported. Banking Access: Easily access your bank at the nearest bank location. Stamina System: Efficient stamina management. Automatic Restocking: Stay fully equipped with automatic item restocking when needed. Customizable Profiles & Quickstart Options:
      Personalize your gameplay with custom profiles and take advantage of quickstart features, enabling you to get into action quickly and efficiently. Advanced Task System: Queue multiple tasks with the task system. Tasks can be queued based on levels or runtime, ensuring you progress through objectives in an optimized order. Graceful Item Auto-Purchase: Automatically purchase graceful items when required. (Optional) Courses:
      (Level 10) Draynor ✓
      (Level 20) Al-Kharid ✓
      (Level 30) Varrock ✓
      (Level 35) Barbarian outpost ✓ 
      (Level 40) Canifis ✓
      (Level 48) Ape Atoll ✓
      (Level 48) Shayzien Beginner ✓
      (Level 64) Shayzien Advanced ✓
      (Level 50) Falador ✓
      (Level 50) Varlamore✓
      (Level 62) Varlamore✓
      (Level 52) Wilderness course ✓
      (Level 60) Seers' Village ✓
      (Level 60) Werewolf course✓
      (Level 70) Pollnivneach ✓
      (Level 75) Prifddinas ✓
      (Level 80) Rellekka ✓
      (Level 90) Ardougne ✓
      Dreamy Magic:
      Restocking Task system Automatically spellbook swapping Teleporting Alching 1 Tick enchanting Stringing jewellery Humidify Planking Splashing Superheating Degrime Dreamy AIO Fighter:
      Attack almost every NPC(s) Multi attacking. Automatic looting table. Potions supported. Banking supported. Custom area's. Custom looting. Loot all items over X gp. Special attack supported. Bury bones supported. Quick prayer supported. Much much more. Dreamy Crabs:
      Able to kill Sand crabs/rock crabs. Banking supported. Food supported. Potions supported. Special attack supported. Combat style switching. Dreamy Quester:
      Currently 86 quests supported. Quests queue supported. Discord notification's when a quest is completed. Start the script with 300k in your bank or else the script can't use the G.E. Quests supported:
       
      The following minigames are added:
      Dreamy Pest Control.(Start at the Pest control bank) Dreamy Blast Furnace.(Start at the blast furnace bank) Dreamy Ranged Guild.(Start at the Ranged Guild) Dreamy Castle Wars.(Start at Castle Wars) Dreamy Nightmarezone.(Start at the yanille bank/nmz area. Dreamy Wintertodt.(Start at the wintertodt bank) Dreamy Tempoross.(Start at the tempoross minigame) Dreamy Trawlers.(Start at the trawler minigame) Dreamy Motherlode mining(Start at the motherlode mine) Dreamy Chompy(Start at castle wars bank with Ogre bellows in your inventory). Dreamy Mahogany Homes (Items required: Varrock teleport tabs,falador teleport tabs, ardougne teleport tabs,skills necklace,planks,saw and hammer) Dreamy Defenders.  
      Dreamy Money making:
      Air orbs (Start in edgeville with glory(6) and supplies in your bank). Tab Maker Tanner Plank maker Plank collector: Start at Barbarian outpost. Enchanter: Start at any bank with cosmic runes in your inventory and required staff for the spell. Cannonballer: Start at Edgeville with mould in your inventory. Climbing boots collector: Start at Start at Barbarian outpost with coins in your inventory and games necklace(8) in bank. Item combiner: Start at any bank with required items in the bank. Bow stringer: Start at Lumbridge bank with flax in your inventory or bank. Shopper: Start with shop open at ANY location. Winegrabber: Start at falador with law & water runes in inventory(Air staff equipped). Spider's eggs collector (Start at Ferox enclave with duel rings & skills necklace in your bank, this script NEED atleast 43 prayer). Dreamy Tinderbox collector Dreamy Dough maker Spider's eggs collector Sewers (Have a knife and food in your bank/inventory).  
      Dreamy Hunting:
      All birds:
       Crimson swift  Golden warblers  Copper longtails  Cerulean twitches   Tropical wagtail  
      Butterflies:
       Ruby Harvest  Sapphire glacialis  Snowy knight  Black warlock  
      Chinchompas:
       Grey chinchompa   Red chinchompa  
      Kebbits:
       Spotted kebbit  Dark kebbit  Dashing kebbit  
      Features:
      Birds Chinchompas Butterflies Kebbits Smart trap system Anti-crash Dropping Banking Stop settings (After X mins & Level) Dreamy Farming:
      Tithe farming minigame (Currently 8 rows added, more coming later.).  
      Dreamy Slayer:
      Features:
      Supports Slayer Masters: Spria, Turael, Mazchna, Vannaka, Nieve, and Duradel. Superior monsters are supported. Auto-relocates house to Ardougne (for Duradel tasks). Full potion support, including decanting. Comprehensive task management system. Automatic restocking of essential items. Decanting for both amulets and potions. Barrows gear fixing. Purchase slayer rewards from slayer masters. Purchase slayer finishers from slayer masters. Cancel tasks. Reset tasks at Turael. Custom gear handling. 1-tick prayer flicking for maximum efficiency. Looting over 'X' GP. Virtual slayer tasks. Bury any bones. Draggable Advanced loot tracker (Hold right mouse click) Dreamy Spidines:
      Start the script at Port kharard bank.
      Features:
      Kill spidines in tower of life. Stop script when run out of items. Items needed:
      Raw sardine. Red spiders's eggs. Food. Dreamy Scarabs
      Instructions:
      Start the script at the Sophanem Dungeon bank. This script will need a bullseye lantern for the cave.
      Features:
      1-tick prayer flicking. Looting. Potion support. Restocking. Gear handling. Combat style switching. Task system. Advanced loot tracker. Profiles Quickstart Dreamy Druids
      Instructions:
      Start the script at any bank.
      Features:
      Customised food. Customised looting. Potion support(Range/prayer/super combat). Special attack. Multiple Chaos Druids locations(Edgeville, Falador & Ardougne). Stop settings. Dreamy Monk robe collector
      Instructions:
      Start the script anywhere with atleast 31 prayer.
      Features:
      Collects monk robes in Edgeville.  
      Dreamy Cadava Collector
      Instructions:
      Start the script anywhere.
      Features:
      Collects cadava berries in varrock.  
      Dreamy Stronghold completer:
      - Completes stronghold for 10K & boots. Perfect for new accounts.
       
      Dreamy Walker:
      - Walk to places in the game.
       







      @dutchminer


       


       





       








       


    10. Like
      Batocie got a reaction from BotHarder Uni in 👑Dreamy Arceuus Teletabs👑| Restocking | Task system | 300 - 700k / hour | All teletabs | Agility shortcuts | Library teleport | Stop settings | Worldhopping | Banking |   
      Literally making a cheap tab still goes up to 400k an hour with some decent breaks. Literally the best script to make money with on low req accs in my opinion 10/10
       
    11. Like
    12. Upvote
    13. Like
      Batocie got a reaction from Apheza in 👑Dreamy Minnows Lite 👑| Avoids flying fish | Stop settings | Active customer support | Worldhopping after X mins |    
      I can't get a bunch of screen grabs because of image size limit, join discord and ill send them all without a doubt. i can tell you "optimized" doesnt exist. also i know its not the script becuase it is running for a while and not being stopped to the point my db isnt even updated rn cause i like the long proggies. Also im running multiple no proxie covert and 2 breaks :). Bans happen there is a ban wave a bunch of people were talking about it. you just got unlucky it happens when botting it isnt perfect. 
    14. Upvote
      Batocie reacted to maxm in 👑Dreamy Minnows Lite 👑| Avoids flying fish | Stop settings | Active customer support | Worldhopping after X mins |    
      You believe what ever you want to believe, just don't ask me for advice as I'm a 'paid actor'.
       
      Happy botting xoxo
    15. Upvote
      Batocie reacted to elusivestudio in RS_AccountFire NEW v2.0-beta! Multi-function website account creator tool with opt for making email verified accounts (Both Proxy and VPN modes available) [FREE]   
      Hi all I know some people follow along for updates so I figure I'd give the most recent I've got
      I've decided that the next release is going to be v2.0 - so many things have changed that it doesn't deserve to be part of v1.x
      The GUI is further improved from the above photos to allow for easy future feature additions. The engine has been severely overhauled to improve randomness and further prevent detection (including UAs, mobile emulation, fingerprint spoofing, &more). Drastically improved error handling (tons of potential exceptions caught, doesn't hang up on website thrown errors etc) and user feedback with log system (and configurable verbosity). Ability to save proxy list and save entire program configuration for ease of use - just open and run!, options for save format (txt, excel, json, xml), additional path config options, and more! 
      tldr;
      This is a massive improvement update with a new sleek GUI and total engine overhaul. Hope to have it out within the next couple days, thanks for your patience 😃 
    ×
    ×
    • Create New...

    Important Information

    We have placed cookies on your device to help make this website better. You can adjust your cookie settings, otherwise we'll assume you're okay to continue.