Data extraction for Web 2.0: Screen scraping in Ruby/Rails

Update: A lot of things happened since the publication of this article. First of all, I have updated this article with HPricot and scRUBYt! examples – then I wrote the second part, I hacked up a Ruby web-scraping toolkit, scRUBYt! which also has a community web page – check it out, it’s hot right now!

Introduction

Despite of the ongoing Web 2.0 buzz, the absolute majority of the Web pages
are still very Web 1.0: They heavily mix presentation with content.
[1]
This makes hard or impossible for a computer to tell
off the wheat from the chaff: to sift out meaningful data from the rest of the elements
used for formatting, spacing, decoration or site navigation.

To remedy this problem, some sites provide access to their content
through APIs (typically via web services), but in practice nowadays this is
limited to a few (big) sites, and some of them are not even free or public.
In an ideal Web 2.0 world, where data sharing and site interoperability is one of
the basic principles, this should change soon(?) – but what should
one do if he needs the data NOW and not in the likely-to-happen-future?

Manic Miner

The solution is called screen/Web scraping or Web extraction – mining Web data
by observing the page structure and wrapping out the relevant records. In some
cases the task is even more complex than that: The data can be scattered over
more pages, triggering of a GET/POST request may be needed to get the input page
for the extraction or authorization may be required to navigate to the page of
interest. Ruby has solutions for these issues, too – we will take a look at them
as well.

The extracted data can be used in any way you like – to create mashups
(e.g. chicagocrime.org by Django author
Adrian Holovaty), to remix and present the relevant data
(e.g. rubystuff.com com by
ruby-doc.org
maintainer James Britt), to automatize
processes (for example if you have more bank accounts, to get the sum of the
money you have all together, without using your browser), monitor/compare
prices/items, meta-search, create a semantic web page out of a regular one –
just to name a few. The number of the possibilities is limited by your
imagination only.

Tools of the trade

In this section we will check out the two main possibilities (string and tree based
wrappers) and take a look at HTree, REXML, RubyfulSoup and WWW::Mechanize based
solutions.

String wrappers

The easiest (but in most of the cases inadequate) possibility is to view the
HTML document as a string. In this case you can use regular expressions to
mine the relevant data. For example if you would like to extract names
of goods and their price from a Web shop, and you know that they are
both in the same HTML element, like:

<td>Samsung SyncMasta 21''LCD		$750.00</td>

you can extract this record from Ruby with this code snippet:

scan(page, /<td>(.*)\s+(\$\d+\.\d{2})<\/td>/)

Let’s see a real (although simple) example:

1 require 'open-uri'

