Leaderboard
Popular Content
Showing content with the highest reputation on 10/19/16 in Posts
-
Automated Botting
6 pointsProfit Made: ~like 1.3b The goal here is to create a script that does tut island, walks to GE, trades mule for gold to buy bond and get reqs, becomes a member, gets reqs for my gold farming method, and then starts farming. Every few hours it will mule gold. I will be keeping you guys updated on what I have accomplished so far. I am in school right now until December so I will be working on it in my free time. I hope to have it done by sometime in December. Completed = green Working on = yellow Not Started = red I will show what I have completed in the script already. Tut Island Get Bond/Supplies Become Member Get Requirements for gold farming method Script Gold Farm Method Script P2P Gold Farm Method Script F2P Muling Script 10/18 Project started. Wrote the first couple steps of Tut Island10/19 Finished tutorial island. Created 12 accounts with it today. Just need to add some conditional sleeps to prevent mass clicking a few little bugs.10/20 Wrote a simple F2p bot that will run right off tut island and trade the mule the items. Just doing this as a test to make sure the muling and everything will work correctly. Have 5 accounts running straight off tut island right now. 10/22 Bot now completes, tutorial island, does 3 quests to get 7 quest points. Then goes and bots f2p. Running 5 accounts on it successfully for about 40 hours straight so far. 10/24 Spent the whole day writing the p2p bot for it. Script now gets the requirements for the gold farm method, buys supplies, does the gold farm method, and then trades mule when it reaches a certain amount of items. Currently running 7 accounts on it. Might try to run many more accounts next weekend. November 4th: Script is now fully automated. From tut island, to getting a bond, to getting pre reqs, to gold farming and then muling. Running 15 accounts on it right now. November 7th: Running 16 accounts on VPS November 8th: Making a solid 55-60m/day now Profit from 22 hours today muling it to my second tier mule now November 28 Update: Everything has been running smoothly. Been experimenting with a few f2p woodcutters to test some anti ban methods( real Antiban, not fake shit) and the results have been good. Accounts have been lasting a lot longer. In a few weeks when school ends, I plan to write 2-3 more automated scripts so that I can have multiple methods to choose from when school starts back up. Profits is up to roughly 60m a day right now. December 10th About 1.3-1.5b profit so far. Just finished finals so plan on doubling or tripling my farm. Already fixed some bugs that were occurring in my tut island bot and made the muling system better. Going to be writing a new method that I found too to diversify my scripts.6 points
-
How to retire at 45 in the uk from a minimum wage job (guide)
bob left school at 16 and Started working in a shitty job while still living at home 2 years later bob has saved £8k to put down a 10% deposit on a house Bob is now 18 and because his job pays minimum wage hes in the lowest possible tax bracket Bob works 36 hours a week bob earns £190 per week £763.2 per month £9158 per year Bob pays 0% tax Mortgages are 40%+ cheaper than renting in the UK Bob now has 40% more money than his other friends who moved out of home and rented a house RENTAL PRICES IN THE SAME AREA ARE £500-600 Bob lives on £500 per month for 3 years Bob is now 21 he gets a pay increase from £5.30 to £6.70 bob now earns £241 per week £964 per month £11500 per year Bob now pays 20% tax on his wage above £11001 bob pays £99 tax per year but has alot more money The bank likes this bob remortgages his first house to buy a 2nd he rents his first house out for £500 per month This pays the full mortgage on the first house and gives him £245 extra per month Bob spends £80 of this on repairs and land lord insurance. bob repeats this process remortgaging his properties every 2-3 years Bob loses some money when some of his houses are vacant but the area is desirable and 80% of the time they all have tenants Bob hits 40+ and his first few mortgages are paid off bob now quits his job and hires a handy man to manage his properties he gets paid £2000-4000 per month for doing very little Bob retires at 45 bob is smart. be like bob6 points
-
big boi saiyan
5 pointslol i remember I was home alone for 2 weeks. Super fun just staying home alone and doing the same things I usually do!5 points
-
👑 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 thread4 points
-
[Opinion] Which scripter is the most dedicated? [Opinion]
Work smarter not harder. I'd rather have a scripter that writes logic correctly the first time around than an "active" scripter that pushes 10 commits a day because the logic is consistently flawed.3 points
-
Let's play a game
3 points
-
2 problems with my script
3 pointsYour logic in general is a bit off. It should be as simple as this: If the player has the ingredients for making an uncooked pizza in their inventory: If the bank is open: Close the bank Else: Make uncooked pizzas Else if the player has uncooked pizzas in their inventory: If the bank is open: Close the bank Else If the player is at the range: Cook the pizzas Else: Walk to the range Else if the player is not at the bank: Walk to the bank Else if the bank is not open: Open the bank Else if the inventory is not empty: Deposit All Else if the player has ingredients for uncooked pizza in the bank: Withdraw the ingredients Else if the player has uncooked pizzas in the bank: Withdraw the uncooked pizzas Else: Stop the script If you really want to use states, then from the above logic you would have: BANK, MAKE_UNCOOKED, COOK_PIZZAS Your getState() method should not return null, your script should always be in some kind of state. Also try and use Conditional Sleeps where you can Hopefully this helps: private enum State { BANK, MAKE_UNCOOKED, COOK_PIZZAS } public int onLoop() throws InterruptedException { switch(getState()) { case MAKE_UNCOOKED: if(getBank() != null && getBank().isOpen()) getBank().close(); else makeUncookedPizzas(); break; case COOK_PIZZAS: if(getBank() != null && getBank().isOpen()) getBank().close(); else cookPizzas(); break; case BANK: bank(); break; } return random(100, 150); } private final State getState() { if (hasUncookedIngredients()) return State.MAKE_UNCOOKED; if (hasUncookedPizzas()) return State.COOK_PIZZAS; return State.BANK; } private final void makeUncookedPizzas() { // make the pizzas } private final void cookPizzas() { // check if at range, if not walk there // cook the pizzas } private final void bank() throws InterruptedException { if(getBank() == null) { getWalking().webWalk(bankArea); } else if(!getBank().isOpen()) { openBank(); } else if(!getInventory().isEmpty()) { getBank().depositAll(); } else if(!hasUncookedIngredients() && bankContainsUncookedIngredients()) { withdrawUncookedIngredients(); } else if(!hasUncookedPizzas() && bankContainsUncookedPizzas()) { withdrawCookedPizzas(); } else { stop(); } } private final void openBank() throws InterruptedException { if(getBank().open()) { new ConditionalSleep(5000) { public boolean condition() throws InterruptedException { return getBank().isOpen(); } }.sleep(); } }3 points
-
big boi saiyan
3 points
-
Fruity Zulrah Killer
2 pointsAbility to set custom Magic and Ranged armour sets ✓ No limits on Kills per trip ✓ Using a mix of user inputs and built-in logic, the script will determine if you have enough supplies for another kill without banking. Options to decide how much food you’re like to take into the next fight as a minimum. Customisable Stop Conditions Stop after 'x' kills Stop after 'x' profit Stop after 'x' runtime Stop after 'x' consecutive deaths Efficient Zulrah Fight Executor ✓ Knows what have, is and will happen Longrange mode, gain defence XP passively with no time loss ✓ Multiple Travel Routines Zul-Andra teleport scrolls VIA Clan Wars ✓ Zul-Andra Teleports VIA PoH ✓ Charter Travel ✓ Caterby charter [via Camelot teleports] Fairy Rings ✓ Ability to select staff to use or not use one at all for fairy rings ✓ Summer Pie Support (72+ Agility recommended) ✓ Fairy ring via Slayer Ring ✓ Fairy ring via House Teleport ✓ Ornate pool support ✓ Jewellery box Support ✓ Mounted Glory Support ✓ Construction Cape Support ✓ Ability to select Magic Only ✓ Changes Rotations and Phases for the best possible fight experience. No need to quest for Ava’s or Level range. Swaps prayers & equipment efficiently ✓ Option to use quick switch mode, removes mouse travel time for even faster switching Prayer Flicking on Jad Phases ✓ Supports Raids Prayers ✓ 55 Prayer ✓ 74 Prayer ✓ 77 Prayer ✓ Options to Dynamically pray against Snakelings when Zulrah is not focused on player. ✓ Calculates: Total loot value ✓ Total cost of supplies used ✓ Profit after costs ✓ Ability to sell all your loot when you run out of supplies ✓ Ability to top up your supplies if you run out with auto-exchange ✓ Death-walking ✓ Safe death boss Rechargeable item support Trident of Seas ✓ Trident of Swamp ✓ Blowpipe ✓ Dynamically detects darts used (Must start with darts inside the blowpipe for it to work!) Serpentine Helm ✓ Ring of suffering ✓ Barrows Repairing ✓ Using Lumbridge teleports or the Home teleport, the script will withdraw coins, travel to Bob and repair your armour then continue to run. Potion Decanting ✓ Efficiently decants all types of potions allowing FruityZulrah to run for longer. Inventory Organising ✓ Organises your inventory to minimise mouse movement, increasing time spent elsewhere. Combo eating Karambwams ✓ Will combo eat karambwams to help prevent death from Zulrah and Snakelings stacks Supports blowpipe special attack ✓ Uses the Blowpipe special attack to help replenish HP Multiple stat boosts supported Prayer ✓ Super Restore ✓ Magic ✓ Ranging ✓ Bastion ✓ Stamina ✓ Anti-venom+ ✓ Imbued Heart ✓ Supports Lunars ‘Cure Me’ spell to cure Venom ✓ Requires: 1 2 2 Ability to use rune pouch Level 71 Magic Lunars Quest Ideal for Ironman accounts with no access to anti-venom+ Supports Lunars Vengeance spell ✓ Requires: 2 4 10 Perfectly times vengeance casts to Magic Phase ranged attacks for best results. Ability to use rune pouch Level 94 Magic World hopping support ✓ Options to hop world between x and x minutes. will randomly select a time every hop. Ability to skip rotations by Hopping worlds Ability to decide on your own custom world list or just to hop to any P2P world Grand Exchange Add-on ✓ Add-on script for free Save/load buy/sell presets Ability to dump all zulrah loot in 2 clicks Command Line Support ✓ Start the script on multiple accounts with a single click Script ID - 903 Command: -script "903:profile=Test hours_limit=10 kills_limit=5 deaths_limit=5 profit_limit=1m" profile = saved profile name, if you've been using CLI to run the script, this will need to be updated to suit. hours_limit = Complete after 'x' run hours. kills_limit = Complete after 'x' zulrah kills deaths_limit = Complete after 'x' deaths. profit_limit = Complete after 'x' accumulated profit Pro-active calculations ✓ Calculates next mouse position for next action whilst first action is being performed Asynchronous actions ✓ Can perform multiple tasks at once saving time Banks Pet drops ✓ Loot table ✓ http://fruityscripts.com/zulrah/loot/ Displays total loot as well as a live feed of drops Hiscores ✓ http://fruityscripts.com/zulrah/hiscores/ Compare and compete against other users Dynamic Signatures ✓ Show off your gains with FruityZulrah url: http://fruityscripts.com/zulrah/signature/signature.php?username={USERNAME} Replace {USERNAME} with your username http://fruityscripts.com/zulrah/signature/signature.php Notifications Get Notifications for: Valuable drops ✓ Deaths ✓ On Exit ✓ Timely Data dumps (GP, GP/HR, Kills, Kills/HR, Deaths, Runtime) ✓ Types of Notifications Email ✓ Discord ~ Desktop ✓ ✓ Implemented into the script ~ Work in progress View a collection of Screenshots posted by FruityZulrah users showing their progress with the script. Watch a collection of FruityZulrah videos below If you have a video you'd like to be added to the Playlist, send me a pm with a link. Videos must of course include the FruityZulrah script. If you wish to purchase FruityZulrah VIA PayPal, please follow the store link below: If you'd like to purchase FruityZulrah using OSRS GP, SEND ME A PM and i can give you my current $$:GP Rates! Discord Community: https://discord.gg/WzXRk2bWTV Trial bot has been implemented (100 post count required if you're not VIP/Sponsor!) @fruityscripts on Discord2 points
-
Khal AIO Agility
2 pointsWant 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
-
Perfect Miner AIO
2 pointsNEW CURRENT RECORD: 294 HOURS RUNTIME! Shoutout to @Ruutihattu NEW: Sandstone mining + hopper support Humidify/water circlet/bandit unnote Ardy cloak tele support Setup Screen Preview Results 84 HOURS ON NEW LEVEL 20 ACCOUNT Suicided account with mirror mode near rock crabs, 81 mining! I will probably go for 99 Even supports Ancient Essence Crystal mining! Preview: Mine 1 drop 1 item drop pre-hover feature:2 points
-
Molly's Chaos Druids
2 pointsMolly's Chaos Druids This script fights chaos druids in Taverly dungeon, Edgeville dungeon and Ardougne. Profits can easily exceed 200k p/h and 60k combat exp/ph, this is a great method for training low level accounts and pures. Buy HERE Like this post and then post on this thread requesting a 24hr trial. When I have given you a trial I will like your post so you will receive a notification letting you know you got a trial. Requirements - 46 Thieving for Ardougne -82 Thieving and a Lockpick for Yanille - 5 Agility for Taverly(recommended) - No other requirements! Though I do recommend combat stats of 20+ as a minimum Features: - Supports eating any food - Hopping out of bot worlds - Recovers from deaths(respawn point must be lumbridge), includes re-equipping items on death - Potion support - Automatically detects and withdraws/uses Falador teleport tabs if using Taverly dungeon - Automatically detects and withdraws/equips/uses glories if using Edgeville dungeon - Supports looting bag Setup: Start the script, fill out the GUI, and be in the general area of where you want to run the script. CLI setup: Proggies: In the works: Known bugs: Bug report form, this is a MUST for problems to be resolved quickly: Description of bug(where, what, when, why): Log: Your settings: Mirror mode: Y/N2 points
-
Halloween Logo, vote now!
2 pointsVote will end in 3-5 hour since we are almost done with October already! #1 #2 #32 points
-
new Deadman update, what do you think?
http://services.runescape.com/m=forum/forums.ws?380,381,335,65843565 TL;DR pj timer changed to oldschool style, Harder for people to box cuz you need to attack back (splashing to eachother still works) skulltimer 15min - another 2 min if you attack some1 unskulled while already skulled still back to 15 min if they are 30 levels below you TELEPORT TIMER 5 seconds SO SOLOPLAYERS CAN ESCAPE<33332 points
-
Selling 12 OSRS Bonds - 3.50 each
2 pointsOut of curiosity, why do people buy bonds for more than $3? They are currently less than 3m on the GE, and there are a lot of users here selling gold at $1.00/'07m, and some at a rate even better than that.2 points
-
NPE on getting an object
2 pointsThat isn't a .83 debug log. Nonetheless, I've identified what I think is the potential issue and a fix has been committed and should be available in the next release.2 points
-
Let's play a game
2 points
-
Offsite Scammer - Articron $250+bonds
2 points
-
skip dialogues with spacebar
2 points// Using Keyboard class if (getDialogues().isPendingContinuation()) { getKeyboard().typeKey((char) VK_SPACE); } // Using ClientKeyEventHandler class (presses the key instantly) if (getDialogues().isPendingContinuation()) { getBot().getKeyEventHandler().generateBotKeyEvent(KEY_TYPED, System.currentTimeMillis(), 0, VK_UNDEFINED, (char) VK_SPACE); }2 points
-
shh i got a secret, don't tell jagex
2 pointsJokes on u, got you excited didn't i you dun been click baited p.s disappointed hate comments below2 points
-
skip dialogues with spacebar
2 points
-
big boi saiyan
2 points
-
big boi saiyan
2 pointsmayb Door is always open for u my 2 hands only ty Just cuz u said that im gonna do something now2 points
-
2828
2 points
-
Khal AIO RuneCrafter
2 pointsThats the webwalker doing that, I'll see if I can remove the webwalking at laws and use a predefined path instead. Just some wbwalking issues with the client Will have a look at the potting problem for laws Working on ZMI atm. Ya I'll add it sooner or later, ZMI has priority atm ^^2 points
-
Perfect Fighter AIO
2 pointsUpdate v142 added, cannon fixed and sand/rock crabs now show paint again, apologies!2 points
-
Twc?
2 points1) Fishy behaviour and a possible bann evader. 2) Spamming posts or topics to get 100 post count doesn't work here. If we gain trust in your bussiness and your activity on the forum we will remove the TWC. Kind regards Khaleesi2 points
-
Khal AIO RuneCrafter
1 pointWant to buy with OSGP? Contact me on Discord! Detailed feature list: - Supports every altar - Supports every rune Air, Mind, Water, Earth, Fire, Body runes (Just walk back and forth) Fire runes (Ring of dueling to Castle wars) Mind runes (Ring of dueling to Castle wars + Mind altar teleport) Nature runes (Unnote at shop and walk to altar) Nature runes (Ring of dueling to Castle wars + Necklace of passage to Fairy ring) Nature runes (Ring of dueling to Castle wars + Ardougne cape to Fairy ring) Nature runes (Ring of dueling to Castle wars + Quest cape to Fairy ring) Nature runes (Ring of dueling to Castle wars + POH teleport to Fairy ring) Cosmic runes (Walks back and forth - Uses obstacles based on agility level) Cosmic runes (Ring of dueling to Castle wars + Necklace of passage to Fairy ring) Cosmic runes (Ring of dueling to Castle wars + Quest cape to Fairy ring) Law altar (Ring of dueling to Castle wars + Balloon method to Entrana) Astral altar (Teleports back to bank) Lava runes (Ring of dueling to Castle wars) Stream runes (Ring of dueling to Castle wars) Smoke runes (Ring of dueling to Castle wars) Mud runes (Walks back and forth in varrock) Mud runes (Digsite teleport) Blood runes (Arceuus) Blood runes (Ring of dueling to Castle wars + POH teleport to Fairy ring) (93 agility req) Soul runes (Arceuus) Wrath runes (Ring of dueling to Castle wars + Mythical cape ) - Pouches support - Menu invokes - Daeyalt essence support - Pouch repair - Energy/Stamina potions support - Food support - Combination rune support - Binding necklaces + Magic imbue - Abyss support (Edgeville / Ferox enclave banking) Death handler, will grab your stuff and continue (Abyss only) Abyssal bracelets/Ring of life support Pouches repair at zamorak mage - ZMI altar support Walks short unsafe path OR walks long safe path Quick prayer support Full bank mode (Add fillers so all runes get deposited, but not the pouches/Rune pouch) - Mining daeyalt essence - Master/Runners setup Setup a bunch of runners for your main account who stands at an altar Either play your main yourself or use the master mode Combination runes, magic imbue + binding necklaces available Runners can bring binding necklaces, talismans to the master Stamina potion support for runners 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 482:ScriptFile.BreakFile.DiscordFile SAVEFILE = Saved Filename BREAKFILE = Breakmanager Filename - SAVEFILE: Save file can be created in the GUI. Navigate to the tab you want to run and press "Save As CLI file". Please choose your filename wisely (No special characters) - BREAKFILE (Optional): Breakfile can also be create in the GUI, set the breaksettings you wish to use and press "Save new CLI BreakFile". Please choose your filename wisely (No special characters) - Final form (Note that with some bot managers you do not need to specify -script 482): -script 482:TaskList1.4515breaks (With breaks) -script 482:TaskList1.4515breaks.discord1 (With breaks & discord) -script 482:TaskList1..discord1 (NO breaks & discord) Proggies:1 point
-
Juggles AIO Shop Buyer
1 pointLooking 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
-
PPOSB - AIO Hunter
1 pointBeta testing for Progression has just been released! Look for version 4.0! Remember, PLEASE make a bug report for any problems you run into with progression so I can fix them ASAP! Lots of new updates! Updates: fixed a castle wars teleport bug fixed SQL injection for high scores fixed a paint NPE with trap spots fixed a conversation starter bug fixed a startup error fixed releasing salamanders reordered the trapping layout for salamanders increased trapping speed removed quick hop for black salamanders fixed a bug if a spot was not walkable, you wouldn’t try to relocate positions fixed a tooltip bug in GUI rewrote trap spots not handling when you can’t place a trap fixed a spam of checking traps updates were made dealing with the comparator method Also: All bug reports have been looked at that were made on my website and should be fixed in this version of the script! EDIT: Version 4.0 should be released today! I missed the cutoff yesterday for pushing script updates. So it should be out sometime today whenever a developer can get around to it! Newest version is now live! Go try it out!1 point
-
[Opinion] Which scripter is the most dedicated? [Opinion]
1 point
-
Halloween Logo, vote now!
1 point
-
when mald fuks shit up
1 point
-
Request: 70/70/70
1 pointUhm rasmus/tehgousch misschecked... he looked at old thread. i just double checked. its 50m he is swedish, pls forgive him1 point
-
Buying accs level 20 hp
1 pointI have the login detalis, but I need tutorial and 20 hp... how much?1 point
-
Automated Botting
1 pointWhen I was running my bot farm, I would bot 5 accounts on my home ip. My mule would never be banned when my bots were banned though. My bots would get banned usually after 10-14 days. I would mule once a day, right before I went to bed. I was muling coins only, no items. Hope this info helps. Also to add on to that, the account I used to mule was over a year old and has a few stats trained along with a decent combat level. That might also play a role.1 point
-
5000
1 point
-
Perfect Motherlode Miner
1 pointTry a client restart, and hammer in inventory for best script performance ^^ Script seems to be working very well at the moment ^^ EDIT: - Added an update to make the script faster, much less lag Latest version is now v65, should be live within a few hours max. Also guys, I will be adding a new feature to the script: 'Bank-fill mode', it will make use of the bank-fill system and 1-click deposit all items (but the hammer will still be in inventory) which will help with efficiency1 point
-
Khal Pest Control
1 point
-
Perfect Fighter AIO
1 point
-
skip dialogues with spacebar
1 pointI believe it's coded to do it automatically? Could be wrong tho1 point
-
2828
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 👑
czar I asked for perfect crabs but I already bought it anyways before you approved it, great script! Please could I try AIO magic instead? Thank you!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 👑
Hi im new, can i get a trail for woodcutting? Thanks1 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 👑
Could I have a trial on Crabs, please? Thanks in advance! Kind regards, Neukertje1 point
-
When you're 103 fishing
1 pointOsbuddy has a virtual levels plugin that allows you to see the 'virtual' level based off of your xp.1 point
-
New emoji suggestions
1 point
-
PPOSB - AFK Splasher
1 pointOops, I thought I pushed this update already, but I guess I forgot! I just pushed it now so it will be live at some point today or tomorrow!1 point
-
HScrollingLogger | Display messages dynamically and aesthetically.
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:1 point