Leaderboard
-
Chris
Scripter II6Points8365Posts -
ProjectPact
Script Factory Developer6Points6470Posts -
Czar
Global Moderator6Points23250Posts -
Apaec
Scripter III5Points11174Posts
Popular Content
Showing content with the highest reputation on 06/14/18 in all areas
-
script GUI help needed
3 points1. DO NOT use absolute positioning (null layout), it's harder to maintain, and can easily looked fucked up on different systems with different configurations. 2. DO NOT use GUI designers/builders, they produce bad code which is hard to maintain, and often is not the best way to build the GUI. You also cannot achieve more advanced things if you're using a builder. Another good reason to do it "by hand", is so that you actually know what you are doing, you will learn nothing from a GUI builder. 3. Look at https://docs.oracle.com/javase/tutorial/uiswing/layout/visual.html, by combining these layout managers in nested JPanels you can easily achieve your desired GUI Here is an example using the GridBagLayout: https://docs.oracle.com/javase/tutorial/uiswing/layout/visual.html#gridbag import javax.swing.*; import javax.swing.border.EmptyBorder; import java.awt.*; import static java.awt.GridBagConstraints.HORIZONTAL; import static java.awt.GridBagConstraints.NONE; public class GUI { private final JFrame jFrame; public GUI() { jFrame = new JFrame("Pigeon GUI"); JPanel mainPanel = new JPanel(new GridBagLayout()); GridBagConstraints gbc = new GridBagConstraints(); jFrame.setContentPane(mainPanel); mainPanel.setBorder(new EmptyBorder(10, 10, 10, 10)); JLabel titleLabel = new JLabel("Pigeon GUI"); gbc.gridx = 0; gbc.gridy = 0; gbc.gridwidth = 4; gbc.insets = new Insets(0, 10, 20, 10); mainPanel.add(titleLabel, gbc); JLabel nameLabel = new JLabel("Name:"); gbc.gridx = 0; gbc.gridy = 1; gbc.gridwidth = 1; gbc.insets = new Insets(0, 0, 0, 5); mainPanel.add(nameLabel, gbc); JTextField nameField = new JTextField(20); gbc.gridx = 1; gbc.gridy = 1; gbc.gridwidth = 1; gbc.insets = new Insets(0, 0, 0, 0); mainPanel.add(nameField, gbc); JScrollPane whitelistScrollPane = new JScrollPane(); JList<String> whitelist = new JList<>(); whitelistScrollPane.add(whitelist); gbc.gridx = 2; gbc.gridy = 1; gbc.ipadx = 200; gbc.ipady = 200; gbc.gridwidth = 2; gbc.insets = new Insets(10, 10, 0, 10); mainPanel.add(whitelistScrollPane, gbc); JButton insertButton = new JButton("Insert"); gbc.gridx = 2; gbc.gridy = 2; gbc.fill = HORIZONTAL; gbc.weightx = 0.5; gbc.gridwidth = 1; gbc.ipadx = 0; gbc.ipady = 0; gbc.insets = new Insets(10, 10, 0, 10); mainPanel.add(insertButton, gbc); JButton deleteButton = new JButton("Delete"); gbc.gridx = 3; gbc.gridy = 2; gbc.fill = HORIZONTAL; gbc.weightx = 0.5; gbc.gridwidth = 1; gbc.ipadx = 0; gbc.ipady = 0; gbc.insets = new Insets(10, 10, 0, 10); mainPanel.add(deleteButton, gbc); JButton startButton = new JButton("Start"); gbc.gridwidth = 4; gbc.gridx = 0; gbc.gridy = 3; gbc.fill = NONE; gbc.insets = new Insets(20, 10, 0, 10); mainPanel.add(startButton, gbc); jFrame.pack(); // resize the JFrame so that all the components are at or above their preferred sizes jFrame.setLocationRelativeTo(null); // center the gui on screen } public void open() { jFrame.setVisible(true); } public void close() { jFrame.setVisible(false); jFrame.dispose(); } public static void main(String[] args) { SwingUtilities.invokeLater(() -> new GUI().open()); } } Here is another example purely using nested JPanels with BorderLayout and FlowLayouts. import javax.swing.*; import javax.swing.border.EmptyBorder; import java.awt.*; public class GUI { private final JFrame jFrame; public GUI() { jFrame = new JFrame("Pigeon GUI"); // We want to split the GUI into three sections, title at the top, inputs in the middle, start button at the bottom // To do this we use a BorderLayout: https://docs.oracle.com/javase/tutorial/uiswing/layout/visual.html#border JPanel mainPanel = new JPanel(new BorderLayout()); mainPanel.setPreferredSize(new Dimension(500, 400)); jFrame.setContentPane(mainPanel); // use this panel as the main content panel for the GUI // Create a JPanel to contain the title. Here we use a FlowLayout https://docs.oracle.com/javase/tutorial/uiswing/layout/visual.html#flow // We set the alignment to FlowLayout.CENTER so the title appears in the middle. JPanel titlePanel = new JPanel(new FlowLayout(FlowLayout.CENTER)); titlePanel.setBorder(new EmptyBorder(5, 5, 5, 5)); // We give the JPanel an empty border of 5px, so that there is some padding JLabel titleLabel = new JLabel("Pigeon GUI"); titlePanel.add(titleLabel); mainPanel.add(titlePanel, BorderLayout.NORTH); // Add the title to the North side of the main panel // Create a JPanel to contain the main GUI inputs (textfield and whitelist) JPanel inputsPanel = new JPanel(new BorderLayout()); // Create a JPanel to contain the name label and name input JPanel namePanel = new JPanel(new FlowLayout(FlowLayout.LEFT)); namePanel.setBorder(new EmptyBorder(10, 10, 10, 10)); JLabel nameLabel = new JLabel("Name:"); namePanel.add(nameLabel); JTextField nameField = new JTextField(20); namePanel.add(nameField); inputsPanel.add(namePanel, BorderLayout.WEST); // Create a JPanel to contain the whitelist and buttons JPanel whitelistPanel = new JPanel(new BorderLayout()); whitelistPanel.setBorder(new EmptyBorder(10, 10, 10, 10)); inputsPanel.add(whitelistPanel, BorderLayout.EAST); // Create a JScrollPane to contain the whitelist // Add the JScrollPane to the whitelistpanel above JScrollPane whitelistScrollPane = new JScrollPane(); JList<String> whitelist = new JList<>(); whitelistScrollPane.add(whitelist); whitelistPanel.add(whitelistScrollPane, BorderLayout.CENTER); // Create a JPanel to contain the whitelist buttons JPanel whitelistButtons = new JPanel(new FlowLayout(FlowLayout.CENTER)); JButton insertButton = new JButton("Insert"); whitelistButtons.add(insertButton); JButton deleteButton = new JButton("Delete"); whitelistButtons.add(deleteButton); whitelistPanel.add(whitelistButtons, BorderLayout.SOUTH); mainPanel.add(inputsPanel, BorderLayout.CENTER); // Add the inputs panel to the centre of the main panel // Crete a JPanel to contain the start button JPanel buttonPanel = new JPanel(new FlowLayout(FlowLayout.CENTER)); buttonPanel.setBorder(new EmptyBorder(5, 5, 5, 5)); JButton startButton = new JButton("Start"); buttonPanel.add(startButton); mainPanel.add(buttonPanel, BorderLayout.SOUTH); // Add the button panel to the south of the main panel jFrame.pack(); // resize the JFrame so that all the components are at or above their preferred sizes jFrame.setResizable(false); jFrame.setLocationRelativeTo(null); // center the gui on screen } public void open() { jFrame.setVisible(true); } public void close() { jFrame.setVisible(false); jFrame.dispose(); } public static void main(String[] args) { SwingUtilities.invokeLater(() -> new GUI().open()); } }3 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 thread2 points
-
1 Defence Pure vs 45 Defence Rune Pure
funny you should mention that! for the low price of 9.99 for life, you could own your very own FruityNMZ!2 points
-
script GUI help needed
2 points
-
selling 71 70 70 account
2 points
-
Khal Wintertodt
1 pointWant to buy with OSGP? Contact me on Discord! Detailed feature list: - Account builder mode to level your firemaking to level 50 or even higher. - Equips pyromancer gear option - Chopping and burning logs (base Option) - Relights brazier - Fletch option - Fix brazier option - Make potion and heal pyromancer when down option - Tons of food supported - Brazier swicthing when pyromancer is down - Advanced game settings to skip games, smart caluclate points, afk at certain points, ... - Bank or Open crates - Dragon axe special attack - Fletch at brazier option - Chop in safespot option - Worldhopping - 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 909: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 909): -script 909:TaskList1.4515breaks (With breaks) -script 909:TaskList1.4515breaks.discord1 (With breaks & discord) -script 909:TaskList1..discord1 (NO breaks & discord) Proggies:1 point
-
APA Script Trials
1 pointโโโโโโโโโโโโโโ 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.1 point
-
Perfect Fisher AIO
1 pointby Czar Buy now (only $8.99!) 143 HOURS IN ONE GO!!!!! update: this bot is now featured on the front page of osbot! More reviews than every other fishing bot combined! 100 hour progress report!!! How to use Script Queue: ID is 552, and the parameters will be the profile name that you saved in setup! This process is really simple, just to save you headache1 point
-
Stealth Quester
1 pointStealth Quester Can also be purchased with OSRS gold using vouchers from here 70 Quests Supported Alfred Grimhand's Barcrawl Animal Magnetism A Porcine of Interest Big Chompy Bird Hunting Biohazard Black Knights Fortress Client Of Kourend Clock Tower Cook's Assistant Death Plateau Demon Slayer Dorics Quest Dragon Slayer Druidic Ritual Dwarf Cannon Elemental Workshop I Ernest The Chicken Fight Arena Fishing Contest Gertrude's Cat Goblin Diplomacy Hazeel Cult Holy Grail Imp Catcher Jungle Potion Lost City Merlin's Crystal Monkey Madness I Monk's Friend Mountain Daughter Nature Spirit Pirates Treasure Plague City Priest In Peril Prince Ali Rescue Regicide Rfd Cook Subquest Rfd Dwarf Subquest Rfd Evil Dave Subquest Rfd Goblin Subquest Rfd Pirate Subquest Rfd Ogre Subquest Romeo And Juliet Rune Mysteries Sea Slug Shadow Of The Storm Sheep Shearer Tears Of Guthix The Ascent Of Arceuus The Corsair Curse The Depths Of Despair The Dig Site The Feud The Golem The Grand Tree The Knights Sword The Restless Ghost The Tourist Trap Tree Gnome Village Tribal Totem Underground Pass Vampire Slayer Varrock Museum Quiz Waterfall Quest What Lies Below Witch's House Witch's Potion X Marks The Spot Instructions Click on quest names to queue them. Quests are completed in the order they are selected. Quests that are already completed will be skipped. Previously started quests/partially completed are not currently supported! Allow the script to finish the quest from start to finish for best results. In order to use armour/weapons/spells during quests, gear presets have to be created first. Equip the desired gear and set the attack style in game, then press the "Load Worn Equipment" button at the bottom left of the GUI, then give the preset a name. Click on the "Set Gear" button on the right side of a quest to set the gear preset to be used for that quest. If you want to use a combat spell for fights, make sure you are wielding a staff and have set the spell on offensive autocast. Only normal spells are currently supported. Ranged is not fully supported at this moment. Make sure you set the desired attack style in game to avoid gaining wrong XP. After selecting the desired options, either press the "Start" button to begin, or save the current settings by pressing "Save Current Settings" and giving the quest preset a name, and later running it faster by pressing "Run Saved Preset". You can delete gear/quest presets by right clicking them on the selection dialogue Special Mentions The script will stop upon death on all quests, except for Waterfall Quest. It is strongly recommended that you have decent Hitpoints level (20+) before attempting quests that contain boss fights. The script may not be able to continue previously started quests. If you really have to restart the script while it's doing a quest, use debug mode to continue that specific quest. This feature is accessed by pressing the F4 key while the GUI is in the foreground (focused application). The GUI title will change to Stealth Quester (debug mode) while in debug mode, and when started will not go to bank or Grand Exchange so all required items are assumed to be in the inventory. Monkey Madness I has a hard-coded requirement of 43 Prayer and 25 Hitpoints Underground Pass has a hard-coded requirement of 25 Hitpoints, and will use a bow as weapon. By default the script will use willow shortbow & mithril arrows. This can be configured on GUI throgh the "Configure Settings" button on the right side of the quest. Protect from melee will be used during the paladin fight if the account has 43 Prayer. The script will not use any weapon or ammo you set in the gear preset for this specific quest, as they will be replaced with a bow and arrows, and the attack style will be set to rapid. The script can complete this quest with level 1 Agility. The ability for the script to complete the quest will be limited by available food sources if it fails too many obstacles prior to reaching Iban's Lair where unlimited food is provided. Beta Testing Mode Enabled via script GUI using F3 key during startup Make sure the GUI window is focused and press F3 The quests which are currently in beta testing stage will be displayed on the list of available quests Debug Mode Enabled via script GUI using F4 key during startup Make sure the GUI window is focused and press F4 Title will change to Stealth Quester (debug mode) This can be used to resume the script execution after being interrupted. It is not guaranteed to work in all cases, but will work for over 95% of quest stages. You can also use this if you don't want the script to check bank/go to Grand Exchange. This means that you must have all items required by the script (not by quest guides), including the specific teleports it uses. It may work in some cases without teleports, but there is no guarantee. Ironman Mode Enabled via script GUI using F5 key during startup Make sure the GUI window is focused and press F5 Title will change to Stealth Quester (iron man mode) The script features a special ironman mode where it will automatically gather all required items. This mode supports at the present moment the following 9 quests: Cook's Assistant Romeo and Juliet The Restless Ghost Rune Mysteries Ernest the chicken Hazeel Cult Clock Tower The Corsair Curse X Marks the Spot No Food Mode Enabled via script GUI using F6 key during startup Make sure the GUI window is focused and press F6 Title will change to Stealth Quester (no food mode) Can be used for high level accounts when you are 100% sure you won't need food on some quests. There are quests like Underground Pass, Regicide, Monkey Madness, Shadow of the Storm, Holy Grail, Dragon Slayer and possibly others where this will not work. The script will stop when it fails to find food in bank in these cases. CLI Features Script ID is 845. The script supports CLI startup with custom user defined parameters. The parameters in this case are the name of the quest presets created on the GUI (with "Save Current Settings"). eg. -script 845:questpreset Bug Report Template 1. Stealth Injection or Mirror Mode: 2. Logger contents (press "Settings" on top right corner of the client, then "Toggle Logger", copy & paste on pastebin) : 3. Description: Skills required to run all quests: 51 Agility 49 Firemaking 41 Cooking 36 Woodcutting 35 Runecrafting 31 Crafting 30 Ranged 30 Thieving 20 Attack 20 Mining 20 Smithing 18 Slayer 12 Hunter 10 Fletching 10 Fishing The script can obtain a total of 117 QP on member worlds and 41 QP on free to play worlds. Additional Info by @krisped1 point
-
Night Fury's Introduction
1 pointHello OS botters, My name's Azeem and I am 19 years old. I live in Toronto/Canada & I'm currently studying electrical engineering. I'm interested in business/marketing, playing games & coding. I'm usually known as 'Azeem' on other forums. Looking forward to meet some of you very soon. Regards Night Fury1 point
-
Night Fury's Introduction
1 point
-
Night Fury's Introduction
1 pointnice to know theres allot more people enjoying the traffick in Toronto like I do...and the retards driving around in Toyotas โฆ.seems like every retard driving drives a Toyota...1 point
-
Night Fury's Introduction
1 point
-
Project OSRS (Fishing/Mining/Woodcutting)
1 point
-
Night Fury's Introduction
1 point
-
Night Fury's Introduction
1 point
-
Night Fury's Introduction
1 pointHey welcome to the osbot, nice to see more people from toronto area1 point
-
Night Fury's Introduction
1 point
-
APA Den Cooker
1 point
-
temp bans?
1 point
-
SpaceCats' Crab Killer | All food | All Crabs (Rock/Sand/Ammonite) | All spots | Banking | GUI | Paint
Hmn, and you did set the reset location using the GUI buttons? If the state is displays is stuck on "waiting" instead of "resetting", this means it is actually counting down to when it will reset. This number is random each time, to mimic human behaviour (you wouldn't immediately look on your screen the second the crabs deaggro, and reset them, would you?). This delay can last anywhere from near-instantaneous to a few minutes. I think this might be what you have encountered. If you (or other people) encounter the same issue, let me know! Thanks! And yes, I'll look at banking in the future, whenever I have some time to spare. (might be a week or three). In the meantime: use high healing food (I lasted 1-2 hours on my 1 defence pure, using monkfish. Sharks would be even better. Or get a spot on the mainland with 2 crabs instead of 3-4). I honestly wouldn't recommend leaving this script unattended for long periods of time, like overnight, I have done zero testing when it comes to long term stability.1 point
-
Quashes
1 point
-
script GUI help needed
1 pointGUI builders let you pick which layout you want to use. This is important. A null layout will require you to specify the size and position of every component, whereas other layouts (GridBagLayout, BoxLayout, FlowLayout) automatically arrange your components, but you get to specify how they're arranged. You should write your own GUIs from scratch so you can build your GUIs exactly how you need them to be. I've never used that builder, so no comment. You're welcome. You're using a GUI builder. Why would somebody make an advanced tutorial for you when you're not going to learn the how's/why's of the actual underlying code?1 point
-
Fruity Zulrah Killer
1 pointv2 fix has been pushed as mentioned above, join discord for updates: https://discord.gg/W3PUkpQ everyone who has v2 also has v1 as v2 is in testing stages, use v1 whilst it is down and ill update when its back up1 point
-
Fruity Zulrah Killer
1 pointFix had been pushed for now dont use barrows gear and tick "repair barrows items" or use v11 point
-
Quote Sets + Stats
1 pointAngler: 10M Prospector: 35M (assuming average xp/nugget) Hunter: 11.2M RC: 4.5M Hope this helps1 point
-
Trading issue
1 point
-
[NSFW] Big booty!
1 point
-
Project OSRS (Fishing/Mining/Woodcutting)
1 point
-
[NSFW] Big booty!
1 point1 point
- [NSFW] Big booty!
1 point1 point- Trading issue
1 pointLooking at your code, I recommend you not playing with trades since you will need some additional checks to make sure you trade the right player etc. etc. Start with something more easy, like a cow killer or a woodcutter.1 point- Project OSRS (Fishing/Mining/Woodcutting)
1 point- script GUI help needed
1 point1. Is there NO GUI builder that allows me to drag and drop elements (like JButton, JList, JTextField, etc.) onto the the application window AND IT STAYS WHERE I PUT IT (meaning i don't have to hard code the exact position of every single element i put into the GUI) (not sure if this'll fix your issue, pretty sure it will) - Change your content pane layout to absolute (null). (I use eclipse guibuilder, so i'm not too sure on the intelliJ version), you can just use the line mainPn1.setLayout(null); 2. Assuming i should still be using IntellJ's GUI form builder, why is there no code about how i customized it in the form onto the output code file - I don't use intelliJ so I can't answer this sorry 3. How do i get the GUI to open in onStart - I would create a "main" void, set the frame equal to a new instance of your PidgeonGUI class, set the frame to visible & then utilize it with PidgeonGUI.main();, this probably isn't the 'right' way to go about it, but I have a "if it works, why change it" mentality about smaller things like this. lmk if any of these help1 point- Excellent Dragons
1 point- Excellent Dragons
1 point- Camera direction
1 pointI was looking to some snippets and found a camera system from @Lemons and there is that thing which confused me.. Here are the functions implementation of moving the current angel of the camera to a specific position/direction public void moveNorth() { int r = Script.random(0, 30); if (r > 15) r = 375 - r; moveYaw(r); } public void moveWest() { moveYaw(75 + Script.random(0, 30)); } public void moveSouth() { moveYaw(165 + Script.random(0, 30)); } public void moveEast() { moveYaw(255 + Script.random(0, 30)); } And I was trying to write functions to check where the camera direction is and came up with the following: public boolean isNorth() { return (getYawAngle() >= 0 && getYawAngle() < 75) || getYawAngle() == 360; } public boolean isWest() { return getYawAngle() >= 75 && getYawAngle() < 165; } public boolean isSouth() { return getYawAngle() >= 165 && getYawAngle() < 255; } public boolean isEast() { return getYawAngle() >= 255 && getYawAngle() < 360; } It is a little bit strange to me because it should be north, east, south, and west and the angels should be 0-90, 90-180, 180-270, 270-360 However, it seems to be counterclockwise and 0-90 would include both east and north https://www.mathsisfun.com/geometry/images/degrees-360.gif In this case, north should be -75-75 not 0-75 but someone seems to have defined it that way and it looks rather arbitrary. (Might be the absolute value of that range, as Zappster told me from chats). My question is "why's this thing like that?" Is it because the developer made it that way? Another question is.. Why when checking west, the range is 75-165 but when moving to west, the range is 75 + 0,30 which could maximally reach 105? In addition, could someone help me write a function to check the north-east or south-west direction then?1 point- Notify Script of imminent break
1 pointyou can get minutes until break using: public int getTimeTillBreak() { RandomExecutor randomExecutor = getBot().getRandomExecutor(); return randomExecutor != null ? randomExecutor.getTimeUntilBreak() : -1; }1 point- Perfect Fletcher AIO
1 pointYeah GE is experimental but it does work, but you gotta be super precise with the setup in ge mode. I still have some core changes to add to the setup to allow GE to work properly. Update v46 is live but I am working on v47 with the new changes, sorry for the delay I will change paint and add space-bar instead of mouse clicks for that update1 point- Perfect Magic AIO
1 pointGot another update coming up, will add more various failsafes and more support for various spells and equipment. Update coming up ^^1 point- 60 attack pure
1 point- AIO Farming
1 pointDecent script. The BIG issue for me is that the bot will take out your entire stack of seeds and teleports and constantly dies in Canifis with it all and rips your bank apart. Please fix this @eagle, there is absolutely NO NEED to take out 200+ seeds of anything when there's no more than 5 patches and the bot banks after like 1 or 2 anyway because of the way you've set up the timers. EDIT: Eagle won't fix this even though it's a 2 minute fix (replace withdraw-all with withdraw-10 in his code) because he thinks I'm the only one dying at Canifis. So if you're one of the doods who have died at Canifis or avoid using that patch all together because of the risk please quote/like this post so he can see it's worth fixing.1 point- SpaceCats' Crab Killer | All food | All Crabs (Rock/Sand/Ammonite) | All spots | Banking | GUI | Paint
Code looks clean well done. Only thing I'd suggest is using Conditional sleeps.1 point- SpaceCats' Crab Killer | All food | All Crabs (Rock/Sand/Ammonite) | All spots | Banking | GUI | Paint
awesome! gonna try this out1 point- Molly's Orber
1 pointTrial please? just tried made 2 accs for orbing but the script i thought was good on Advertising other bots isn't allowed. actually sucks.. trying to find another option1 point- Molly's Flax Spinner
1 point- Molly's Thiever
1 point- APA Sand Crabs
1 point- UFC 225 predictions
1 pointWtf its a stacked card, casuals probly only looking at main tho xd Whittaker RDA Holm Tuivasa Jackson1 point- UFC 225 predictions
1 point - [NSFW] Big booty!