Leaderboard
Popular Content
Showing content with the highest reputation on 05/29/17 in Posts
-
๐ 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 thread10 points
-
User Activated Authing
9 pointsIt's kinda just been sitting on my PC for a couple of weeks with nothing being added to it, if there's enough demand I'll keep updating. Introducing... User Activated Auths! Basicly, you give someone a user+password, they go to your website + input it, then they are authed. User Activated Authing ---------------------- What is it? ----------- User Activated Auths is a way to allow your customer to choose when their auth starts. Limitations: ----------- Since most of you will not be running SSL certs, passing HTTP data -> HTTPS is quite tricky. For this reason, you MUST have the plugin open on OSBot + yourwebsite.com/path/plugin AFK Mode: --------- If you're browsing around OSBot, the plugin will update and auth people as you load new pages, however, this isn't always best. If you take any url of osbot and add ?sleep=10000 to the end, it will trigger afk mode. This will keep the page refreshing every 10 seconds, thus, allowing auths to carry on whilst you are away. ---------------------- Setup: ------ Chrome Plugin: Open "manifest" Edit line ""matches": ["http://website.com/plugin/*"]," too your website's path to the plugin dir. !!! DONT FORGET THE * !!! Save + close. Open "userActivatedAuthsExternal" edit line: "var token = "INSERT TOKEN HERE";" Insert a token here with random letters/numbers/special chars Copy that token (you'll need it in a moment) Edit line: "var authController = "http://website.com/plugin/authController.php";" too the path of authController.php on your website Edit line: "var refresh = 10000;" too change the refresh rate of pulling up flagged auths from your website. Save + Close Webfiles: Open "trials-header.php" Edit line: "$trials = new Trials('HOST','USER','PASS','TABLE');" with your database details Edit line: "$token = "";" and add your token from Chrome Plugins Save + Exit SQL: Inside the /Database/ folder is a file you can use to make the tables. ----------------- Usage: ------ Adding auths: ------------ Navigate to yoursite.com/addAuth.php?token=YOUR TOKEN Input the data required, you'll get a user+password that you will give to your client. Auth flagging: ------------ End user needs to say when they are ready to be flagged, I included 2 ways to do this, userAuth-via-Post-Example and userAuth-via-Get-Example Choose which (or both) solution works for you, and add the relevant CSS to match your website. Give the user the link to which option you chose (if POST, they will need their user+pass, if GET you include that in the URL) Thanks Fruity for testing this out with me. Code: https://github.com/ZappyScript/UserActivatedAuthing If you've got any issues setting this up/using it, let me know over PM or skype. Edit: if this wasn't clear already, only people that have a script in the SDN can use this...9 points
-
We Can Do Better: Node System
7 pointsEducating OSBot, one rant at a time EDIT: This tutorial is meant for people who already have some grasp on how to write a script. If you are completely new to scripting, this tutorial is not for you. The node method of making scripts is definitely by far one of the best methods out there, but it has so many flaws that make for bad programming practices. Imagine you're making a pickpocket script, you might have the following nodes: EatNode WalkToBankNode WalkFromBankNode BankingNode PickpocketNode Now, given how most node-based scripts work, it simply does a for loop on each node and runs the first node in the list that can be executed. So if we enter our nodes in like this PickpocketNode, BankingNode, WalkToBankNode, WalkFromBankNode, EatNode (EatNode being last, PickpocketNode being first) we have actually just have a big issue: eating is the lowest priority. The idea of nodes is to keep the logic for one thing self-contained within another, but if we enter in our EatNode last, we will need to check to make sure our health is high enough in PickpocketNode (to ensure we don't, you know, die). This means you either ship along some global statics (bad!!!!), a script settings object (good!!!) or just forget about it. Now, what if I could tell you that we can prioritise our nodes based on what happened last? Now we can say have our eat node a very high priority after we've walked to the bank (maybe we're in DMM and have 1 food left but low hp) and very high priority after we've pickpocketed something (because we may have just taken damage), but fairly low priority otherwise. We can constantly give our pickpocket node a high priority, and run our walk from bank node immediately after we've banked. This does a few things for us: We don't have static priority - this is great because we as humans don't have static priority for things either! We no longer rely on the order we put nodes in to our list, we only care about when they should be ran Now, the node system I propose isn't perfect, but it's a damn sight better and provides us a lot more legroom for upgrading in the future. Also, this will get you a lot more comfortable with some of Java's more advanced features, namely annotations which make every high level programmer cum immediately. The Goal: Make a flexible node system that has dynamic priority The Result: By the end of this, you will have a working node system with two example nodes (ImmediateNode and DefaultNode) which will show you how flexible the system is. Lazy Kids: Leave now. All code here has been screenshotted so you can't copy/paste it. Learn something or GTFO Step 1: How the Fuck Will We Do This? We need to decide how we're going to store things, and how things will be written in code. For this project, we need a manager of some sort that handles the sorting of nodes, we need something to handle priority, and we need to determine how we will denote prioritisation. For this, we will create a NodeManager class, a Priority enum, and we will cover prioritisation in step 2. What the fuck is this? This enumerated type is less of an enumerated type and more of a... well.. class. However, this "class" only has a set number of values! This means that we can only specify LOWEST, LOW, DEFAULT, HIGH, HIGHEST, IMMEDIATELY. If you want to be an absolute madman, you can add additional priorities in this file. Well, you lost me. I understand NONE of this. This is actually really simple! This class stores references to a list of NodeObjects (come to that later), our last executed node, as well as a "default" or empty node (which we will return when we can't execute anything else to avoid nasty nulls), and finally a Comparator. A comparator simply compares two objects. In this case, we want to compare the priority of two different nodes. We will also create an interface called Node. This looks nothing like my Node class! That's because this is an interface. In programming, an interface is meant to represent the barebones object (in simpler terms, an interface is a blueprint for an object). Read the big documentation comment at the top of it if you want to sneak in a Script instance. Step 2: Decide How to Manage Prioritisation Now, we need to create a way to determine the priority of our nodes. There are two real ways to do this: A second parameter in our NodeManager#addNode(Node node) method, which would have every dynamic priority attached. This could actually get very messy, so I'm not even going to explain it better. We can attach annotations to each Node class we write, which keeps the logic contained and doesn't clog up our methods with useless garbage. Step 2.1: What's an Annotation? In Java, we have these nice little things called "annotations", and they make programming in Java a whole lot nicer. Annotations are effectively little nuggets of code that annotate our methods, variables and classes. They're great because they bridge the gap between human-readable code & complicated data structures. We've actually come across annotations before, at least if you know what a ScriptManifest is. We're going to use annotations here and we're going to love it. Step 3: Write Annotations We're going to need two annotations here: a bog standard PrioritisedNode annotation, and a Condition annotation (I'm calling mine "After" in this implementation) Hey, I kinda get this! It's very simple, but is also very, very powerful. Holy fuck, this is similar! That's because it is. Step 4: Write a Node! We're going to write an "ImmediateNode". This node will have an IMMEDIATE priority, but after it is executed it will have a LOW priority (so that something else can execute!). Oh fuck, you lost me. Now, this is a normal node (written just like you'd normally write a node), except we've plugged in our annotations that we just made. The first annotation (PrioritisedNode), says that by default we have an IMMEDIATE priority. The second annotation (After) says that after we execute ImmediateNode (this node), its priority is set to LOW. Step 5: Write another Node! Oh, fuck! We can use this to write other nodes, too! We're now going to write a "DefaultNode". This node will always have the DEFAULT priority. Bitch, did you just gender your code? Damn straight I did. Notice how we omit the (priority = <something>) part in our annotation here? This is because we're using the default value we set earlier! We also set no After annotation, which means it will never have a different priority. Step 6: What do we do now??? Well now that we've complicated things, we're going to need to update our NodeManager class. We need to add a few more things: A NodeObject class, this will allow us to track these annotations and make them in to something a little more computable A getNextNode method, which will get the next possible node to execute. We'll start with the getNextNode method (within NodeManager). Why do we sort? Why do we loop? WHY? We call Collections#sort(List, Comparator) to sort the list based on our previous condition - the comparator we made earlier! This doesn't return anything, but instead modifies the list we pass through. We iterate because we also need to find nodes that we CAN execute, otherwise we may just be executing garbage we can't do. We also set our lastNode variable provided we find a node, so that we can properly calculate our priorities next run. Step 7: Objectify the Nodes We're going to create something called an inner class - this is a class that is special to another class, kinda like you are to your parents. We're going to insert an extra class statement at the very bottom of NodeManager (but not outside the last bracket!) - this keeps things cleaner, especially because we don't want to access this class outside the manager. ?????????????????? This is a bit more complicated to explain, so we're going to ignore the constructor. Instead, we'll focus on getPriority(NodeManager) - if the last node doesn't exist (it's null), we return our default priority. Otherwise, we return the priority given by our After annotation, but if that doesn't exist we return our default priority. Step 8: ??? Step 9: Profit! We have now created our node system! We can use it like so: And, hopefully, after all this hard work, we'll get this output in our logger box: Notice how, although we added DefaultNode first, it ran ImmediateNode first? And furthermore, even though ImmediateNode has a priority of IMMEDIATE, it doesn't get ran that second time? That's because of the After condition we put in that! Conclusion Nodes are great, but they aren't perfect. So I made them perfect. Use this in all kinds of scripts, and claim you wrote the code yourself. Be proud of yourself, you just actually read a tutorial in its entirety. Exercises (ie things I was too lazy to type up) Java does not allow two annotations of the same type to exist on a single object. This means one node can only have one priority change - how can we make one node have many priority changes? (Hint: make a third annotation whose only value is an array of After annotations, and iterate through them in NodeManager) Can you expand the code to do more things than just changing priority after one node executes?7 points
-
APA Script Trials
3 pointsโโโโโโโโโโโโโโ 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.3 points
-
Perfect Thiever AIO
3 pointsThis 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!3 points
-
Excellent Dragons
3 pointsScript 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 HERE3 points
-
Perfect Fighter AIO
3 pointsGuthans is pending an update I recently had to change the way the entire script works in the last 2 versions that's why As for brutal black dragons I will add a custom bank trigger option so you can choose when you want to bank, e.g. when out of prayer potions or when out of antifires etc. As for slayer tower it is not fully support just yet but I am willing to add extra support for it. So the second tower -> canifis bank will be added. Also will add an option called 'Fight nearest (wall) npcs' which will allow the script to fight the real closest npcs not the non-wall closest (right now it measures with walls and obstacles not taken into account). It's a very very easy option. As for green dragons you must start at the bank with the correct layout and it will then teleport and work as normal. As for banking I will add a quick patch I thought the banking was fixed in last version, my bad Banking in the next version will go back to normal. For brutal dragons, make sure that you ONLY set potions/food in your setup interface inventory loadout menu. If you add misc items such as arrows, the script will NOT work. Please configure the script properly otherwise it will not run at all. The best setup: 5x antifire 5x prayer potion, 5x lobster , if you set those in the inventory loadout it will not bug out. You can modify the quantity as you please. If you encounter a bug, do not forget to supply a bug report so it can be fixed 100 times faster. As for rock cakes in NMZ, those are still not added to the nmz plugin but they are on the to-do list. I will add them I am currently in the process of coding the new update so please stay tuned guys Thanks to those of you whom are patient and understanding, I really really appreciate it3 points
-
Rip TrekToop11
3 points1) Brainstorm a scam 2) Scout out a Victim 3) Carry out scam 4) Profit 5) Tell staff your brother did it not you 6) Enjoy twc3 points
-
Perfect Fighter AIO
2 pointsNEW! 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.2 points
-
APA AIO Smither
2 pointsHey, While the path data is the same, the exact tiles clicked will be different each time as factors such as latency camera orientation/angle cause variations in this. I wouldn't worry about this causing a ban - instead, I would recommend ensuring you use the bot safely, i.e use generous breaks and play legit in between botting sessions! Here's a mroe in-depth thread explaining ban stuff: osbot.org/forum/topic/45618-preventing-rs-botting-bans/ -Apa Heya, apologies for this. I was not aware these were smithable! I will try and get these added for this week if I can. Cheers! (I will also scan through other things that I may have missed and do my best to add them to the set of smithable items) -Apa2 points
-
Scammed by Realistgp impostor
2 pointsCan you post a screenshot of the Skype ID please? Click his profile and screenshot the ID with the conversation in the background.2 points
-
Perfect Smither AIO
2 pointsYeah I fixed that just waiting on update to go live, it used to click twice Now it's all good tho Latest version is v9.1 Also guys I forgot to mention there will be mithril grapple smithing support in v9.12 points
-
Dard
2 pointssame @Mio since ur viewing this can u at least approve my service request thread and move it to requests2 points
-
withdraw ALL items in bank
2 pointshttps://osbot.org/api/org/osbot/rs07/api/Bank.html get list of all items in bank and store them then withdraw items in that list2 points
-
Selling 50m $1/1m UKBT or PayPal
2 points
-
Nmz Quests
2 points2 points
- Selling 500M osrs
2 pointsSelling 500m Osrs. Would like to sell it in big chunks not 15-20M like most of the sites do these days. Only trusted buyers. Looking for 0,92โฌ/m, paypal.2 points- jagex on osbot & other forums.
2 points- Buying up to 250M
2 points- Ban rate on using auto space bar in Nmz
2 points- Where you guys from?
2 points- :feels:
2 points2 points- Dispute Goldsmash
2 pointsWell then please go ahead and refund everyone you scammed, when all the disputes against you are settled, we'll return the gold back to you. How does that sound?2 points- Ground Decoration has been deprecated...
2 points- Perfect Fletcher AIO
1 point- Eagle Plunder
1 pointEagle Scripts' Pyramid Plunder Released Discontinued http://i.imgur.com/jldFYA1.png Click here to purchase with RSGP! What is Eagle Plunder? Eagle Plunder is a script that flawlessly plays the Pyramid Plunder Minigame for you. It has various options to run the game to your likings! What does Eagle Plunder Support? - All Rooms Supported - Progressive Mode - Remembers The Mummy's Last Known Room [For Faster XP/H] - Does The last 2 Available Rooms For Your Current Level [For Faster XP/H] - Will Leave Instantly Once The Last Room Has Been Finished If the Time Isn't Up [For Faster XP/H] - Will resupply and continue if player died - All Food Support Discord https://discord.gg/xhsxa6g Why should I use this script? Because it has Progressive Mode! Interested in gaining Thieving levels? Then this is the script for you! Because It's an AIO Pyramid Plunder Script! Because this script gets you 99 Thieving in no-time! How to Setup: - You'll need to have Getrude's Cat Completed + Icthlarin's Little Helper started - You'll need aprox 30+ Hitpoints - You'll need food, stamina potions, Antidote++, Nardah Teleports and Ring of Duelings. - This script now uses clan wars as banking location, as of V2.0 Proggies: http://i.imgur.com/YgHr8E3.jpg Extra Info: Please pm me your own progress reports and I will add them in here. If you like my script please leave feedback at the store & Like this thread. you'll make me happy with those!1 point- Molly's Chaos Druids
1 pointMolly'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/N1 point- Satire's Runescape account creator [Automated script launching] [Multi-Script launching] make your farm fully automated!
The Best Creator on the Market, with tons of features! For vouches view my feedback and thread replies (unfortunately, many of them didn't leave any ) EDIT: Sales are now open again, please re-send a skype request or PM me again and I'll add you. Price: $40USD or 55M. Payment type: Bitcoin, OSRSGP Video This requires 2Captcha! What is 2Captcha? It's a service which solves captcha's for you. They charge $3/1000 captchas solved. It's similar to Death by captcha but cheaper. You must set usernames for the program to use in usernames.txt You are supplied with a big list, but using your own will reduce the amount of times you'll get "Display name taken". Features Uses 2Captcha. Random email extensions (legit and non-legit) @yandex.com,@@hotmail.com,@@gmail.com,@hotnail.com@gnail.com,@yawndex.com (fake ones are good for suicide bombers) Random usernames (Customizable options) Time to wait timer (Set the amount of minutes to wait before trying again after ip ban (if proxies is disabled)) Read randomly from text file + Read normally from text file You can either choose to read from top to bottom or read in a completely random order. Use emails from text Note: This will require you to have an extension in the text i.e hello@@hotmail.com as it disables random email extensions. Speed of account creation ( This varies on pc's and also on internet speed and workers captcha solve time.) Slow (increase the amount of sleeps the program will take to reduce bans + increase success rate of captchas) Fast (decreases the amount of sleeps the program will take + uses 2 threads instead of one (may be slow depending on how fast captchas are solved by the workers). Proxies HTTPS proxies only (C# doesn't naively support SOCK5, yet). Tools tab Everything with (s) means coming soon. Proxy Checker Email Gen (generate your own email names with any prefix! Does not create the emails though). Username checker (inaccurate and will find a better link to check accounts). Soon to have a lot of other features. Banned account checker! (uses 2Captcha) mass checks your accs for any bans. CLI (Botclient Command Line support) CLI is now supported for Osbot client. This will automatically run a script (tut island) after an account has been created! The script is not provided by me! You will need to use your own. Run Multiple scripts at once! Tut island, quest bot, botfarming script! Make yourself lazier! Status Check realtime status. Autosaves to accounts.txt and displays a list of current accounts created with User,email,password and IP it was created on (if proxies are on). AND MORE! Load proxies, usernames (wordlist) and emails from anywhere! You can now choose the location of the txt files and it will autosave. It will also show you the current path when right clicking the button! There is also a help tab with an explanation of what each thing does. Get logs of each account creation with IP, user and email. Gives you the time every time you start the checker. Custom colors. Choose from a variety of colors in the settings tab. AUTOSAVE! Save all checked options and have full control of what toggles you save! (All files in creator settings you open will automatically save). Once purchased, you will get a copy of this program and anything from there on out is all on you! You are responsible for any damages you cause and I am not reliable to anything you do. I will also help anybody if they have problems with the program. If I'm offline, please do no spam me as I also have a life and may not always be there to assist you. You can add my skype: Akbar.io or click this A few vouches (couldn't paste them all because this thread would be too long).1 point- Perfect Smither AIO
1 pointYep it fixes all bank locations, it usually happens when the target bank tile is nearby, which affects Yanille too. Apologies for the delay guys thank you for understanding1 point- Dard
1 point- Perfect Agility AIO
1 point- Dard
1 point- APA Sand Crabs
1 point- ๐ 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 ๐
I would love to try Czar thieving1 point- Excellent Dragons
1 point- they sure try hard with spam e-mails these days...
why doesnt it get filtrered automatically i wonder - fucking microsoft1 point- Selling 500M osrs
1 point- [PRICE CHECK] Auto oaker
1 pointThis is just a FYI for everyone: Current oak price is 68 GP Average logs per hour is 600-700 Meaning with 100 bots you are making 4.42m per hour Roughly you could bot this method around 18 hours per day Which means per day you can make ~80m with this method.1 point- Need 55 slayer on obby pure.
1 point*boosting postcount * - fucking hypocrite keeps posting jog on and sing the song FUCKING CARMEN LMFAO1 point- Need 55 slayer on obby pure.
1 point- Eagle Plunder
1 point- :feels:
1 point- APA AIO Cooker
1 pointI am hesitant to add this as it is worthy of a script of it's own (there is already one on the SDN and I do not want to take away from his demographic!). Sorry about this! -Apa1 point- ๐ 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 ๐
Hey Czar, Could I give Perfect Magic a whirl? Thanks much1 point- Botster
1 point- Perfect Fighter AIO
1 point- Post your keyboard!
1 point- Perfect Fighter AIO
1 point- Best client for OSRS?
1 pointOfficial over anything else. + they've added world map to the official so it's a lot better1 point- [Community Poll] Official OSBot Scripts
Refresh thread, this post was changed several times Pros for scripters: - Official osbot scripts can be a gateway to purchasing more scripts from other scripters, once they want more features in the scripts - Official Scripts have less features than normal (very weak pseudo-point) - Can make new scripters look for new scripts to make rather than the basic 5 skills (very weak point - there's 25 skills to choose from) Cons for scripters: - Will lose yet another margin of profit -- Counter-point: make the official osbot script more expensive - Will risk their script appearning 'non-official' which is not good for sales or reputation whatsoever (when comparing scripts) -- Counter-point: N/A - Dev time will be eaten up by 5 AIO scripts (albeit limited in features) which means less support for the client, forums and scripters -- Counter-point: outsource the script to an Official Scripter (weak counter-point: the scripter maintains a script for no profit) -- Counter-point: scripts won't require much maintenance - but the initial dev time still stands Pros for users: - Risk-free script (big point!) - Waste less money on broken scripts by scripters that may end up leaving Cons for users: - If an official script breaks, or works badly, trust and/or value in the official osbot forum and client will be lost, and the customer may go to another client -- (if a scripter's script breaks, the user will blame the scripter and not the whole client). Although if a script with no competition breaks the user can still go to another client. -- but what if the client goes offline? Won't users still lose trust? No - all clients break and there is no trust involved, just a slight delay while the client updates. - They may end up paying more if they want scripts with more features, and will think of it as a rip-off in the long-run (weak point) Solutions If the primary concern is the fact that users will have no script to use once it breaks (and the scripter quits): - Either give the user another script of the same genre. If there is no immediate similar product, offer them a half month/month of VIP. Can't go wrong with giving free VIP (from a marketing POV it may increase vip sales once the user's vip runs out and the user starts to miss having VIP status). If they chargeback, ban.. If they don't want VIP give them store credit, last time I checked nobody loses anything when a free script is given. -- However, giving free vip to 1,000+ users simultaneously is not good. So maybe a conditional solution is required, if the user had the script for more than 6 months, then different compensation (if any at all) - Give the script code to another deserving scripter and let them control the script thereafter If the primary concern is giving users a default, go-to script so they can rest assured and bot in peace: - Build official scripts but make them slightly higher in price, that way nobody loses (not everybody wins either) - the user has to pay slightly more but they are guaranteed a risk-free script. Minimizing the damages after a scripter leaves: - Heavy enforcement of reliable scripting upon releasing new scripts (no static ids and whatnot) -- Counter-point: but there will be more work for devs to manage scripts/script requests with more code/more time needed: sdn manager/officer position is vacant. - Give the scripters less incentive to quit. Constantly chipping away at scripter's power (like this thread) is no good -- More rules at the private scripts section (the casus belli of this thread) My personal opinion: Neutral, leaning toward 'not tooo bad' - for scripters. Hopefully a 'nobody loses' approach is taken instead of a 'few win, few lose' approach. If the plan goes ahead, at least make the scripts slightly more expensive so us scripters aren't impacted too negatively.1 point - Selling 500M osrs