Wednesday, August 17, 2011

C++ Practice

After searching for a while, I found that this is the best place for information on converting an int to a string in C.

Thursday, August 11, 2011

Practice Problems

I am always looking for fun and interesting problems to practice my programming and/or math.  The problem is they are hard to find on the internet in my opinion.  Here is a list that will continue to grow as I find more. 

1.  Project Euler - I love this page!  The problems scale, so as you learn about and solve the problems, they tend to get harder as you go.  A great way to practice any programming language and learn a little math in the process. 

2.  Coding Bat - Actually written for Java or Python.  Geared towards beginners, if you are interested in learning either of those languages. 

3.  Six Revisions - Their own comprehensive list of links to problems.

4.  TopCoder - These problems are more geared towards intermediate and advanced level programmers.  A very active community and tons of practice problems here for C++, C#, Python, and Java mostly. 

5.  Ruby Quiz - Another large list of problems, but without much activity in their community.  Still a great resource for problems to be solved. 

Ruby Tutorials

Over the last few weeks I have found quite a few places that have been helpful in learning about Ruby, I wanted to make a comprehensive list here for any that come after.  Digging through Google can be tedious sometimes. 

Ruby Essentials

Mr. Neighborly's Humble Little Ruby book

Tutorials Point

Watir Tutorial: Logging into EnterpriseOne

Here is a great little example to do so that we can log into EnterpriseOne and thereafter get our testing groove on.  Here's the code, and thereafter I will explain what is going on. 

  1. require 'rubygems'
  2. require 'watir'
  3. b = Watir::Browser.new
  4. b.goto("http://my.e1env.org")
  5. b.text_field(:name => "User").set "myUserID"
  6. b.text_field(:name => "Password").set "myPassword"
  7. b.button(:type => "submit").click
  8. b.wait_until {b.form(:action => "/jde/E1Menu_FastPath.mafService?e1.state=maximized&e1.mode=view&e1.namespace=&e1.service=E1Menu_FastPath&RENDER_MAFLET=E1Menu").exist?}

Lines 1 through 3 are described elsewhere


4.  Tell the browser object to go to your EnterpriseOne login page. 

5.  Set the 'UserID' field to your user name.

6.  Set the 'Password' field to your password.

7.  Click the submit button.

8.  This will wait until the Fastpath button is visible to Watir, it is great for ensuring that enough has loaded for your script to continue and execute the next operation successfully. 


Ruby Tutorial: IDEs

Personally I am a fan of NetBeans.  It was the easiest to get working with Ruby and Watir for myself.  It will run on Eclipse, and even Visual Studio, among other programs I am sure.  The most basic way to write scripts is to do so in the console, but that is tedious. 

As for NetBeans, the newest version 7.0.something will not work with Ruby, so be warned!  You have to go download version 6.9.1.  From there go to the Tools menu bar and then to plug-ins, from there you can find Ruby and install it.  Any extra gems that you are interested in using, you will have to install either manually or through the console using the "gem install xxx" and then 'require' it from within your script. 

As for Visual Studio, there is a flavor of the language called 'IronRuby' that is being developed to play nicely with C# and thereby Visual Studio.  I tinkered with it a little bit trying to see if I could get decent database connectivity but was unable to.  I'm not an expert, so I wouldn't call it an impossibility but IronRuby is certainly something to look at if you are interested in that sort of thing. 

Project Euler #4 in Ruby

Project Euler #4

A palindromic number reads the same both ways. The largest palindrome made from the product of two 2-digit numbers is 9009 = 91 × 99.  Find the largest palindrome made from the product of two 3-digit numbers.

Another great example here! 


  1. success = 0
  2. for i in (100..999)
  3.   for j in (100..999)
  4.     k = i * j
  5.     if (k.to_s == k.to_s.reverse && k > success)
  6.       success = k
  7.     end
  8.   end
  9. end
  10. puts success

What happens here is very straightforward, because he is asking for two, three-digit numbers multiplied together, it immediately tells us the constraints of our two for loops, and thereby the maximum possible value we could have:  999x999 or 998001.  What we need to do then is just compare the value we get from multiplying them together, and then the reverse of that, thereby checking to see if it is palindromic.  It's super easy in Ruby as well, you just have to convert both to strings using the '.to_s' operator and then the '.reverse' on one of them.  In line 5 the first conditional 'k.to_s == k.to_s.reverse' checks to see if it is palindromic and the second if it is greater than the last palindrome that we found, because there will be many.  If it is, the line 6 states that we save it. 