2 url = "http://www.google.com/search?q=ruby"
3 open(url) {
4   |page| page_content = page.read()
5   links = page_content.scan(/<a class=l.*?href=\"(.*?)\"/).flatten
6   links.each {|link| puts link}
7 }

The first and crucial part of creating the wrapper program was the observation of the
page source: We had to look for something that appears only in the result links.
In this case this was the presence of the ‘class’ attribute, with value ‘l’. This
task is usually not this easy, but for illustration purposes it serves well.

This minimalistic example shows the basic concepts: How to load the
contents of a Web page into a string (line 4), and how to extract the result
links on a google search result page (line 5). (After execution, the program
will list the first 10 links of a google search query for the word ‘ruby’ (line 6)).

However, in practice you will mostly need to extract data which are not
in a contiguous string, but contained in multiple HTML tags, or divided
in a way where a string is not the proper structure for searching. In
this case it is better to view the HTML document as a tree.[2]

Tree wrappers

The tree-based approach, although enables more powerful techniques,
has its problems, too: The HTML document can look very good in a browser,
yet still be seriously malformed (unclosed/misused tags). It is a
non-trivial problem to parse such a document into a structured format
like XML, since XML parsers can work with well-formed documents only.

HTree and REXML

There is a solution (in most of the cases) for this problem, too:
It is called HTree. This handy package is able
to tidy up the malformed HTML input, turning it to XML – the recent version is
capable to transform the input into the nicest possible XML from our point of view: a REXML
Document. (
REXML
is Ruby’s standard XML/XPath processing library).

After preprocessing the page content with HTree, you can unleash the
full power of XPath, which is a very powerful XML document querying language,
highly suitable for web extraction.

Refer to [3] for the installation instructions of HTree.

Let’s revisit the previous Google example:

1 require 'open-uri'
2 require 'htree'
3 require 'rexml/document'

4 url = "http://www.google.com/search?q=ruby"
5 open(url) {
6  |page| page_content = page.read()
7  doc = HTree(page_content).to_rexml
8  doc.root.each_element('//a[@class="l"]') {
        |elem| puts elem.attribute('href').value }  
9 }

HTree is used in the 7th line only – it converts the HTML page (loaded into the pageContent
variable on the previous line) into a REXML Document. The real magic happens
in the 8th line. We select all the <a> tags which have an attribute ‘class’ with the
value ‘l’, then for each such element write out the ‘href’ attribute. [4]
I think this approach is much more natural for querying an XML document than a regular expression.
The only drawback is that you have to learn a new language, XPath, which is (mainly from
version 2.0) quite difficult to master. However, just to get started you do not need to know
much of it, yet you gain lots of raw power compared to the possibilities offered by regular expressions.

Hpricot

Hpricot is “a Fast, Enjoyable HTML Parser for Ruby” by one of the coolest (Ruby) programmers of our century, why the lucky stiff. From my experience, the tag line is absolutely correct – Hpricot is both very fast (thanks to a C based scanner implementation) and really fun to use.
It is based on HTree and JQuery, thus it can provide the same functionality as the previous Htree + REXML combination, but with a much better performance and greater ease of use. Let’s see the google example again – I guess you will understand instantly what I mean!

1 require 'rubygems'
2 require 'hpricot'
3 require 'open-uri'

4 doc = Hpricot(open('http://www.google.com/search?q=ruby'))
5 links = doc/"//a[@class=l]"
6 links.map.each {|link| puts link.attributes['href']}

Well, though this was slightly easier than with the tools seen so far, this example does not really show the power of Hpricot – there is much, much, much more in the store: different kinds of parsing, CSS selectors and searches, nearly full XPath support, and lots of chunky bacon! If you are doing something smaller and don’t need the power of scRUBYt!, my advice is to definitely use Hpricot from the tools listed here. For more information, installation instructions, tutorials and documentation check out Hpricot’ s homepage!

RubyfulSoup

Rubyfulsoup is a very powerful Ruby
screen-scraping package, which offers
similar possibilities like HTree + XPath. For people who are not handy with XML/XPath,
RubyfulSoup may be a wise compromise: It’s an all-in-one, effective HTML parsing
and web scraping tool with Ruby-like syntax. Although it’s expressive power
lags behind XPath2.0, it should be adequate in 90% of the cases. If your problem is in the
remaining 10%, you probably don’t need to read this tutorial anyway 😉
Installation instructions can be found here: [5].

The google example again:

1  require 'rubygems'
2  require 'rubyful_soup'
3  require 'open-uri'

4  url = "http://www.google.com/search?q=ruby"  
5  open(url) { 
6    |page| page_content = page.read()
7    soup = BeautifulSoup.new(page_content)
8    result = soup.find_all('a', :attrs => {'class' => 'l'}) 
9    result.each { |tag| puts tag['href'] }
10 }

As you can see, the difference between the HTree + REXML and RubyfulSoup examples is minimal –
basically it is limited to differences in the querying syntax. On line 8, you look up all the
<a> tags, with the specified attribute list (in this case a hash with a single pair { ‘class’ => ‘l’ } )
The other syntactical difference is looking up the value of the ‘href’ attribute on line 9.

I have found RubyfulSoup the ideal tool for screen scraping from a single page – however web navigation
(GET/POST, authentication, following links) is not really possible or obscure at best with
this tool (which is perfectly OK, since it does not aim to provide this functionality). However, there
is nothing to fear – the next package is doing just exactly that.

WWW::Mechanize

As of today, prevalent majority of data resides in the deep Web – databases, that
are accessible via querying through web-forms. For example if you would like to get information
on flights from New York to Chicago, you will (hopefully) not search for it on google –
you go to the website of the Ruby Airlines instead, fill in the adequate fields and click on search.
The information which appears is not available on a static page – it’s looked up on demand and
generated on the fly – so until the very moment the web server generates it for you , its practically
non-existent (i.e. it resides in the deep Web) and hence impossible to extract. At this point
WWW::Mecahnize comes into play.
(See [6] for installation instructions)

WWW::Mechanize belongs to the family of screen scraping products (along with http-access2 and Watir)
that are capable to drive a browser. Let’s apply the ‘Show, don’t tell’ mantra – for everybody’s delight
and surprise, illustrated on our google scenario:

require 'rubygems'
require 'mechanize'

agent = WWW::Mechanize.new
page = agent.get('http://www.google.com')

search_form = page.forms.with.name("f").first
search_form.fields.name("q").first.value = "ruby"
search_results = agent.submit(search_form)
search_results.links.each {
     |link| puts link.href if link.class_name == "l" }

I have to admit that i have been cheating with this one ;-). I had to hack WWW::Mechanize to
access a custom attribute (in this case ‘class’) because normally this is not available.
See how i did it here: [7]

