Thank You For Another Successful Year

Here at UBot HQ, we work around the clock to make UBot Studio the most powerful, time-saving software in your marketing toolbox.  Our top-notch community exemplifies the ingenuity that makes the internet business industry the indispensable force that it is today. Over the last three years we have been compiling information from a survey customers like  you have completed. The feedback you provide  is crucial to our continuing improvement! As a way to say thank you, we want to share the results with you. The_UBot_Survey (1) The_UBot_Survey2 The_UBot_Survey3 The_UBot_Survey4   We are proud to be able to serve you and to be surrounded by such a talented community. Here’s to a prosperous, autonomous 2015! Seth Turin P.S. – We have a new survey that we would love to have you complete. It will only take you a few moments to fill out this quick 10 question survey, and it would mean a lot to us. Take the new survey!

Python and UBot: Give Your Bots a Voice… and Much More

python1

+

Big-Logo

Ask a programmer how a beginner should automate web tasks and chances are good they’ll say Python.

Python is a programming language that can help you automate everything from email sends to web scraping to robotics, and while it’s significantly more complicated than starting off with UBot Studio, it’s a very robust language and fairly easy to understand for beginners. (For more info on getting started with Python, click here to read about it and here to get it set up on your computer.)

Because at times using Python will make your bots faster, smarter, and more awesome, we included Python integrations inside of UBot Studio 5.5. As a Standard or Professional user, you will be able to run IronPython scripts. As a Developer user, you’ll be able to write and edit Python scripts directly inside UBot.

Seth and the Team had a great conversation with the UBot Studio community about how you can get set up using Python, what you might want to do with it to start, and the way that Python integration also allows you to add .dll files to your bots. There will be more Python conversations in the future and we’ll be sure to tie all these chats together on the blog!

For more info, check out the Run_Python command on our wiki.

 

Community Chat: Getting Started with Python

 

Seth Turin:

Python is a great language for beginning programmers and expert programmers alike. I chose Python because it’s widely regarded as the easiest language to learn, while still being a fully expressive, object oriented language.

 

JasonIconJason Kelley:

Yeah – I’m barely a programmer and even I’ve used it a little to do some really cool stuff, after getting some scripts from some other programmers and editing them.

 

Seth:

To get started into Python with UBot, you’ll need to have IronPython installed on your system. We’re working on removing this as a dependency, but for now, you can download and install IronPython at http://IronPython.codeplex.com/releases/view/90087

 

JasonIconJason:

And IronPython is a type of Python? In the way that Mysql is a type of SQL?

 

Dave: UBotIcon

IronPython works with .net, I think.

 

Seth:

Yes, IronPython is an implementation of the Python spec that is built on the .net framework. It’s a nice implementation, too, because you not only get all of Python’s yumminess, you also get the entire .net framework! Once you have IronPython installed, you should be able to use Python, its core modules, and the Python Standard Library.

 

Let’s do a few examples to demonstrate how to have fun with IronPython in UBot.