This code runs in just over a second for me, satisfying the 1 minute guideline set forth by the project Euler team. 

Project Euler #3 in Ruby

Project Euler #3

The prime factors of 13195 are 5, 7, 13 and 29.  What is the largest prime factor of the number 600851475143?

 Here is my solution in Ruby:


  1. def lPrimeFactor(n)
  2.   i = 2
  3.   largest = 0
  4.   while (i <= n)
  5.     if (n % i == 0)
  6.       while (n % i == 0 )
  7.         n = n / i
  8.         largest = i
  9.         i += 1
  10.       end
  11.     end
  12.     i += 1
  13.   end
  14.   return largest
  15. end
  16. puts lPrimeFactor(600851475143)

This is a great example for defining methods (or functions if you are a 'C' guy or gal).  You will notice in line 1 the 'def lPrimeFactor(n)'.  'def' is the keyword for 'define', as in 'define function'.  Whenever you define a function you also have to end that definition, as you will notice in line 15.  The declaration of our function here to find the largest prime factor is written in camel-case, while the standard is to write it in all lower-case.  You may write it however you like, if you use NetBeans though it might get grumpy at you. 

In explanation of the code I have written here, all it does is check to see if 'i' is a factor of n, if so it will divide it and then continue to do so until it is not (like in the case of 8, it would divide by 2, three times), and then continues on to the next number working its way up until i is smaller than n, keeping track of the factors and returning the last one it divides successfully. Pretty straightforward. 

Project Euler #2 in Ruby

Project Euler #2

Each new term in the Fibonacci sequence is generated by adding the previous two terms. By starting with 1 and 2, the first 10 terms will be:
1, 2, 3, 5, 8, 13, 21, 34, 55, 89, ...
By considering the terms in the Fibonacci sequence whose values do not exceed four million, find the sum of the even-valued terms.

Here is my solution:

  1. one = 1
  2. two = 1
  3. sum = 0
  4. while (two <= 4_000_000)
  5.   temp = one
  6.   one = two
  7.   two = one + temp
  8.   if (two % 2 == 0)
  9.     sum += two
  10.   end
  11. end
  12. puts sum