This example illustrates a major difference between RubyfulSoup and Mechanize: additionally to screen scraping
functionality, WWW::mechanize is able to drive the web browser like a human user: It filled in the
search form and clicked the ‘search’ button, navigating to the result page, then performed screen scraping
on the results.

This example also pointed out the fact that RubyfulSoup – although lacking navigation possibilities –
is much more powerful in screen scraping. For example, as of now, you can not extract arbitrary (say <p>)
tags with Mechanize, and as the example illustrated, attribute extraction is not possible either – not to
mention more complex, XPath like queries (e.g. the third <td> in the second <tr>) which is easy with
RubyfulSoup/REXML. My recommendation is to combine these tools, as pointed out in the last section of this article.

scRUBYt!

scRUBYt! is a simple to learn and use, yet very powerful web extraction framework written in Ruby, based on Hpricot and Mechanize. Well, yeah, I made it 🙂 so this is kind of a self promotion, but I think (hopefully not just because being overly biased ;-)) it is the most powerful web extraction toolkit available to date. scRUBYt! can navigate through the Web (like clicking links, filling textfields, crawling to further pages – thanks to mechanize), extract, query, transform and save relevant data from the Web page of your interest by the concise and easy to use DSL (thanks to Hpricot and a lots of smart heuristics).

OK, enough talking – let’s see it in action! I guess this is rather annoying now for the 6th time, but let’s revisit the google example once more! (for the last time, I promise 🙂

1  require 'rubygems'
2  require 'scrubyt'

3  google_data = Scrubyt::Extractor.define do
4    fetch          'http://www.google.com/ncr'
5    fill_textfield 'q', 'ruby'
6    submit
       
7    result 'Ruby Programming Language' do
8      link 'href', :type => :attribute
9    end
10 end

11 google_data.to_xml.write($stdout, 1)
12 Scrubyt::ResultDumper.print_statistics(google_data) 

Oputput:

  <root>
    <result>
      <link>http://www.ruby-lang.org/</link>
    </result>
    <result>
      <link>http://www.ruby-lang.org/en/20020101.html</link>
    </result>
    <result>
      <link>http://en.wikipedia.org/wiki/Ruby_programming_language</link>
    </result>
    <result>
      <link>http://en.wikipedia.org/wiki/Ruby</link>
    </result>
    <result>
      <link>http://www.rubyonrails.org/</link>
    </result>
    <result>
      <link>http://www.rubycentral.com/</link>
    </result>
    <result>
      <link>http://www.rubycentral.com/book/</link>
    </result>
    <result>
      <link>http://www.w3.org/TR/ruby/</link>
    </result>
    <result>
      <link>http://poignantguide.net/</link>
    </result>
    <result>
      <link>http://www.zenspider.com/Languages/Ruby/QuickRef.html</link>
    </result>
  </root>

    result extracted 10 instances.
        link extracted 10 instances.

You can donwload this example from here.

Though the code snippet is not really shorter, maybe even longer than the other ones, there are a lots of thing to note here: First of all, instead of loading the page directly (you can do that as well, of course), scRUBYt allows you to navigate there by going to google, filling the appropriate text field and submitting the search. The next interesting thing is that you need no XPaths or other mechanism to query your data – you just copy’n’ paste some examples from the page, and that’s it. Also, the whole description of the scraping process is more human friendly – you do not need to care about URLs, HTML, passing the document around, handling the result – everything is hidden from you and controlled by scRUBYt!’s DSL instead. You even get a nice statistics on how much stuff was extracted. 🙂

The above example is just the top of the iceberg – there is much, much, much more in scRUBYt! than what you have seen so far. If you would like to know more, check out the tutorials and other goodies on scRUBYt!’s homepage.

WATIR

From the WATIR page:

WATIR stands for “Web Application Testing in Ruby”. Watir drives the Internet Explorer browser the same
way people do. It clicks links, fills in forms, presses buttons. Watir also checks results, such as whether
expected text appears on the page.

Unfortunately I have no experience with WATIR since i am a linux-only nerd, using windows for occasional
gaming but not for development, so I can not tell anything about it from the first hand, but judging from the
mailing list contributions i think Watir is more mature and feature-rich than mechanize. Definitely
check it out if you are running on Win32.

The silver bullet

For a complex scenario, usually an amalgam of the above tools can provide the ultimate solution:
The combination of WWW::Mechanize or WATIR (for automatization of site navigation), RubyfulSoup (for serious screen
scraping, where the above two are not enough) and HTree+REXML (for extreme cases where even RubyfulSoup
can’t help you).

I have been creating industry-strength, robust and effective screen scraping solutions in the last five years
of my career, and i can show you a handful of pages where even the most sophisticated solutions do not work (and
i am not talking about scraping with RubyfulSoup here, but even more powerful solutions (like embedding
mozilla in your application and directly accessing the DOM etc)). So the basic rule is: there is no
spoon (err… silver bullet) – and i know by experience that the number of ‘hard-to-scrap’ sites is rising
(partially because of the Web 2.0 stuff like AJAX, but also because some people would not like their sites to
be extracted and apply different anti-scraping masquerading techniques).

The described tools should be enough to get you started – additionally, you may have to figure out how to
drill down to your stuff on the concrete page of interest.

In the next installment of this series, i will create a mashup application using the introduced tools, from some
more interesting data than google 😉
The results will be presented on a Ruby on Rails powered page, in a sortable AJAX table.


If you liked the article, subscribe to the rubyrailways.com feed!  

Creating a site for a ruby on rails tutorials is a great way to market the fairly new language. Setting up a site should be very simple. Use the engines to search domains for a relevant domain name. Search for dedicated servers for cheap hosting plans to get efficient service and extra web space. Use a wireless internet to upload the site conveniently, trying hiring a company that hires people with 642-586or at the least ccna certification. Look into ibm certification yourself to increase productivity.

[1] There are a lot of other issues (social aspect, interoperability, design principles
etc.), but these are falling out of scope of the current topic.Back

[2] However, if the problem can be relatively easily tackled with regular expressions, it’s usually good
to use them for several reasons: No additional packages are needed (this is even more important if you don’t have
install rights), you don’t have to rely on the HTML parser’s output and if you can use regular expressions, it’s
usually the easier way to do so. Back

[3] Install HTree:
wget http://cvs.m17n.org/viewcvs/ruby/htree.tar.gz (or download it from your browser)
tar -xzvf htree.tar.gz
sudo ruby install.rb Back

[4] There are plenty other (possibly smarter) ways to do this, for example using
each_element_with_attribute, or a different, more effective XPath – I have chosen to use
this method to get as close to the regexp example as possible, so it is easy to observe
the difference between the two approaches for the same solution. For a real REXML tutorial/documentation
visit the REXML site.
Back

[5] The easiest way is to install rubyful_soup from a gem:
sudo gem install rubyful_soup
Since it was installed as a gem, don’t forget to require ‘rubygems’ before requiring rubyful_soup.
Back

[6] sudo gem install mechanize
Back

[7] I have added two lines to WWW::Mechanize source file page_elements.rb:

To the class definition:

attr_reader :class_name

Into the constructor:

@class_name = node.attributes['class']

314 thoughts on “Data extraction for Web 2.0: Screen scraping in Ruby/Rails

  1. Whenn I initially left a comment I appear to have clicked
    on thee -Notify me whben new comments are added- checlbox and now whenever a comment is added I recieve four emails with the exact same comment.
    Is there a way you can remove mme from that service?
    Cheers!

  2. You will find many e-books can be theological, only they’re books
    of account relating to a few other classes, such as county of all Cheshire along
    with also the Diocese for Chester. By using each level along, you will definately get list which can be used on different
    abilities. The actual interiors of their 13 carriages are generally inspired by the historical fortifications of the
    Deccan Plateau along with other popular tourism spots visited by
    the locomotive along its journey. Don’t worry, the recoil still puts the bullets where you want
    them.

  3. With the other hand, hit the 1, 2, 1, 2 and 1 buttons in that order.
    Some of their foods have been: paprika and a thin, flaky pastry named Filo (or phyllo) dough.
    Implement virtual aid children explore the possibility and the opportunity unrealistic that they can get only imagine
    in their imagination.

  4. Sanat alan?nda ki?isel geli?iminizi tamamlamak istiyorsan?z ruyaavc?s? ekibi ile irtibata geçebilirsiniz. Bak?rköy Resim Kursu ile kalitenizi artt?rabilirsiniz ve çal??maktan sanat eserleri üretmekten haz alarak üstün seviyede e?itim ile çal??abilirsiniz.

  5. 2016 y?l?na müthi? bir giri? yapan arkhesanat güzel sanatlara haz?rl?k konusunda yüzlerce ö?renciyi mezun etmekle beraber yeni kay?tlar ile gelecekte mezun olma ?ans?n? sizlere sunmaktad?r.
    Taksim resim kursu ile geli?iminizi tamamlayabilme olana??na sahipsiniz üstel,k 4 kur fiyat?na 6 kur f?rsat?da k?sa bir süreli?ine sizlerle…

  6. BAKMAYI DE??L, GÖRMEY? Ö?REN?YORUM !

    Türkiye`de e?itim sistemimiz içinde, ne yaz?k ki sanata ayr?lan alan çok az.

    Sanat derslerinin haftada sadece birkaç saate s?k??t?r?ld???n? görüyoruz.

    Sanat e?itimi ikinci plana at?l?yor ço?u zaman; lüks olarak görülebiliyor yada

    sadece yetenekli çocuklar?n bu e?itimi almalar? gerekti?i gibi yanl?? bir kan?ya

    sahip bir çoklar?. Oysaki çocuk e?itiminde en mühim ?ey, çocu?un sanat?

    sevmesi, yapmak istemesi, sab?r gösterebilmesi ba?lang?ç için yeterlidir.

    Öncelikle çocuk hangi mesle?e yönelirse yönelsin, ki?ilik geli?imi için

    muhakkak sanat e?itimi alm?? olmas? gerekir. Sanat sayesinde bireylerin

    özgüveni ve estetik be?enisi geli?ir, ele?tirel bak?? aç?s?na sahip olur, yarat?c?l???

    artar. Sadece bakmaz “görür”. Sanat e?itimi sayesinde özgür dü?ünür,

    sorumluluk almay? bilir, üreten, kendini daha iyi ifade eden birey olur.

    Böylelikle hem kendilerine, hem de topluma katk?lar? daha da fazla olur.

    Hep sanat alg?s?n?n ne kadar zay?f oldu?undan yak?n?yoruz Türkiye`de;

    çocuklar?n gelecek neslin, sanatla ba? kurabilmesini sa?layacak bu e?itimler

    sayesinde bu durumu de?i?tirebiliriz. Bu çocuklar sanatsal be?eniye sahip

    bireyler olarak “fark yaratacaklard?r”. Pek ço?u gelece?in kolleksiyonerleri,

    sanatseveri olarak kar??m?za ç?kacak, hatta kimisi gelece?in sanatç?s? olacak.

    Onlar?n “do?ru” , “yarat?c?” ve de tabii e?lenceli sanat e?itimleri

    alabilecekleri kurumumuza bekliyoruz. Bak?rköy resim kursu ile sizleri memnun etmeyi umut ediyoruz.

    http://ruyaavcisi.com/

  7. If your PSA is raised then the reeason for that raise must first be ascertained.
    The idea sounds fantastic but does it really work and is itt really worh using as a dietary
    supplement. It also helps in controlling the
    production of testosterone by lowerring DHT level
    in the body.

  8. Hey there I am so grateful I found your webpage, I really
    found you by accident, while I was searching on Askjeeve for something else, Anyhow I am here now and would just like
    to say kudos for a remarkable post and a all round interesting blog (I also love the theme/design), I don’t have time to browse it all at the moment but
    I have saved it and also added in your RSS feeds, so when I have time I will be back to
    read much more, Please do keep up the awesome work.

  9. Excllent site. Plent ?f usefuul inmfo ?ere. I’m seding ?t to ?ome friend ?ns a?so sharing iin delicious.
    And ?bviously, thanks foor ?o?r effort!

    Jangan sungkan untuk mengunjungi halaman website Saya buat mendapatka Data lebih keren mengenawi Freya .Suwun

  10. Superb website you have here but I was curious about if you knew of any message boards that cover the same topics discussed in this article?
    I’d really love to be a part of community where I can get feedback
    from other experienced people that share the same interest.
    If you have any suggestions, please let me know.
    Many thanks!

  11. ?ight noow ?t sounds like WordPress ?s th? be?t blogging platfofm outt t?ere
    r?ght no?. (fromwhat I’ve re?d) Is thbat w?at yo?’re using onn your blog?

    Silahkan Ceek halaman web Saya demi dapatkan Informasi lebih keren mengenai jasa pembasmi rayap .
    ?hanks ya

  12. It is not my firset tome to visit tһіѕ site, i amm visiting thіѕ site dailly аnd takee nioce facts from һere everyday.

    Kunjungi situs Saya untuk dpat Fakta lebih lengkap tentang blazer pria .
    Ƭhanks үa

  13. This is really the only serious weak point of League
    of Legends. For example, team A, can have Lux, Karthus, Gragas, Jax,
    and Garen, and team B, can have Amumu, Annie, Anivia, Sivir, and Lux, in blind
    pick. When both of these spells are charged, it’s a simple task to
    drop a Shroud, cast Exhaust, and Flash out of range.

    My blog post summoners war hack [summonerswar-hack.com]

  14. Greetings I am so excited I found your site, I really found you
    by mistake, while I was researching on Digg for something else, Regardless I am here now and would just like to say many thanks for a incredible post and a all round thrilling blog (I also love the theme/design), I don’t have time to go through it all at the minute but
    I have book-marked it and also included your RSS feeds, so when I have time I will
    be back to read a lot more, Please do keep up the excellent job.

  15. Bagaimana Anda dapat mengambil ini di papan? Anda mungkin tidak memiliki anggaran yang besar, tetapi memilih sebagai
    perusahaan dengan nilai-nilai produksi yang tinggi untuk
    memastikan Anda mendapatkan video yang menunjukkan Anda dalam cahaya terbaik.

  16. I’ve been exploring for a bit for any high quality articles or weblog posts on this sort of area .
    Exploring in Yahoo I ultimately stumbled
    upon this web site. Reading this info So i am happy to show that I have an incredibly excellent uncanny
    feeling I came upon exactly what I needed. I such
    a lot undoubtedly will make certain to don?t omit this web site and provides it a glance on a relentless basis.

  17. Simply wish to say your article is as astounding.

    The clarity in your post is just spectacular and i could assume you’re an expert on this subject.
    Fine with your permission allow me to grab your
    RSS feed to keep up to date with forthcoming post. Thanks a million and please carry
    on the enjoyable work.

  18. After goinhg over a handful of tthe articles onn your web page, I
    truly appreciate your way of blogging. I bookmarked it to my
    bookmark site list and will be checking back in the near future.
    Please visit my website as werll and leet me know how you
    feel.

  19. Fantastic website you have here but I was wondering
    if you knew of any forums that cover the same topics discussed here?
    I’d really love to be a part of online community where I
    can get advice from other experienced people that share the same
    interest. If you have any suggestions, please let
    me know. Bless you!

  20. With havin so much content and articles do you ever
    run into any issues of plagorism or copyright violation? My blog has a lot of exclusive content I’ve either authored myself or outsourced but it
    looks like a lot of it is popping it up all over the web without my agreement.
    Do you know any ways to help protect against content from being ripped
    off? I’d really appreciate it.

  21. No Código de Processo Civil de 1939, existia a previsão expressa, no artigo
    810 qual previa que a parte não poderia ser prejudicada pela interposição de um recurso por outro, determinando que caso
    isso ocorresse os autos deveriam ser remetidos á Câmara ou Turma, competente
    para julgamento, ressalvando a hipótese de má-fé ou erro grosseiro.

  22. I tend not to create a great deal of responses, however i did some
    searching and wound up here Data extraction for
    Web 2.0: Screen scraping in Ruby/Rails | Ruby, Rails, Web2.0.

    And I do have a few questions for you if it’s allright.
    Could it be just me or does it look like a few of the responses come across like they are coming from brain dead people?
    😛 And, if you are posting at other places, I’d like to follow anything fresh you have to
    post. Could you list of the complete urls of all
    your shared pages like your twitter feed, Facebook page or linkedin profile?

  23. Great blog here! Also your site loads up very fast!
    What host are you using? Can I get your affiliate link to your host?
    I wish my website loaded up as quickly as yours lol

  24. Do you mind if I quote a few of your posts as long as I provide
    credit and sources back to your weblog? My blog is in the exact
    same area of interest as yours and my users would truly benefit
    from some of the information you present here. Please let
    me know if this okay with you. Many thanks!

  25. That is really interesting, You’re an overly professional blogger.
    I’ve joined your rss feed and stay up for looking for
    more of your wonderful post. Additionally, I have shared your website in my social networks

  26. We absolutely love your blog and find nearly all of your
    post’s to be what precisely I’m looking for.
    Do you offer guest writers to write content to suit your needs?

    I wouldn’t mind publishing a post or elaborating on a lot of the subjects you write related to here.
    Again, awesome web log!

Leave a Reply

Your email address will not be published. Required fields are marked *