alert($run python with result("import datetime
mydate = datetime.date(1943,3, 13) #year, month, day
mydate.strftime("%A")"))

What I’m doing with this bit of code is making a Python function return a result back, that I can show in an alert, or of course, do anything I want with. UBot’s date functions are somewhat limited, so just having a few lines of Python handy can give you a lot of power. The %A in the last line indicates day of the week. If you want to see more tricks with the datetime module, goes here http://www.Pythonforbeginners.com/basics/Python-datetime-time-examples

The Python standard library has a lot of stuff! This opens up UBot’s capabilities in a huge way. A full reference on the standard library is here https://docs.Python.org/2/library/

So what if we wanted to take our date example earlier and make it a custom function?

UBotPythonImage1

 

alert($get that date())
define $get that date {
return($run python with result("import datetime
mydate = datetime.date(1943,3, 13) #year, month, day
mydate.strftime("%A")"))}

If you consider the possibilities here, you could easily make an entire bot of just defines, like a library, and include it into all your other bots. This effectively gives you the same power as creating plugins, though plugins have a few differences.

 

JasonIconJason:

Does using Python change the size of your bots etc. now that you have to use the IronPython framework?

 

Seth:

Yes, but not significantly. About as much as a plugin would and maybe less.

 

Seth:

So, there’s more that you’ll want to know about how IronPython works with .net because it gives you a lot of great new options. IronPython comes equipped with a few special commands for importing .net framework libraries. Let me show you an example:

 

import clr
 clr.AddReference('System.Speech')
 from System.Speech.Synthesis import SpeechSynthesizer
 speechSynthesizer = SpeechSynthesizer()
 speechSynthesizer.SpeakAsync("hello I am bot")

A few things happen here:
1) We import clr. That’s basically where the core .net stuff lives.
2) We add a reference to system.speech, which is part of the .net framework.
3) Using some Python syntax, we get our speech synthesizer fired up
4) We tell it to talk in awkward English.

 

JasonIconJason:

Whoa, does this make my bot talk to me?

 

Seth:

Yes. Your bot now has a voice and it just wants to be heard.

Another implication of the .net framework is that you can load .net dll files. So any .net open source project that you want to utilize can now be a part of your bot. Here’s an example:

import clr
 clr.AddReferenceToFileAndPath(UBot.VerifyLibrary("NAudio.dll"))
 import sys
 import NAudio
 from System.IO import File
 waveOutDevice = NAudio.Wave.WaveOut()
 audioFileReader = NAudio.Wave.AudioFileReader("c:\sounds\sound.mp3")
 waveOutDevice.Init(audioFileReader)
 waveOutDevice.Play()

I start by importing clr again, but then I use AddReferenceToFileAndPath to load the dll. In this script, I use a special function that UBot has loaded to help manage libraries for use in the bot bank. To load your own dll, it might look more like:

clr.AddReferenceToFileAndPath(“NAudio.dll”) or clr.AddReferenceToFileAndPath(“c:\lib\NAudio.dll”)
Note that path names have double backslashes. Once I load up the dll, I import the stuff I want from it, along with some core modules for loading files, and I have my wave player play a sound file. For clarity’s sake, I’ve just been pasting the Python code that you would paste into a run Python command. The full uscript for this example looks like this:

run python("import clr
clr.AddReferenceToFileAndPath(UBot.VerifyLibrary("NAudio.dll"))
import sys
import NAudio
from System.IO import File
waveOutDevice = NAudio.Wave.WaveOut()
audioFileReader = NAudio.Wave.AudioFileReader("c:\\sounds\\sound.mp3")
waveOutDevice.Init(audioFileReader)
waveOutDevice.Play()")

 

Jason:JasonIcon

So I’m using Python to include .net stuff and now my bot is essentially capable of the same things that a .net script is (or at least a lot of those things)?

 

Seth:

IronPython is .net, so everything, yes

 

JayIconjay_ar233:

So IronPython is like gateway for Python to run on .net?

 

Seth:

That’s one way to look at it Jay.

 

JasonIconJason:

Ok, so I think the only thing left that’s confusing to me is how my Python script is interacting with .net dll’s – because aren’t they written in .net. Like I’m using Python commands to reference .net commands which is a different language?

 

Seth:

Good question, the important thing there is that .net itself isn’t a language. .Net is a framework, written probably in C or C++, that a few languages are built on, such as VB.Net, C#, and IronPython. .Net uses a construct called the clr which stands for common language runtime – you saw references in the scripts earlier. C#, VB.Net, and IronPython all compile down to the clr. Make sense? All this is to say, IronPython can read dlls compiled in any of the previously mentioned clr languages.

 

JasonIconJason:

Whoa, does Python completely open UBot up to being able to use all those languages, in a manner of speaking? In the sense that you can write modules in C# or VB, and then import them using 1 or 2 lines of Python?

 

Seth:

I hadn’t thought of that, but yes.

Some of you may want to know if  IronPython or C# is faster. That question did come up while we were working on this, because we’re always wondering how we can make UBot faster and more agile while remaining easy to use. There’s a great discussion of this on stackoverflow:

http://stackoverflow.com/questions/3081661/speed-of-code-execution-IronPython-vs-c

In programming, there’s always a tradeoff. Assembly is the fastest language, by far, but it takes forever to write, and is awful. C++ is still fast, but slightly easier to write, C# is less fast and very easy to write, IronPython is less fast and extremely easy to write. Uscript is easier and slower than all of the previously mentioned languages. The tradeoff is speed of processing vs speed of implementation. The reason that UBot is so valuable is that you can write a UBot bot in 2 hours that does the same thing as a C# bot that took 2 weeks to write, because of all the built-in features of UBot. The C# bot is faster, but if you’re two weeks ahead of your competition, you clearly have the edge. Now I’m getting all theoretical, but the point is we now have all these options.

 

JasonIconJason:

Like any serious programmer should really now be able to build incredible bots for UBot far outside of the uscript framework? And any non-serious programmer can move in that direction if they want?

 

Seth:

Absolutely.

If you want to dive deeper into the wonderful world of Python, here are some great learning resources.

Have fun with it! I think I speak for the whole team when I say that I’m eager to see what you guys come up with now with the limitless possibilities that Python provides.

 

Clean the Clutter with Include

Speed of implementation is everything in this business. UBot Studio simplifies the process of web automation, reducing your build time from 2 weeks to 2 hours. But what happens when your bots start to get larger and larger? If you’re not careful, you’ll start getting consumed in your bot’s complexity, as each little task taking longer and longer to complete.

That’s why we’ve introduced the “include” function into UBot Studio 5.5.

Include lets your current script reference previously written scripts without rewriting that code again, which means you can create whole scripts that do a lot in just a few lines, keeping your bots small and complexity under control.

The UBot team recently explained the Include feature in a popular chat room to discuss this feature with the community. This Q&A session has been edited and reproduced below along with a demo video and a script. For more information on using Include, make sure to check out the wiki and the forum.

 

Community Chat: How to use the include command

 

Seth Turin:

I thought I’d take a minute to explain how the include command works, both to my team and to the community

 

JasonIconJason Kelley:

When did this feature come out?

 

Seth:

5.5.6 – It was actually in UBot 3.5, but got cut from UBot 4. It’s now back and ready for action.

 

JasonIconJason:

Awesome. My impression from previous conversations about include is that it’s a way to organize code and make it more reusable, which helps because people have some really long code in some of their bots. Am I close?

 

Seth:

Yes, you are. I’m going to explain it through the art of extended analogy. Imagine that you’re the CEO of a new car manufacturing startup. We’ll call it… mistubotsi. At first, the entire company is run by you and your trusty robot friend, Hal. You have to teach Hal how to do everything in the company, from manufacturing the cars, to sales and marketing, to customer service, etc. At first, this is fine, because there are only a few orders at a time, and Hal’s job is pretty simple, but soon, business picks up, and Hal finds himself doing more and more different kinds of jobs. Soon, Hal’s bot brain is overloaded and frazzled.

Hal gets angry. One day he locks you in a crash test car. You’re all like “Open the car door Hal!” and he’s like “I’m afraid I can’t do that, Dave”. The moral of the story is, you want to keep your bots happy by keeping them small, focused, and organized. Include is a means of doing this.

 
JasonIconJason:

So I have a bunch of bots that use a kind of complex series of change proxy commands. In that instance I’d build that as a separate bot basically and use the include?

 

Seth:

You’re pressing on another benefit of include, which I’ll return to a little later. But the short answer is yes.

So to keep your bots happy, keep them small and focus on a single job (or a single website). Happy bots have the benefit of being easy to maintain, less error prone, more stable, easy to change, and easy to understand.

 

Seth:

Unhappy bots are bots that are big and bloated, unorganized, and try to do too many things… they suffer from breaking often, being hard to debug, being hard to maintain, and possibly… becoming homicidal. When a bot starts to become too large, break it into separate, focused bots, and include those into one central, manager bot. By doing this, you greatly increase your capacity to make large, complex bot systems, that will be far more productive than one bloated unhappy bot.

 

Manny  Hernandez:

It is simple. Build your bot in modules. Like if it has account creation and posting. One bot for account creation, another for posting… Managed both in a central bot for the Ul.

 

Seth:

Exactly! Granted, if all those are small enough, you can just separate them into scripts. If account creation became a big operation, it makes sense to put it in a separate bot.

 

JasonIconJason Kelley:

So the idea is like, if you want to build a big bot, you can do that – just use include to break it into a bunch of separate pieces that you know all work. Then if you see a bug you know where it is and you can fix it (like normal programmers do i’d imagine).

 

Dave: UBotIcon

But you are only including the defines from the bot right not the whole bot???

 

Seth:

Yes. Dave, the bot is technically minimally loaded in full, with all its plugins and its own included bots, but you can only access it through defined commands and functions.

 

UBotIconDave:

Is there a limit to how many you can include??? In the real world, I mean.

 

Seth:

It’s only limited by your machine’s hardware. In computer science, this idea is called “encapsulation”. It keeps the different sections of a bot clean and clutter free.

 

Manny:

How is it used? You call the include and automatically the defines are available?

 

Screen Shot 2014-12-08 at 1.10.28 PMMacster

Then include does pretty much the same as what the local bot bank does … but it actually loads the defines when requested from the UBot file!?… Isn’t the whole process the same in both features?

 

Seth:

Macster, to answer your question, the private bot bank is a little more limited than included bots.

In order of customizability, it goes 1) plugins, 2) included bots, 3) private bot bank, 4) custom commands