You will notice the '_' symbol where the commas would be (or periods if you don't live in the States), for reference in keeping track of how many zeroes we have if we were writing '4,000,000' out by hand.  Coding up '4_000_000', is basically the same, the compiler will ignore the underscores.  It is just so we can keep track of how many zeroes there are. 

I wanted to illustrate something handy in this tutorial, called 'parallel assignment'.  Nothing earth shattering, but it could cut down on the number of times you have to press the enter and equals key.

Ruby allows you to assign variables to values, lined up one after the other, on a single line of code.  If you will notice we combined lines 1 through 3 above into a single line (1) below.  The same is true for lines 5 and 6 above into a single line 3 below.  Line 4 below is still on its own line as Ruby won't let you do arithmetic while doing parallel assignment. 

  1. one, two, sum = 1, 1, 0
  2. while (two <= 4_000_000)
  3.   temp, one = one, two
  4.   two = one + temp
  5.   if (two % 2 == 0)
  6.     sum += two
  7.   end
  8. end
  9. puts sum

This isn't the most clever way of solving this problem, but certainly the easiest to understand.  We simply do what the question asks for:  Add up each even term of the Fibonacci sequence below 4,000,000. 

Wednesday, August 10, 2011

Project Euler #1 in Ruby

Project Euler #1


If we list all the natural numbers below 10 that are multiples of 3 or 5, we get 3, 5, 6 and 9. The sum of these multiples is 23.

Find the sum of all the multiples of 3 or 5 below 1000.

The problem is fairly straightforward, and is the most correctly answered problem in the whole set.  I will be explaining a little bit of Ruby in this solution I give.

  1. x = 0
  2. sum = 0
  3. while (x < 1000)
  4.   if (x % 3 == 0 && x % 5 == 0)
  5.     sum += x
  6.   elsif (x % 3 == 0)
  7.     sum += x
  8.   elsif (x % 5 == 0)
  9.     sum += x
  10.   end
  11.   x += 1
  12. end
  13. puts sum

1.  This is the declaration of a variable in Ruby, and you will notice you do not have to declare its type.  It is inferred from what the variable is set equal to when it is declared.  Handy!  This is what is meant by being a "dynamically typed language", other programming languages like C require you to declare the variable's type at declaration and forever afterward it is of that type.  This is referred to as a "statically typed language". 

2.  See line 1.

3.  While loops in Ruby are very similar to those seen in Java or C++, the difference being we don't use brackets, instead we get a great deal of use out of 'end' statements.  You will notice that everything within the while loop is tabbed out once (at least).  If you use NetBeans, or Notepad++, or some such fancy editor, it will automatically do this and help you see where your blocks of code are located.

What you need to know for 'while' loops, is that you need the keyword 'while' then a conditional, and to close the 'while' block, you must include the 'end' keyword, just like I did on line 12. 

For more information on while loops in Ruby, you may use Tutorials Point, or the slightly more concise Techotopia wiki.

4.  This is our first look at 'if' statements.  Again, very similar to C++, even in the modifiers '&&' or '||' which are 'AND' and 'OR' respectively, in how they modify logical statements. 

In our case, line 4 says "if x modulus 3 is equal to 0 and if x modulus 5 is equal to 0 then...", and that is all there is to it!  For those new to the game, modulus is just looking for the remainder after we divide.

For example:  6 % 5 = 1, because 6/5 = 1 R 1, where 'R' stands for 'remainder', and % stands for 'modulus' or 'mod' for short.

If you would like to learn more about the modulus, or the area of modular arithmetic in mathematics, you can look here, for a quick primer on the subject.

5.  Line 5 is just what it looks like for anyone that has used C or Java, the "+=" operator takes the left hand side and simply adds to it the right hand side.  For example:

  1. x = 0   #=> 0
  2. x += 3  #=> 3
  3. x += 39 #=> 42

6.  An 'elsif' statement is just an "else" and "if" statement crammed together, and takes a conditional just like the 'if' statement in line 4.

10.  We will skip to line 10, as lines 7 through 9 are explained previously.  All there is to explain here is that when using 'if', you must also close the block with the 'end' keyword.  This is not true for an 'else' or 'elsif' as these are part of a larger 'if' block or statement.

13.  This is the last line in our code, and important if we want to know what the answer is!  "puts" stands for "put string", and all you have to do to use it is put a string after it.  Our sum happens to be of the 'Integer' class, but it has been written in such a way to know what to do when we use it in the 'puts' statement.  More on this later!



As for what we are trying to accomplish in this project Euler problem, we want to sum up all of the multiples of 3 and 5 below 1000.  Pretty straightforward.  There are a few places where one can trip up though:

1.  If you incorrectly sum up multiples of both 3 and 5.  For example, 15 is a multiple of both 3 and 5, and if you write your code incorrectly you will get a sum that is too large, because you have added twice every multiple of both 3 and 15.

2.  Another place is not noticing that the question states below 1000, not up to and including 1000.  So just be wary of that. 

If anyone has some other pitfalls to be wary of, please email me and I will be sure to include them here, for those that follow after!  Good luck all, and happy coding!

Tuesday, August 9, 2011

Ruby Tutorial: SQL Query to Console i.e. TinyTDS in Action

So a previous post talked about using TInyTDS as a means to connect to your database.  Now we actually want to make a query and use it.  The first thing I did when I got it working, was figure out how I could emulate SQL Server Management Studio and make a query and display it.  So here is my code: 

  1. sql = "SELECT * FROM Whatever"
  2. client = TinyTds::Client.new(:username => "myUsername", :password => "myPassword", :dataserver => "myServer", :database => "myDatabase")
  3. result = client.execute(sql)
  4. results = result.each(:symbolize_keys => true, :as => :array, :cache_rows => true, :empty_sets => true) do |rowset| end
  5. #THIS IS TO OUTPUT IT TO THE CONSOLE
  6. for i in (0..result.fields.length)
  7.   printf("%14s", result.fields[i])
  8. end
  9. for j in (0...result.affected_rows)
  10.   puts ""
  11.   for i in (0...result.fields.length)
  12.     printf("%14s",results[j].at(i))
  13.   end
  14. end

1.  This is your SQL Statement, pretty self-explanatory.  If you need help with SQL, a great place to start is here
2.  This is where the magic happens, logging into and connecting to the database.  This was the simplest gem I could find to connect to the database, we use SQL Server (fyi). 
3.  Also very readable, if you need help with what 'execute' does, you can read about TinyTDS's syntax here.  Basically it runs the sql query. 
4. 
6-8.  This will print out the column headers from the table you just created. 
9-14.  This will print out each row, one by one. 


This post is in the process of being written

Watir Tutorial: Error Recovery

So your script is happily humming along, testing myriad little tests, and then despite all your best efforts, it hangs!  Tragedy!  Sometimes despite our best efforts, it will still crash.  But it doesn't have to be like that.  No sir.

Ruby comes with error handling and with just a few lines of code, you can get your script to recover itself when it hangs, as it sometimes will.

If you need a primer on exceptions and error handling, I recommend Alan Skorkin's post about it.  As he covers a great deal of what you need to know, we will just be talking about the Watir code you will use.

And here it is:

  1. while !(b.frame(:id => "e1menuAppIframe").text.include? "Welcome!")
  2.   autoit.Send("^!l")
  3. end
  4. retry

What this will do, is hit cancel until you are back at the welcome screen.  So by placing this in the 'rescue' portion of your error handling and the begin statement after where you would initially be seeing the welcome screen in the first place, it will work like a dream.

I understand this won't work for all cases, but for some it will, and for those that it will, it makes the testing go that much smoother!  Enjoy~

Watir Tutorial: Too fast for ya?

One of the first issues I encountered was my script running too fast for the browser's loading time.  Watir will click a button or tab out of a field, or any number of things that requires a little of time to load and would metaphorically trip on it's own feet.  OATS (Oracle Application Testing Suite), which is run in Java fixes this by waiting until the page is loaded and then 'sleeping' for a second or two and then continuing on.  It will actually time how long the user is paused when you are writing your scripts there.  Watir has a similar functionality in that you can code in:  "sleep 2", and it will pause for 2 seconds, wherever your heart desires.  This is nice as a second line of defense but definitely not as a first, in my opinion.  There are a number of things that can go wrong in a testing script that has 1000 cases, even if 99% of the time it will load within 2 seconds, you will inevitably have some outliers that may make your script choke because the server hung for too long, or whatever may happen.

Watir developers added a nice little method called "wait_until", and it does just that!  It will wait until a given condition is met, checking every half second for a maximum of sixty seconds.  The best way to use this is in conjunction with a method to look for something that will come up in the next screen, or better yet, the actual field that you will be using in the next screen.  There are a couple of places I have used these, which I will illustrate:

1.  Wait until text field exists

Going back to the Watir example, we can make a somewhat redundant improvement to the code that they have there. 

  1. require 'rubygems'
  2. require 'watir'
  3. browser = Watir::Browser.new
  4. browser.goto("http://bit.ly/watir-example")
  5. browser.wait_until {browser.text_field(:name => "entry.0.single").exist?}
  6. browser.text_field(:name => "entry.0.single").set "Watir"

Again:  Probably not necessary in this situation, but it illustrates a point that the difference that we see on one run between a script that includes line 5, and one that excludes it is nil.  But running and rerunning it, or in a different script it will mean the difference between a crash and the computer waiting half a second longer for the page to finish loading. 

2.  Wait until text is included

If your next screen has no fields, or even if it does, this is a good option. 

  1. b.wait_until {b.text.include? "Real Time Account Statement"}

I use this single line of code to tell Watir to wait for a screen within one of our programs.  Is it always necessary?  No.  Sometimes it can completely autopilot, but inevitably it will choke and the script will have to be restarted, this method is very nearly fool-proof.  (I say this because I have still seen it crash, albeit with much less frequency).

The example code is pretty self-explanatory, in that the first part is always the same, what is within the brackets is your conditional of either the '.include?' or '.exist?' flavors as you need.  Don't forget that within the brackets and in your include or exist statement you may have to tell it that the thing it is looking for is within a frame somewhere.  Like in our case with EnterpriseOne, you may need to specify where the specific object is so that Watir can find it. For example: 

  1. b.frame(:id => "e1menuAppIframe").text.include? "Welcome!"

I use this include statement to look for the "Welcome!" message after logging into EnterpriseOne. 

Watir Tutorial: Getting a value from a text field


I ran into this problem today, doing a comparison and thought I should write about it.  I will be using the Watir example to illustrate. 

The short and simple answer is that if you have this defined as your browser, and you set the given text field to a specific value:

  1. require 'rubygems'
  2. require 'watir'
  3. browser = Watir::Browser.new
  4. browser.goto("http://bit.ly/watir-example")
  5. browser.text_field(:name => "entry.0.single").set "Watir"
  6. happy = browser.text_field(:name => "entry.0.single").value
  7. puts happy

Then happy will return the value in that text field:  Watir.

The value that is passed back will be a string, and the same is true even if the value is numerical in nature:  

  1. browser.text_field(:name => "entry.0.single").set "42"
  2. happy = browser.text_field(:name => "entry.0.single").value
  3. happy.is_a?(String)

This will return true if you output it to console. 

Monday, August 8, 2011

Watir and JD Edwards

I started off looking around at testing solutions several weeks ago and stumbled upon a wikipedia article about testing platforms, and the only one listed was a little trinket named "Watir" which stands for "Web Application Testing In Ruby", pronounced "water".

I decided to check it out, and quickly found that it was quite easy to install, implement, and use for a number of different tasks on our system. It is fairly well documented for the most straight-forward of cases, but gets a little hairy when your web applications get much more complicated than straight HTML. There were several problems that I found when using Watir, which I wanted to discuss for the benefit of those that will come after as it took me some digging to solve these issues. I will be blogging about these discoveries from here on out.

Watir Tutorial: AutoIt


This will be a short post:  As this is just a quick primer into what you can do in JD Edwards with AutoIt and Watir.  I will assume you have read this post, so that everything is put together on your computer as it should be.

To be concise, for your reference you will need this page, to reference the different commands and code to get AutoIt to work as you want it to. 

If you want to hit the 'OK' button in the form exit, we use the keyboard shortcut to do so:  'CTRL+ALT+O'

The way you would do this in your script, would be to have the following lines of code:

  1. require 'win32ole'
  2. autoit = WIN32OLE.new('AutoItX3.Control')
  3. autoit.Send("^!o")


The first line is for loading the gem so that you can access AutoIt (I don't know exactly what it does, but I think it is for accessing other programs outside of Ruby, because AutoIt can be used seperately).  A new object called autoit is created, with the specified class.  The third line is where we actually tell the keyboard to click "ctrl+alt+o".

Remember to use this cheatsheet for your reference in using AutoIt!

Watir Tutorial: Installation

This is actually the second tutorial that I have written for this, and I found that there were several things that I should have covered before trying to tackle text fields within a program, that if you are new at this, would be way beyond what you can do already anyways.  So let's start with something slightly easier, installation!

Really, this should be fairly easy to do, as Watir is well documented enough for installation as far as I can tell, but in case it isn't, I will go step by step through it here, for the benefit of those that come after (in memory of the pioneers). So let's start with Ruby installation then, in case you are completely new to this. 

A bit of history:  Ruby was developed in the mid 90's by Yukihiro Matsumoto, who goes by "Matz", and who also happens to be a member of the LDS Church.  Way to go!

In order to install Ruby on Windows, which if you are working with JD Edwards, I'm assuming you are using, go here.  This is the easiest way to do it, most people refer to it as the "one click installation" or something of the sort, making it pretty easy.

What this will do is put into your start menu a shortcut called "Start command prompt with ruby", pretty neat, huh? 

Now we need to update Ruby, and get the necessary "gems" (a fancy name for libraries, or pre-compiled and packaged bits of programs for our use), so that Watir will work correctly.

Go ahead and click on "Start command prompt with ruby", and follow the installation instructions here



Since we are concerned with using this for JD Edwards testing, we have a little bit more to do so that we can do everything that an end-user could and would do.  One of the problems I have encountered involved the menu-exits on the EnterpriseOne screen, and because of this we have to use a little work around for now, if I solve it later I will be sure to post about that, but for now we need to do a little bit more. 

Go ahead and click here to download a program called "AutoIt".  What this is used for is to emulate key strokes on the keyboard.  When using it, you have to put "require 'win32ole'" at the beginning of your script to load the correct library.  I will be going into it's use more later, in a different tutorial. 



The last thing we have to get, is a little program called TinyTDS.  Finding this little gem(literally and figuratively), took forever.  I want you, the reader, to appreciate just how much trouble this took me to find.  (Because obviously the finder has the harder task than the writer of the actual program).  We run our JDE databases off of SQL Server.  I've read just about every article and forum post out there about connecting ruby to the database and getting it to make some queries for testing.  Obviously I hadn't because I didn't find this program until I got a tip off about the creator of the SQL Server gem itself (@metaskills) whose website is here.  I found there the program that sounded like it would work, and lo and behold it did!

Now, I understand that not everyone out there, having trouble with their database playing nicely with Ruby will find a solution in this.  But maybe someone out there will.  Just remember to ask someone that knows better than you do, after you have done all you can.

TinyTDS has a great source of documentation, that takes a little decyphering but works like a charm, I will be detailing my findings here as well, but here is where to start. 

Remember to "require 'tiny_tds'" after you have executed "gem install tiny_tds" from the command prompt with ruby. 

Watir Tutorial: Text fields in JD Edwards Enterprise One

Because JD Edwards' Enterprise One system is a web application, it can be easily tested using Watir.  The only issue I found in the most straightforward of testing is when you encounter Javascript in places like grids.  Text fields and most buttons work as expected, although you do have to drill into the HTML a step or two.  Let me give you an example.  (I will assume that EnterpriseOne, and Watir are both installed and functioning properly, as these are beyond the scope of what I intend to do here.  I will also be using Internet Explorer for this, with the Developer toolbar installed, as per the recommendation by the Watir community to locate the correct HTML tags for testing).





Let's start with a nice basic window:  The Word search window, and in our system the Fastpath would be 'P01BDWRD'.  At first glance we have a text field, a check box and a grid.  This shouldn't require any testing really since it is maintained by Oracle as I understand it, but it's an example for how to write scripts, nothing more.

Let's open the Developer Toolbar and click on the 'Search word' text field to find where it is located in the HTML.  A blue box should appear, as shown below (where the red arrow is pointing).  At the bottom, note the id field, and the name field.  Both are similar and in my tests I have used both (probably redundantly), but you may only need to use one, I'll do some testing and update later.  (Ignore the 'LEWIS*' there for now, I was just testing it.)




The other information you need is a little ways back up on the left hand window, the 'tree view', what you are looking for is indicated below, the id "e1menuAppIframe", and this will also be used later in your testing. 


The way that we tell Watir through Ruby to fill in this field is through these parameters we have just discovered using the Developer Toolbar.  Let me show you what we would code up to illustrate: 

  1. require 'rubygems'
  2. require 'watir'
  3. b = Watir::Browser.new
  4. b.goto("http://my.e1site.org")
  5. b.text_field(:name => "User").set("myUserName")
  6. b.text_field(:name => "Password").set("myPassword")
  7. b.button(:type => "submit").click
  8. b.text_field(:id =>"TE_FAST_PATH_BOX").set "P01BDWRD"
  9. b.form(:action => "/jde/E1Menu_FastPath.mafService?e1.state=maximized&e1.mode=view&e1.namespace=&e1.service=E1Menu_FastPath&RENDER_MAFLET=E1Menu").submit
  10. b.frame(:id => "e1menuAppIframe").text_field(:id => "C0_18").set("LEWIS*")

The line that we are concerned with right now is line 15 which sets our text field to the value that we want.

"b.frame(:id => "e1menuAppIframe")" is what we have to drill into to get within the correct frame.  Simply coding up the last part of line 15 I have found is not enough for Watir to find the text field in question.  Just take it as a rule of thumb, that when you are working in a program within JD Edwards, that you need to tell it that you are using that frame, and then from there tell it the text field or the button or check box or whatever.

The other piece of information we got earlier is what we use to tell it which text field.

".text_field(:id => "C0_18")" is what I had to use next, to tell it that we wanted to talk with the "Search Word" field.

Finally, ".set("LEWIS*")" is used to set the text field to the value in question.

Don't forget, that we could have used ".set("#{variabledata}")" and a for loop to cycle through an array called variabledata to get through a while set of data that we want to test.  If you are following along, and haven't successfully made a call to your database to get that data, then we will cover that later.

I hope that this has been helpful!