Leaderboard
Popular Content
Showing content with the highest reputation on 10/19/16 in all areas
-
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
-
Perfect Fighter AIO
1 pointNEW! 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.1 point
-
Becoming a Script Writer
1 pointI will be keeping track of what I do each day in scripting and how it has improved my Java knowledge. I hope to one day be able to script flawless bots with many features added. *Remember I am starting with no prior Java knowledge. I am also a college student doing 16 credit hours this semester so my progress on here might be slow.* Day 1 Day 2 Day 3 Day 4 Day 5 Day 6 Day 7 Day 8 Day 12 Day 14 Day 211 point
-
Trump vs Clinton Tonights DEBATE
1 point
-
Khal AIO Tabmaker
1 point
-
Since there's no suggestions forums.
looks like the typical "hey i just learned how to make websites" design. even has the typical circle profile pictures lmao proably copy pasted from a tutorial1 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 get a free trial please? -Perfect Fighter-1 point
-
Khal AIO Agility
1 point
-
Automated Botting
1 point
-
Excited
1 point1 point
- Khal Woodcutter
1 point- Perfect Fighter AIO
1 pointAny chance you can fix the new cannon mechanic? (Cannons now "repair" after 25 minutes, so you dont have to pick it up and place it again, simply click repair to fix it.) Thanks!1 point- Well someonea been caught lol
1 point- Perfect Motherlode Miner
1 pointits not even ur script i think its the osbot client itself because the screen keeps freezing and i cant even stop the script when it freezes it makes me cntrl+alt+delete and end task...is there anything i can do to fix this in your opinion it keeps saying inventory does not contain hammer in the script logger, should i start script with a hammer in my invent?1 point- best bots to use?
1 point- How to retire at 45 in the uk from a minimum wage job (guide)
Bob waited too long to enjoy himself.1 point- How to retire at 45 in the uk from a minimum wage job (guide)
mortgages are secured loans. if you miss repayments the bank keeps your deposit any repayments and can repossess the house They love giving them out if you have a 10% deposit and a job for over 24 months then its very easy to get a mortgage other loans that are unsecured maybe but not mortgages :P1 point- Perfect Motherlode Miner
1 pointwas going to ask for a trail of your powerminer but instead can i try this out? i decided i want to do mlm for 99 since i can make some gp on the nuggets i bought your perfect fighter awile ago and used it to max my account so im hoping this script is just as good, i liked your post so let me know when i can try this script1 point- Perfect Miner AIO
1 pointi asked for a free trail awile ago and never recieved one can i have a trail beforre i purchase this script?1 point- 100 post
1 point1 point- Perfect Fighter AIO
1 pointyou can fix the eat for loot option, because it spam clicks the loot instead of eating even while I have that option checked in.1 point- Perfect Pest Control
1 pointTesting this now. Attack portals doesn't work too great - it doesn't attack monsters whilst waiting for new portals to drop (despite turning the setting on.) Often leads to not getting 50 points. Edit: forgot to tick the option! Attack monsters works pretty well, I like that it doesn't just stay at the knight (although there is a mode for this too! ) Re-boarding the boat after game finish is quite slow - I personally just spam click the plank straight away. Edit: hmm seems to work fine now I'm using attack monsters mode. may have just been one time it was slow. Stop at 50 points doesn't seem to work, it just keeps on attacking. I also think the cursor moves off the screen too frequently - especially when attacking monsters the cursor should stay on the screen more.1 point - Khal Woodcutter