Jason, I want to address your point earlier… you said you had a complex proxy switch process that you use in a bunch of bots. You probably copy pasta from one into the next. The problem with copy pasta is that if, for instance, the server where you get your proxies from changes, you now have to go update every single bot separately

 

JasonIconJason:

Yes, or if I decide to change how it works in one bot and not in a bunch of others

 

Seth:

Instead, you could make a separate bot that just focuses on proxy switching, and include it into all the bots like you mentioned. If the server changes, you just change the one bot and the change is applied to all the bots that include it

 

Manny:

In a compiled bot that uses the include, do we need to have the .ubot in the file folder for commercial bots? Or it works like the plugins do?

 

Seth:

At the moment, you need to have it in the same folder, or specify that path to it


UBotIcon
bgproinvest2:

How do we pass inputs (variables, parameters) to the included bots? How do we pass user input data to the included bot from the main UI?

 

Seth:

As a parameter, so the define in the included bot will take a parameter. Then in the master bot you just send in the variable as the parameter.

 

Manny:

How is it used? You call the include and automatically the defines are available?


Seth:

Once in the toolbox, you can use defined commands like any other command. Included bots can use plugins, and they can include their own bots, so you can potentially create highly expressive, large scale bots, while keeping everything small and manageable!

 

JayIconjay_ar233:

