Jump to content
View in the app

A better way to browse. Learn more.

OSBot :: 2007 OSRS Botting

A full-screen app on your home screen with push notifications, badges and more.

To install this app on iOS and iPadOS
  1. Tap the Share icon in Safari
  2. Scroll the menu and tap Add to Home Screen.
  3. Tap Add in the top-right corner.
To install this app on Android
  1. Tap the 3-dot menu (โ‹ฎ) in the top-right corner of the browser.
  2. Tap Add to Home screen or Install app.
  3. Confirm by tapping Install.

Leaderboard

Popular Content

Showing content with the highest reputation on 02/25/16 in Posts

  1. 4 points
    I like him. Idgaf [media= ][/media]
  2. ๐Ÿ‘‘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 thread
  3. Heya, I just learned this so I thought i should share this with you guys. This is for the people that have never worked with Visual Studios C# programming before. This is what your end product will look like (or simillar, depending on your own design preference) First of all, open Microsoft Visual Studio 1. Making a new Project - Go to --> File --> New --> Project --> Click Visual C# --> Windows Forms Application - Change the name to something like 'calculator'. - Let the solution name change itself. - Obviously, hit OK afterwards. 2. This is what you should start with 3. Changing the name & size of our Calculator - In the right bottom right you can see the properties of your selected item. If you do not see this, click the Form1 application once or right-click properties. - To change the name we're going to change its Text in the properties. Scroll down in the properties untill you find its Text. Change this to 'Calculator' or something like that. Be sure to change its Text and not its name, since these are two different things which i'll be explaining lateron. - To change its size, you can simply Drag the Calculator to your desired size or you can change its size in the properties. The size I used for my calculator is Width 426, Height 404 4. This is what your Calculator should look like after doing steps 1 - 3 5. Adding the Textpanel - First of all, your Calculator needs Textpanel to show the answers of the calculations ofcourse. - We'll do this by opening the Toolbox at first. Navigate to --> View --> Toolbox. - The Toolbox is shown now, with the Toolbox you can add various things such as buttons. - Search the Toolbox until you find the 'RichTextBox', drag&drop it into your Calculator. - Change its size to your desired size. - Change its name to something like 'tbAnswer' (since its a textbox and we're going to show our answer in it) 6. Adding our Buttons - Search for a button in the Toolbox and drag&drop it into your Calculator. - Give it any size and place you want. - Change its Text to '1' and its name to something like 'bt1'. (since it's a button and it's for the number '1') The name is what the button will be 'called' or 'recognised' as. - Do this for all the other buttons aswell; 2, 3, 4, 5, 6, 7, 8, 9, 0, Calculate, CE, +, -, * , / and '.' - Your result would look like this: 7. Making our buttons do something - Firstly, we'll need to define some objects. string input = string.Empty; //String storing user input string operand1 = string.Empty; //String storing first operand string operand2 = string.Empty; //String storing second operand char operation; //char for operation double result = 0.0; //calculated result Write the code above this message between public partial class Form1 : Form { and public Form1() like this --> I've written some quick information about the objects in the green colored text. - Now we need to 'link' our buttons with a piece of code. To do this, you have to Double-Click on the button itself. - Do this for all the buttons. - Visual Studio has now made a private void for every button. It should look like this. private void btn1_Click(object sender, EventArgs e) { } - Obviously, we should add some code so the private void actually has an action to perform. - To make the btn0 result a '0' once its clicked, we can use something like this: private void btn0_Click(object sender, EventArgs e) { tbAnswer.Text = ""; input = input + "0"; tbAnswer.Text = tbAnswer.Text + input; } //tbAnswer is our Textbox. We need to define this on top so the Textbox starts with a 'clean line', with no text. (otherwise clicking multiple times on the 0-button wouldn't add multiple 0's. //input We defined a String, input. We defined it as an empty String but we're going to give the string some 'information' to store. The new input will be : the current input + "0". This means, if the input has been defined as 0 (because we've clicked the 0-button), and we click the 0-button again it will change to "00" instead of staying at "0". //tbAnswer.Text is our text which is linked and shown in our Textbox-Answer. We define our new tbAnswer's Text to: the current tbAnswer Text + our new defined input. - Do this for all numbers so your result will be: private void btn0_Click(object sender, EventArgs e) { tbAnswer.Text = ""; input = input + "0"; tbAnswer.Text = tbAnswer.Text + input; } private void btn1_Click(object sender, EventArgs e) { tbAnswer.Text = ""; input = input + "1"; tbAnswer.Text = tbAnswer.Text + input; } private void btn2_Click(object sender, EventArgs e) { tbAnswer.Text = ""; input = input + "2"; tbAnswer.Text = tbAnswer.Text + input; } private void btn3_Click(object sender, EventArgs e) { tbAnswer.Text = ""; input = input + "3"; tbAnswer.Text = tbAnswer.Text + input; } private void btn4_Click(object sender, EventArgs e) { tbAnswer.Text = ""; input = input + "4"; tbAnswer.Text = tbAnswer.Text + input; } private void btn5_Click(object sender, EventArgs e) { tbAnswer.Text = ""; input = input + "5"; tbAnswer.Text = tbAnswer.Text + input; } private void btn6_Click(object sender, EventArgs e) { tbAnswer.Text = ""; input = input + "6"; tbAnswer.Text = tbAnswer.Text + input; } private void btn7_Click(object sender, EventArgs e) { tbAnswer.Text = ""; input = input + "7"; tbAnswer.Text = tbAnswer.Text + input; } private void btn8_Click(object sender, EventArgs e) { tbAnswer.Text = ""; input = input + "8"; tbAnswer.Text = tbAnswer.Text + input; } private void btn9_Click(object sender, EventArgs e) { tbAnswer.Text = ""; input = input + "9"; tbAnswer.Text = tbAnswer.Text + input; } - Now, we need to give our operation buttons a action aswell (+,-,* etc.) We need to do this a little differently, take a look at the following code: private void btnPlus_Click(object sender, EventArgs e) { operand1 = input; operation = '+'; input = string.Empty; } //operand1 will be set to the 'information' our defined input carried with it. our operation will be '+'. we will clean our defined input, we define it as a Empty String once more, we need to do this because we need to have 2 sides of numbers to be able to count this above each other. (example ; 3 + 3 = 6 , 1 number on the left of the our operation '+' and one on the right) - Do this for all of the operation buttons, i'm not telling you what to do with the dot-button & CE-Button. You'll have to think about this yourself. If you can't figure out, look at the code below. (It's easy!) It should look like this: private void btnmin_Click(object sender, EventArgs e) { operand1 = input; operation = '-'; input = string.Empty; } private void btnPlus_Click(object sender, EventArgs e) { operand1 = input; operation = '+'; input = string.Empty; } private void btnKeer_Click(object sender, EventArgs e) { operand1 = input; operation = '*'; input = string.Empty; } private void btngedeelddoor_Click(object sender, EventArgs e) { operand1 = input; operation = '/'; input = string.Empty; } private void btnPunt_Click(object sender, EventArgs e) { input = input + "."; } private void btnCE_Click(object sender, EventArgs e) { input = string.Empty; tbAnswer.Text = ""; } - Now, we have 1 button left to give a action it should perform on a Click, the Calculate button. - This one is actually a big one, and will probably be hard for you to understand. - We need to define a few more objects for the Calculate button. Do this in the Calculate's Click method! operand2 = input; double num1, num2; double.TryParse(operand1, out num1); double.TryParse(operand2, out num2); //operand2 Will be defined as the 'information' input caried within it. //doubles doubles are numbers with decimals (Example : 4,21) - Now, every operation needs its own action it should perform. We are doing this with if & else cases, just like Java. For our '+' operation: If the operation is +, we should add the num1 and num2 together, right? This is how that would look like in code: if (operation == '+') { result = num1 + num2; tbAnswer.Text = result.ToString(); } //result We are defining result to: The answer of num1 + num2 //result.ToString() The result we defined, would be an answer of numbers, which is an int. The .Text method only works with Strings (multiple characters, like a text. Example: "Heya") Because the .Text method only works with String we need to change our answer , which is an int, to a String. - For the '-' operation it would be: else if (operation == '-') { result = num1 - num2; tbAnswer.Text = result.ToString(); } //else if This is because there can only be one 'if', all the others should either be 'else if' or 'else'. - Make all the actions for the remaining operations. - The full code of your Calculate button should look like this: private void btnCalculate_Click(object sender, EventArgs e) { operand2 = input; double num1, num2; double.TryParse(operand1, out num1); double.TryParse(operand2, out num2); if (operation == '+') { result = num1 + num2; tbAnswer.Text = result.ToString(); } else if (operation == '-') { result = num1 - num2; tbAnswer.Text = result.ToString(); } else if (operation == '*') { result = num1 * num2; tbAnswer.Text = result.ToString(); } else if (operation == '/') { result = num1 / num2; tbAnswer.Text = result.ToString(); } } - Now, if you've done everything like I did, your Calculator should work! - Try it out! Click on the 'Play' button on the top. - The full code:
  4. 3 points
    The A stands for my real name, hope you guys like this: I used Cinema 4d to create the A and the cool lines around it, and the usage of photoshop is clear.
  5. ShinyFighterPremium Price: $9.99 SDN: Not Available Yet Trials: Not Available Yet Features: Attack anything, anywhere Bank almost anything, anywhere Complete teleport support Complete ranged support Complete special attack support Complete potion support Complete prayer support Complete save and load support Complete food and looting support Sexy paint Features In Development: Progressive training Location switching Rock crab support Cannon support Guthans support Bones to peaches support Alching support GUI: Updates & Changes:
  6. Molly'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/N
  7. 2 points
    you can't possibly be this much of a leech, can you?..
  8. 1 point
    Multiple Potion Support! Prayer โœ“ Restore โœ“ Overloads โœ“ Absorptions โœ“ Ability to set custom random higher/lower boundaries Ranging โœ“ Super and Normal Magic โœ“ Super and Normal Imbued Heart โœ“ Super Attack, Strength & Defence Potions โœ“ Special attack support โœ“ Custom Dream Settings โœ“ Ability to chose whether you want the character to re-enter a dream when it dies Ability to chose what position the player stands in Ability to set dream type Normal Hard Customisable - normal Customisable - hard Ability to chose a dream preset MTD Tree Gnome village Lost City Vampire Slayer Fight Arena Mountain Daughter Guthans Tree Gnome Village Lost City Vampire Slayer What Lies Below Haunted Mine Demon Tree Gnome Village Lost City Vampire Slayer Fight Arena The Grand Tree Custom The ability to set your own bosses in-game and the script will not change anything. Enable or Disable Power-Ups Zapper Recurrent Damage Power Surge Requires a Special weapon to be set within the GUI Magic Support โœ“ Select any โ€˜Normal Spellbookโ€™ combat spell to train with Rune pouch support Barrows Repairing! โœ“ Uses 'Lumbridge Home Teleport' to get to lumbridge, requires standard spell book. Uses the Minigames teleport to travel back to Nightmare Zone Recharging rechargeable! โœ“ Blowpipe Tome of Fire Purchase Your Daily Herb Boxes! Option to only purchase when you have over 'x' Points Option to either Bank or Open the Herb Boxes Rock Cake & Locator Orb Support โœ“ Ability to set chose if you want to pre-dream rock cake outside the dream Ability to chose at what HP value you start to rock cake Custom Idle Activities โœ“ Random Camera Movements Random Tab Changes Random Mouse Clicks Ability to have mouse exit the screen whilst idle Custom Prayer settings โœ“ Enable/Disable โ€˜Boost Prayersโ€™ Defence: Thick Skin Rock Skin Steel Skin Strength: Burst of Strength Superhuman Strength Ultimate Strength Attack Clarity of Thought Improved Reflexes Incredible Reflexes Ranged: Sharp Eye Hawk Eye Eagle Eye Rigour Magic Mystic Will Mystic Lore Mystic Might Augury Others Piety Chivalry Enable/Disable Protect Prayers Protect From Melee Protect From Magic Protect From Missiles Informative Script UI โœ“ Colour coded skills painted XP Gained Current XP/Hr Percentage till level Time till level Status display Customisable Stop/Break Handler โœ“ Ability to stop the script at the following benchmarks: Stop randomly between 'x' and 'x' minutes of runtime. Stop randomly between 'x' and 'x' dreams completed. End dream by idling Enable/disable logout on exit. Ability to use a custom made break handler. Break random every 'x' and 'x' dreams completed. CLI Support โœ“ -script "698:profile=Test hours_limit=10 dreams_limit=5" 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. dreams_limit = Complete after 'x' dreams completed Misc. Options โœ“ Hop worlds between dreams Leave dreams at maximum points Ability to save/load multiple custom presets This is not a thread for asking for trials, as a whole, i don't offer trials for my script. Instead if encourage you to ask all the questions you have before purchasing a๏ปฟny of my (or anyones) script to be sure the script does exactly what you would like it too. Please note, 1 purchase of FruityNMZ is a lifetime auth for as many accounts as you can run On OSBot, we do not limit the amount of instances you can run with a single script! 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 Discord!
  9. NEW: Released Chop & Firemake plugin Added 8 Forestry events!!!!!!!! Easy 99, Next! Map Chooser System Progress Results! Help How to use this with Bot Manager? Script ID is 631, and the parameters will be the profile you saved in the setup window, e.g. oak15.txt I want a new feature added? Make a post below and I am always listening, within reason! The bot is doing something I don't like? Make a post below and I will adjust the code to match your play style!
  10. This 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!
  11. by 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 headache
  12. PPOSB - AIO Hunter Brand new trapping system just released in 2024! *ChatGPT Supported via AltChat* https://www.pposb.org/ ***Black chinchompas and Black salamanders have been added back*** Supports the completion of Varrock Museum & Eagle's Peak OR CLICK HERE TO PAY WITH 07 GOLD! The script has been completely rewritten from the ground up! Enjoy the all new v2 of the script JOIN THE DISCORD CHAT FOR QUESTIONS/ SUPPORT/ CHATTING/ UPDATES! New GUI: Features: Click Here Current functioning hunter tasks: (green - complete || yellow - started || red - incomplete) Screenshots: Progressive Leveling: 1-19 --> Crimson swift 19-43 --> Tropical wagtail 43-63 --> Falconry 63+ --> Red chinchompas Updates How to setup Dynamic Signatures Report a bug CLI Support - The script now supports starting up with CLI. The commands are given below. Please put in ALL values (true or false) for CLI to work properly. Make sure they are lowercase values, and they are each separated with an underscore. The script ID for the hunter bot is 677. Parameters: EnableProgression_EnableVarrockMuseum_EnableEaglesPeak_EnableGrandExchange Example: -script 677:true_true_false_true ***Don't forget to check out some of my other scripts!*** OSRS Script Factory Click here to view thread LEAVE A LIKE A COMMENT FOR A TRIAL The script is not intended for Ironman accounts. It still works for Ironman accounts, but you must have all equipment, gear, and items.
  13. 'the intelligent choice' by Czar Buy (only $4.99) Want to buy the bot, but only have rs gp? Buy an OSBot voucher here old pictures
  14. So I ended up getting busy with classes, and got burnt out from doing any other programming besides school related work. I just finished up the script, currently getting a proggy to get it released. Features: Food support for low levels Banking and killing Banking, tanning, and killing Node Framework for quick task switching Simple GUI Pretty much unbreakable. Obviously it can happen, but using the web walker makes it pretty hard for the script to get stuck somewhere. Simple Paint, more will be added to it Only interacts with your loot pile/loot close to the cow you just killed, so the script won't run around fighting other bots for cowhide. Switches to a different cow if another player is attacking one the bot first clicked on. On a side note, I've noticed cows get super crowded. I want to keep this script free, but if it gets to a point where f2p worlds are too overcrowded, it may need to become premium.
  15. I accept back orders please post below in the following format:
  16. Would like to receive a 24 hour trial if possible, just got back into botting and made a new Hunter account, want to get it to 63 and try botting red chins. What do you see smart botting btw @OP? Hope the ban rate isnt that high on this.
  17. Enjoy motherfuckers. Also OSBuddy is still up aswell.
  18. Possible to get trial? Trial was great, all night without breaks, thanks!
  19. are you crazy? 50-60m
  20. I read "Looking for a gf"
  21. 1 point
    This was annoying af. I started off building it around javax.swing.undo but holy guacamole that package is pure aids. Also my cursor isn't reacting to resize / move events because I'm in the middle of refactoring
  22. Working on some other stuff right now One thing done, one more to go! Hopefully will be out by this weekend after more testing, if not sooner! Will keep you guys posted!
  23. im wondering this aswell pls answer me i heard you always know if the bot is down or not plzzz halp
  24. There should be a new addition to the setup window hopefully it's visible now, it shows extra npc options for the users who wanna train combat from level 1 stats XD gl all I think the update is live now, the version has remained 0.07 though, I should've made it 0.08 :P
  25. 1 point
    Best combat script on OSBot. Got me 99 attack and defence from mid 80's with no bans whatsoever. Highly recommend
  26. 1 point
    Runescape - game_ticks = RS2016
  27. 1 point
    If they alter anything game-tick related, the entire exp effiency community will flip thier shit. Besides, this would be extremely heavy engine work, which is not going to happen :P Honestly, the game-tick mechanic in RS07 is what makes it RS07 and I think it's an unique feeling that should be preserved.
  28. 1 point
    Those ticks is what runescape defined If they would change that, another 2007 will happen.
  29. 1 point
    It's part of what makes Runescape, Runescape. I don't think it's an outdated mechanic, if anything to make it smoother you'd want more game ticks per second than previously.
  30. may i get a free trial please! Thanks!
  31. beautiful script managed to get 99 attack and 99 defence on my main with no ban at all 1 question though, would you make it to where it doesn't attack other peoples experiment?
  32. Lol sorry, I'm retardedly shy so meeting new people is definitely not my strong-suit. Any time I meet new people it's usually when I'm out at a concert or some sort of outdoor event. If you can play any instruments put an ad out for a jam session with some people and see how it goes, Not helpful I know sorry Good luck with the job hunt btw
  33. Issue looks to be resolved! Thanks
  34. all the candidates are dog shite if hillary gets elected im moving to canada tho
  35. PreKhal Slayer Beta Hi all, I'm proud to announce PreKhal Slayer is now in Beta by @Precise and @Khaleesi . What can you expect, well like i said above it is currently in Beta so there will be some bugs and that is why we need you! Preview of the script: What do you get with this beta: Supports All Masters. Supports All Monsters. Supports many travelling methods like: - Rune teleports - Teletabs - Item teleports like: - Ring of dueling - Games necklace - Ectophial - Slayer Ring - Amulet of glory - CharterShips - Flying Carpets - Fairy Rings - And some more specific travelling methods. Profiling System: - A default Profile (which is used for every monster unless custom profile is added) Default profile includes: - Inventory Setup - Gear Setup Custom profiles for every Monster (Consist of): - Inventory Setup - Gear Setup - Prayer Setup - Select a certain monster based off of location and level. Looting: - Looting over X value - Custom loot list which can be editted to your needs Bank Hub: - Bank hub is the location of where you re-stock supplies etc. How do i get access to this beta? Fill out the form below and post it! Slayer Level: Slayer Masters you can do: Your Skype: Attack style you'll be mainly using: How do we get chosen: After you have filled out this form and if accepted, you'll be added to a Skype where we as the scripters and you as the beta testers can help fix bugs quickly and easily. As a beta tester, we'll need you to give good descriptive bug reports and being able to replicate the bug. We do not expect you to be like "omg doesn't work", as we don't have the time to deal with people who cannot help with us and you'll be removed from the beta. Remember everyone, this is in beta, so if you're expecting a complete Slayer script then you'll be wrong. There most certainly will be bugs and that is why we are having with beta release to remove before the final release. Thanks a lot for reading this, and I hope you can help us! Many thanks, @Precise and @Khaleesi, The PreKhal Team
  36. 1 point
    0/10 , bad internet service in my country

Account

Navigation

Search

Configure browser push notifications

Chrome (Android)
  1. Tap the lock icon next to the address bar.
  2. Tap Permissions โ†’ Notifications.
  3. Adjust your preference.
Chrome (Desktop)
  1. Click the padlock icon in the address bar.
  2. Select Site settings.
  3. Find Notifications and adjust your preference.