Jump to content

Leaderboard

Popular Content

Showing content with the highest reputation on 08/12/16 in all areas

  1. I'm getting married boys. Let's fuck
    7 points
  2. Script Version: 40.0 | Last Updated: 10/11/2023 [MM/DD/YYYY] LEADERBOARDS: https://cnar.dev/projects/edragons/leaderboard.php Script Progress Pictures Script Development Updates Script Manual GUI Settings (Disable Ad-block to see Images) Gui Saving / Loading: When selecting 'Save settings' a pop up directory will show up. Set a file name under "File name:" then click 'ok' or 'save'. It will save as a .txt file. When selecting 'Load settings' a pop up directory will show up. Simply find your saved .txt file and click it. Once selected, select 'ok' or 'load'. Safe-Spotting Mode: Please start the script at your preferred safe spot when selecting this option and pressing start OR load your saved settings.txt file to auto fill your safe spot! Looting Bag Mode: If toggled, it will use random behavior when adding bones or hides to the Looting Bag! If you happen to die the script will have added it to the lootlist and retrieve it once it spawns on dragon death and continue using it!. Loot distance: Default = 10 Tiles away from your player. Set your custom distance if you prefer. Loot range ammo: Loots the ammo type you have equipped if you are ranging! Default = Stack of 5 Bolts on floor Special Attack: Uses special attack during combat [Main weapon support only!] Deathwalk Mode: Handles death and regears with the equipment set from on start of the script. Current Modes Supported [BETA]: Under production. No guarantee that it is 100%. Green Dragons: West wilderness East wilderness Graveyard wilderness Lava maze wilderness Myth guild [BETA] Blue Dragons: Taverly Watchtower Ogre enclave Heroes' guild Myth guild [BETA] Black Dragons: Taverly Lost city chicken shrine Myth guild [BETA] Metal Dragons: Brimhaven Brutal Dragons: Black dragons in zeah catacombs [BETA] Blue dragons in zeah catacombs [BETA] Red dragons in zeah catacombs [BETA] Mode Help Blue Dragons Supported safespots for taverly mode only. *Other modes can use any spot* Near the agility pipe | Less traffic but with lower profit/hr Inside the Expanded blue dragon room Items | Requirements Anti-dragon shield Ranged/Melee/Magic support! Food Prayer potions *Blowpipe mode taverly mode* Summer Pie *Taverly mode* Falador teleports *Taverly mode* Dusty key *Taverly mode* Dueling rings *Watchtower mode or Heroes guild mode* Games necklaces *Heroes guild mode* Black Dragons Supported safespots Anywhere in the dragon area. Items | Requirements Anti-dragon shield Ranged/Magic support only! Food Anti-poisons *If taverly mode* Falador teleports *If Taverly mode* Dusty key *If Taverly mode* Raw chicken *Lost city mode* Green Dragons Ranged/Melee/Magic support! Supported safespots Graveyard: Anywhere in the myth guild or lava maze dragon area. Items | Requirements East Dragons: Dueling ring *Not optional* Games necklace *Optional* Glory *Optional* Metal Dragons Items | Requirements Select Bury bones option + Dragon bones in loot table to bury bones! Banking is not supported. Please start at the dragon room. It will randomly choose a metal dragon. Range / Magic only support Brutal Dragons Items | Requirements Ranging potions Extended antifire potions Prayer potions Food prayer > 43 rope tunnel route unlocked Start at blast mine bank At this time it will auto grab my set amount of prayer pots. Full GUI customization will come soon. CLI Information Script ID: 898 Create your own file & save under c/users/osbot/data as filename.txt Mode names "Blue dragons(Taverly)", "Blue dragons(Watchtower)", "Blue dragons(Heroes guild)", "Blue dragons(Myth guild)", "Black dragons(Taverly)", "Black dragons(Lost City)", "Black dragons(Myth guild)", "Green dragons(West)", "Green dragons(Graveyard)", "Green dragons(Lava maze)", "Green dragons(Myth guild)", "Metal dragons(Brimhaven)", "[BETA]Brutal dragons(Black)" Food names "Trout", "Salmon", "Tuna", "Potato with cheese", "Lobster", "Swordfish", "Jug of wine", "Monkfish", "Shark", "Manta ray", "Tuna potato", File creation template *See gui for options* *Create your own for validation*: #Dragon GUI Settings #Fri Mar 30 20:14:43 EDT 2018 checkSummerPieActive=false checkEatToFull=true textFoodAmount=1 checkBurningAndGlory=false checkRanarrWeed=true radioWorldHopper=false radioStrengthPotionRegular=false checkRegularWalker=false radioAttackPotionSuper=false radioSpecialAttack=false checkAdamantHelm=true checkWalkToBank=false checkGloryAndGames=false checkLootingBag=false radioMagicPotion=false radioSafeSpot=true radioRangePotion=true radioStrengthPotionSuper=false textWorldHopCount=7 checkRespawnTeleport=false comboDragonsMode=Blue dragons(Watchtower) radioCombatPotion=false checkAutoEatAt=false checkNatureRune=true textEatAt=60 checkAdamaniteOre=true checkBuryBones=false checkGamesAndDueling=false radioAntipoisonPotion=false checkRubyDiamondCombo=false checkSafetyTeleport=false checkRuneDagger=true checkLootAmmo=true radioAttackPotionRegular=false checkBlowpipeActive=false radioAntifirePotion=false checkDragonhide=true checkDragonBones=true checkGloryOnly=false textLootDistance=10 safeSpot=2443,3083,0 checkAntiPK=false checkClueScroll=false checkBurningAndDueling=false comboFoodType=Shark checkDeathwalking=false Bug Report Template Status in the paint(Screenshot): Client Version: "Osbot x.x.x" Client Type(Mirror Mode OR Stealth Injection): Inventory layout: Equipment layout: GUI settings (Screenshot(s)): What is the error that is occurring? How can I replicate this error? Logger output (Screenshot): GRAB YOUR OWN DYNAMIC SIGNATURE HERE https://cnar.dev/projects/edragons/users/All_Users.png //This gives you the all users image (600x200) I encourage you to display your signatures and linked to the thread! Would appreciate that To get your own just do (Case sensitive) https://cnar.dev/projects/edragons/users/YourNameHere.png if your osbot name has spaces (ex. Cool doot 33) https://cnar.dev/projects/edragons/users/Cool doot 33.png PURCHASE HERE
    3 points
  3. An enum type member is implicitly static and final, it will always reference the same object. I never ever want to see enum comparison with the equals method again. Use "==". Let's create a simple Animal enum: enum Animal { DOG, CAT, MOUSE; } And a Cage class: class Cage { private final Animal animal; public Cage(final Animal animal) { this.animal = animal; } public final Animal getAnimal() { return animal; } } The following will thrown a null pointer exception: Since the first cage's animal is null, calling the equals() method on it will throw an exception! new Cage(null).getAnimal().equals(new Cage(Animal.DOG).getAnimal()); The following will return false: The first cage's animal is still null, however "==" is not a class method but an operator that allows null on both sides. You are not calling a method on null, therefore no exception will be thrown new Cage(null).getAnimal() == new Cage(Animal.DOG).getAnimal(); The following will return true: new Cage(Animal.DOG).getAnimal().equals(new Cage(Animal.DOG).getAnimal()); The following will also return true: An enum type member is implicitly static and final, it will always reference the same object. You can safely use the "==" operator! AND ALWAYS SHOULD new Cage(Animal.DOG).getAnimal() == new Cage(Animal.DOG).getAnimal();
    3 points
  4. 3 points
  5. https://gyazo.com/69d9ccba835ce7424f96f093d13fa730
    3 points
  6. β™”CzarScripts #1 Bots β™” Proven the #1 selling, most users, most replies Script Series on the market. Big THANK YOU to all our wonderful users and supporters over the 8 years, we couldn't have done it without you. Czar Bots have always been the Best and the most Feature-rich bots available with the most total sales in OSBot history. Come and find out why everyone is choosing Czar Bots today. β™” LATEST BOTS β™” If you want a trial - just post the script name and it will be activated after I hit 'like' on your post Requirements: hit 'like' on this thread
    2 points
  7. Want to buy with OSGP? Contact me on Discord! Detailed feature list: - Supports all rooftops (Draynor, Al-Kharid, Varrock, Canafis, Falador, Seers, Polivneach, Relekka, Ardougne) - Supports most courses (Gnome stronghold, Shayzien basic, Barbarian stronghold, Ape toll, Varlamore basic, Wilderness (Legacy), Varlamore advanced, Werewolf, Priffddinas) - Supports Agility pyramid - All food + option to choose when to eat - (Super) Energy potions + Stamina potions support - Progressive course/rooftop option - Waterskin support - Option to loot and sell pyramid top - 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 DISCORDFILE= discordSettings 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 463'): -script 463:TaskList1.4515breaks (With breaks) -script 463:TaskList1.4515breaks.discord1 (With breaks & discord) -script 463:TaskList1..discord1 (NO breaks & discord, leave 2nd parameter empty) Proggies:
    2 points
  8. PPOSB - AIO Hunter Brand new trapping system just released in 2024! *ChatGPT Supported via AltChat* https://www.pposb.org/ ***Black chinchompas and Black salamanders have been added back*** Supports the completion of Varrock Museum & Eagle's Peak OR CLICK HERE TO PAY WITH 07 GOLD! The script has been completely rewritten from the ground up! Enjoy the all new v2 of the script JOIN THE DISCORD CHAT FOR QUESTIONS/ SUPPORT/ CHATTING/ UPDATES! New GUI: Features: Click Here Current functioning hunter tasks: (green - complete || yellow - started || red - incomplete) Screenshots: Progressive Leveling: 1-19 --> Crimson swift 19-43 --> Tropical wagtail 43-63 --> Falconry 63+ --> Red chinchompas Updates How to setup Dynamic Signatures Report a bug CLI Support - The script now supports starting up with CLI. The commands are given below. Please put in ALL values (true or false) for CLI to work properly. Make sure they are lowercase values, and they are each separated with an underscore. The script ID for the hunter bot is 677. Parameters: EnableProgression_EnableVarrockMuseum_EnableEaglesPeak_EnableGrandExchange Example: -script 677:true_true_false_true ***Don't forget to check out some of my other scripts!*** OSRS Script Factory Click here to view thread LEAVE A LIKE A COMMENT FOR A TRIAL The script is not intended for Ironman accounts. It still works for Ironman accounts, but you must have all equipment, gear, and items.
    2 points
  9. HScrollingLogger Code: Usage: HScrollingLogger.add("Started Script."); HScrollingLogger.add("Test message 1."); HScrollingLogger.add("Test message 2."); HScrollingLogger.add("Test message 3."); HScrollingLogger.add("Test message 4."); ... @ Override public void onPaint(Graphics2D g) { HScrollingLogger.paintLog(516, 340, g); } What it looks like ingame:
    2 points
  10. How do you have a weekend farm? Your account is not VIP.
    2 points
  11. I THINK I FUCKING NAILED IT
    2 points
  12. tick range combat / mage combat F6
    2 points
  13. Considering I was able to grab 3 common passwords via a simple search this is 100% your own fault. There's nothing tying @FletchingNL to any of this so the only one accountable is going to be you. Sorry for your loss, but I hope you've learned a lesson about passwords.
    2 points
  14. welcome to the land of shitposting and out-dated memes.
    2 points
  15. Just ran "all quest" on a 5th account. Works for me
    2 points
  16. #1 SOLD MAGIC SCRIPT #1 MOST FEATURES MAGIC SCRIPT Want to see how well this script compares to other scripts? Visit the Popular Page to see the list of scripts ranked by popularity! Thank you everyone for all the support and feedback, this script officially is the most sold magic script on the market! Since 2015 it has been continually updated all the way to 2022! ESC MODE, HOVER-CLICK, NEAREST ITEM CLICK, FLAWLESS Anti-ban and Optimal script usage Anti-ban: - Don't go botting more than 3 hours at once, take breaks! Otherwise the ban-rate is highly increased! - Bans also depend on where you bot, for the best results: bot in unpopular locations Banking-related spells are the lowest ban-rate (spells which require banking or can be casted near a bank, e.g. superheating, maybe alching, jewelry enchanting etc etc) since you can just go to a full world and blend in with other non-bots (humans), for example: world 2 grand exchange If casting spells on npcs, then unpopular locations reduce the banrate by alot, So make sure not to go to botting hotspots otherwise you may be included in ban waves. - Some good areas used to be (until some got popular): grizzly bear, yanille stun-alching, any overground tiles (upstairs etc) but once the areas are overpopulated, try to go to another location which is similar to the aforementioned locations. This is a very popular thread with many many users so if a new location is mentioned, the location will be populated very quickly so I can only suggest examples of good locations - Don't go botting straight after a game update, it can be a very easy way to get banned. Wait a few hours! If you ever get banned, just backtrack your mistakes and avoid them in the future: you cannot be banned without making botting mistakes. Keep in mind you can be delay-banned from using previous scripts, so don't go using free/crap scripts for 24 hours then switching to a premium script, because the free/crap previous script can still get you banned! For more anti-ban information, see this thread which was created by an official developer: http://osbot.org/forum/topic/45618-preventing-rs-botting-bans/
    1 point
  17. Eagle Scripts' AIO Construction Script is on the SDN! Click the Icon to Purchase your own Copy! Click here to purchase with RSGP! What is AIO Construction? AIO Construction is the first script that flawlessly helps you gain 1 - 99 Construction! What does AIO Construction support? - Random object icon clicking Method - Castle Wars Teleport - Phials [Rimmington Un-noting] - Progressive mode *BETA* - Tabs - Checks for resources, if none --> logout! Discord https://discord.gg/xhsxa6g Why should I use this script? Interested in gaining 1 - 99 Construction without doing any training yourself? Because it supports Tabs! Because it supports 100+ Objects! Because it supports the Demon Butler! Because it supports Phials! Because it supports Progressive Leveling! Because you can choose whatever supported object you want to build! Requirements: 1. A House (At Rimmington) 2. level 40 Magic for Teleports 3. Or level 1 Magic with Teleport tabs. 4. Runes* , Tools** & Resources*** 5. Membership * Air runes, Water runes, Earth runes, Law runes, Fire runes ** Saw & Hammer *** (Iron)Nails & planks & others needed Objects Currently Supported 103 Objects Extra Info: Mahogany Tables are around 300k XP/H, if you have the money and want to gain 99 as soon as possible, making Mahogany Tables from level 52 to 74/99 is the way to go! To prevent bugs: Try to enable default to building mode on your character if you can, this can streamline things and prevent bugs from occurring. If you want to make objects that are in the Kitchen Room, you should only have a Kitchen room & not also a Dining room, also reverse wise --> if you want to make objects which are in the Dining Room, you can not have a Kitchen! The same applies to garden benches; they are not compatible with the dining room. How to start the Script CLI startup instructions You can start the script via CLI by using the script id 818 The parameters (and required format) are; itemAsPerComboBox/useHouseTabs/useVarrocksTabs/useCastleWars/usePhials Where 'itemAsPerComboBox' represents the exact name of the item in the GUI when selecting it (Note: replace spaces with an underscore '_'), and all other parameters can either be 'true' or 'false'. All parameters have to be in this exact order and separated by a slash '/'. Note that demon butler is not supported via CLI An example of making Oak chairs by using house teleport tabs and castle wars bank is: Oak_Chair/true/false/true/false Bug Report: If you run into any issues using this script, please fill out the form below and send it to me through the forum PM with the title/subject: AIO Construction Bug Report Changelog:
    1 point
  18. Looking for a Private Script? Add my discord! Juggles#6302 AIO Shop Buyer http://i.imgur.com/kzB7ZoA.png Have questions? For fast support and latest updates, join the Discord! ο»Ώ https://discord.gg/pub3PEJ What it does: Supports 99% of shops with banking Automatically detects closest banks Automatically detects if f2p or p2p and hops worlds accordingly All bank booths supported Buys an item from the NPC Walks back to the shop after banking. Enable World Hopping Handles any obstacle in the way of you and the NPC Beautiful GUI Logs out when low on money Supports up to 1 different item! Now supports bank chests Coming Soon Tab: [Closed] This is where I will be custom coding specific spots that you can enable that do not fit into the general criteria. I will be taking requests for custom places to add once the script is uploaded to the SDN and when I have free time. List of Banks Supported Instructions on how to start the script **If there is an obstacles in the way such as a door, please start the script inside the shop at least 1 tile away from the obstacle** ** For best results, start the script in the center of the shop away from any walls by at least 1 tile. ** If you are doing F2P, make sure your world order has all the f2p worlds at the top or it will not properly. Required fields in red: * Everything must be typed exactly how it appears in RS including capitals*
    1 point
  19. Chuckles acc dump thread Available accounts for sale updated weekly Original owner to all 100% hand trained Very safe accounts Short email logins If you see one you like drop a offer, sensible offers will be accepted. or add my skype: live:chuckle00 DEF QUESTED ZERKERS MM, D slayer, Femmy, NMZ + attack quests also complete perfect starter zerkers, 10 in stock Piety quested max main EPIC 99 RANGE DHERS UNIQUE 1 PRAYER DHERS (ONLY 90 CB) MAXED MIANS FOR 280M To view a full updated list of my accounts pm me Terms of service I wont go first to anyone. but I am happy to use a MM if needed I accept all payment methods Any bans or infractions on the account after sale are not my responsibility (the accounts are 100% hand trained and safe if you choose to bot then its your own fault) skype: live@chuckle00
    1 point
  20. Changelog: -Patched Chatbox API (reported by @@FrostBug) -Improved Chatbox message collection -Improved Chatbox stability -Attempted fix for starting scripts through CLI not working for some users (reported by @@Abuse) Also updated the Control Panel to the "Advanced User Panel" to avoid confusion. Updated CLI usage chart: Happy Botting
    1 point
  21. I laughed more at this then i should have done..
    1 point
  22. 1 point
  23. <---- This is me
    1 point
  24. why are u so heated over this thread? have u not seen the amount of retarded posts in spam/off topic
    1 point
  25. 1 point
  26. But Acerd is like 12
    1 point
  27. 1 point
  28. 1 point
  29. Ya wear a bow without arrows or something to make sure missclicks don't give you hp + have enough logs in the bank ^^ Activated your trial! Enjoy
    1 point
  30. Having troubles with enemies and/or loot behind walls, won't move camera to be able to see, bot just sits there for a while until I enable input and move camera for it.
    1 point
  31. That's pretty cool man goodluck Hope it goes well for you!
    1 point
  32. Vid plz and goodluck
    1 point
  33. Hey, Thanks for replying. I am active now, if you could activate it for me that would be great!
    1 point
  34. Lord knows I hope it's only playing them.
    1 point
  35. 1 point
  36. Hi Khal, currently looking to buy either one of these tab making scripts. Could you activate a trial for me?
    1 point
  37. 1 point
  38. 350m + i keep loot + you fully supply everything (ppots etc...)
    1 point
  39. Would like to try a trial please! Thank you!
    1 point
  40. Any chance i can get a trial of this? i bought 2 of your scripts in 1 week that i am here :p id like to try this one first ^^
    1 point
  41. 4k for a 10 minute procedure. This is why people are becoming Ophthalmologists.
    1 point
Γ—
Γ—
  • Create New...