Looks good, does include reduce ram memory consumption?

 

Seth:

Jay, it will considerably reduce resources at dev time. UBot Studio does a lot of stuff to make coding visual and simple, and that also means that huge scripts will get laggy. By using include, you reduce the amount of code UBot Studio is processing at any given time

It does, however, slightly raise the resource usage in the compiled bots. This increase is not significant, and the tradeoff is well worth it.

 

TomPotsIconTompots:

The include command will definitely be worth its weight in gold, if I understand you correctly. For instance I use a very special bot recipe for all my bots, and it works on almost any site I make bots for. At current, I’m using the same recipe for all my bots functions, and just making new tabs for the sets of define commands for each of those functions. So with the include command I will be able to take the code out of those tabs and make them into their own .ubot file and call them from one central bot instead of having a bot with 20 tabs, I can have one bot with one tab for the UI and 20 .ubot files being called when the user select to run a certain function of the bot. Correct?

 

Seth:

Yes, you are exactly correct

 

TomPotsIconTompots:

That is going to make Ubot very very powerful. With limitless possibilities now.

 

A quick example of how to use include [code attached].

 

Seth:

So what we’re doing is making a bot that will search the big 3 search engines. This particular bot is small enough that it could all be done with one bot, but in this case we’re going use it to demonstrate how include works. So we’re going to separate the search functions into separate bots, and then consume all 3 bots in our manager bot.

Making one of those bots looks something like this:

Unable to display content. Adobe Flash is required.

 Once we have all three, we put them together like this:


Unable to display content. Adobe Flash is required.

Includes should always be the first thing in a script. You can see that by putting include into your script, it creates a new category under commands or parameters (in this case parameters) with all the defines from the other bot.

Bot 1: Google Scraper

define $search google(#search term) {
    navigate("http://google.com","Wait")
    type text(<name="q">,#search term,"Standard")
    click(<name="btnK">,"Left Click","No")
    wait(3)
    add list to list(%results,$scrape attribute(<tagname="a">,"href"),"Delete","Global")
    return(%results)
}

 

Bot 2: Bing Scraper:

define $bingbot(#bingbot) {
    navigate("http://www.bing.com","Wait")
    wait(3)
    type text(<name="q">,#bingbot,"Standard")
    click(<name="go">,"Left Click","No")
    add list to list(%bingresults,$scrape attribute(<tagname="a">,"fullhref"),"Delete","G    lobal")
    return(%bingresults)
}

 

Bot 3: Yahoo Scraper:

define $search yahoo(#search term) {
    navigate("www.yahoo.com","Wait")
    type text(<id="p_13838465-p">,#search term,"Standard")
    click(<id="search-submit">,"Left Click","No")
    add list to list(%results,$scrape attribute(<id=w"link-*">,"href"),"Delete","Global")
    return(%results)
}

 

Bot 4: Include in Action – substitute your directory for  [LocationOfScripts] 

set(#search term,"hal the happy bot","Global")
include("C:\Users\[LocationOfScripts]\bingbot.ubot")
include("C:\Users\[LocationOfScripts]\google scraper.ubot")
include("C:\Users\[LocationOfScripts]\search yahoo.ubot")
load html("<pre>{$run function("google scraper","$search google")}
{$run function("bingbot","$bingbot")}
{$run function("search yahoo","$search yahoo")}</pre>")

 

For more basic details of how to use include, see the wiki, and thanks to all who attended our chat!

 

Happy Birthday, Happy Version!

It’s hard to believe that it’s been a full 5 years since UBot Studio first revolutionized internet marketing. From humble beginnings, UBot has grown to into a foundational part of any serious internet marketer’s toolkit.

It’s hard to imagine a more fitting occasion for the release of UBot Studio 5.5! As previously mentioned, UBot Studio 5.5 is not only the most feature-rich, most stable version of UBot Studio to date, it also opened some important new doors. This version has IronPython built right into it’s core, which gives it the ability to play nicely with any other software technology out there. Using this feature (available in the developer edition) allows users to import dlls, write complex algorithms, and work with the full expressiveness of an object oriented programming language.

If any of that sound overly technical for your tastes, don’t worry, we’ve still got you covered. You see, another important feature of the python functionality is that it allows us to add extremely powerful tools into the Bot Bank. In fact, we’ve completely repurposed the Bot Bank. If you take a look inside the Bot Bank in UBot Studio 5.5, you’ll notice that the websites are sectioned off to one category, and there is now another category called the Extended UBot Library.

The UBot Extended Library is a collection of high level, highly advanced commands for use in your bots. It’s for commands that are too specialized to put in the main toolbox, but that are great to have access to when you need them. At the moment, there are just a few commands in the Extended Library, but we will be adding more commands each month.

As mentioned in a previous blog post, the debugger has also been built from the ground up, with new table layouts and search functionality. There are also a ton of little improvements here and there, like the new “reject captcha” command.

Have you downloaded it yet? If you need to renew your subscription, then

Click Here to Renew Your Subscription

Otherwise, if you are already subscribed, you can either simply run UBot Studio 5 and let the automatic updater work, or log into your customer panel and download the latest version.

Important: UBot Studio 5.5 requires your computer to have .net 4.5 installed. Here is an article on how to find which .net versions you have installed, and if you need to download it, you can do so here.