Sunday, November 18, 2007

Maxmind GeoIP install setup tutorial using PHPMyAdmin

After struggling to find a straight forward tutorial on how to install the Maxmind's GeoIP Country Database in PHP and MySQL using PHPMyAdmin I decided to write my own step by step guide with illustrations. My tutorial is based heavily upon the tutorial i found at http://vincent.delau.net/php/geoip.html and much of the credit should go to the author.

The main trouble I had was the CSV upload file limit size was 2.5mb where as the maxmind geolite countries database is 8+mb, transfering this much data is bound to cause problems for any server. Because I didnt want to mess around with the PHP.INI file and change the upload limit on the server and I had APACHE, PHP and MySQL installed on my local machine, I decide the best way would be to create the database locally then split it up if neccessary and upload it to my production server that way.

Creating the GeoIP database
Simply open up your PHPMyAdmin and click the SQL query window in the top left, dont worry if your PHPMyAdmin looks different the functions are essentially all the same. Below is an image where to find the SQL Query Window.



Click this button and a SQL Query Window will popup.

If a 'geoip' database doesnt already exist and you have permission copy and paste the following code into that SQL Query Windows text area else skip this bit
CREATE DATABASE geoip;
USE geoip;


now copy and paste the following code into that SQL Query Windows text area
CREATE TABLE cc (
ci tinyint(3) unsigned NOT NULL auto_increment,
cc char(2) NOT NULL,
cn varchar(50) NOT NULL,
PRIMARY KEY (ci)
) AUTO_INCREMENT=1 ;

CREATE TABLE csv (
start_ip char(15)NOT NULL,
end_ip char(15)NOT NULL,
start int(10) unsigned NOT NULL,
end int(10) unsigned NOT NULL,
cc char(2) NOT NULL,
cn varchar(50) NOT NULL
);

CREATE TABLE ip (
start int(10) unsigned NOT NULL,
end int(10) unsigned NOT NULL,
ci tinyint(3) unsigned NOT NULL
);




Dont worry about what is selected in the "Run SQL query/queries on database" Select menu or if the two checkbox options are selected or not then click the 'GO' button. When Your SQL query has been executed successfully close the MySQL Query Window we dont need that anymore. You should now see the following...



Importing GeoIP CSV data into MySQL database
Click the csv link on the left side under the geoip tables list, when the page loads scroll down to the bottom and click the "Insert data from a text file into the table" at the very bottom.



If you havn't done so already download the latest GeoLite Country CSV format this version is slightly less accurate than the full one but it is free and save it somewhere easy to find on your PC, the download can also be found here at http://www.maxmind.com/app/geoip_country.
It is essential to set up the text file importer or else the data will not import correctly, first lets find the Maxmind CSV file we are going to import that we have saved on our local machine. Click the browse button to locate the file, because of the specific way maxmind saves the data in the CSV file we have to adjust our text importer. The only options we should have to change are "Fields terminated by" should be change to a comma "," instead of the default colon ";" and "Lines terminated by" to linefeed "\n" instead of the default carriage return and line feed "\r\n". Then Click Submit, see image below for visual example.



When the import has completed successfully we can proceed to extract IP ranges and countries into two different tables. By default all this data is in one file, Maxmind simply adds new ip range and numbers to an associating country and appends the data to the end of the CSV file monthly. By keeping all the data in a single Comma Separated Values Format it is much easier to maintain and update however it is very slow to search and parse the data. We are going to optimize our database for speed and size, by separating the two data sources, IP range from countries we can greatly reduce the amount of data mysql has to search through. We later simply join the two tables back together again by an ID number when we perform a search or query on our geo database.

Optimize GeoIP database for size and speed
Ok lets extract all the different countries from the 'csv' table into our 'cc' table, open up the SQL Query Window again, Copy and Paste the following code into the text area and click the 'GO' button.

INSERT INTO cc SELECT DISTINCT NULL, cc, cn FROM csv;


When Your SQL query has been executed successfully we can extract the IP Range and Numbers data from the 'csv' table and insert it into the 'ip' table. Copy and Paste the following code into the SQL Query Window windows text area and click the 'GO' button.

INSERT INTO ip SELECT start, end, ci FROM csv NATURAL JOIN cc;


The last SQL statement simply tells MySQL to insert the unique start and end IP number range of a particular country into the 'ip' table, the 'ci' field in the 'ip' table indicates the id of the country in the 'cc' table, we use the two 'ci' fields later to join the two tables together in select query statment.

Our geoip database is now set up but first, since the 'csv' table is of no use to us any more go ahead and delete it.

During this install you may have noticed we no longer have any reference to IP address ranges only numbers this is because PHP has some inbuilt functions we can use to convert IP address to an IP number and vise versa ip2long() and long2ip(). These functions also save us a lot of space overheads in MySQL and speed up our searches.

Installing GeoIP database through PHPMyAdmin
Ok we have successfully installed the Geo IP database on our local machine lets go ahead and prepare our production server.

Update Maxmind GeoIP database
If your production server already contains an older version of the Maxmind GeoIP database it is recommended that you fully delete all the TABLES within that database but not the actual database.

Install New Maxmind GeoIP database
If you are installing the Maxmind GeoIP database from scratch then you will have to create a new database. If you have permission to create a new database through PHPMyAdmin copy and paste the following code into the SQL Query Windows text area and the click 'GO'.

CREATE DATABASE geoip;
USE geoip;

Some web hosts employ a control panel which directly controls the creation of databases so you may have to create a database through this tool first if this is the case name your database 'geoip'. Then open up PHPMyAdmin with this database selected.

First lets begin with the 'cc' table because it is the smaller of the two it only has 234 rows or there abouts we can probably export this from our local machine and install it on our production server in one go. Click the 'cc' table list from the geoip tables list on the left side in PHPMyAdmin then click the export tab at the top, by default the preselected settings are already correct see image below then just click 'GO'.

Now copy all the text in the text area including the create table and insert data and paste it into the SQL Query Window on your production servers PHPMyAdmin, don't worry about the comments MySQL filters them out.

Now the larger MySQL 'ip' table my row count is 96459 even our clipboard will struggle with this so it is best if we probably start by just creating the table structure by itself on the production server. Click the 'ip' table list from the geoip tables list on the left side in PHPMyAdmin then click the export tab at the top, this time we are going to modify the default preselected settings, leave everything the same as default but this time uncheck the 'Data' checkbox see image below then just click 'GO'.



Now copy all the text in the exported text area which tells mysql of the table structure and paste it into the SQL Query Window on your production servers PHPMyAdmin, again don't worry about the comments MySQL filters them out.

This time on the export page of the 'ip' table uncheck the structure checkbox but leave the data checkbox checked, where it says Dump (type number of rows here) row(s) starting at record # (type the starting row index here) we will be repeating this export process 4 times, each time we do this we will be changing the starting row index. Select 30000 rows starting from row 0 on my machine it took roughly 10-15 seconds to export, then copy the text area its probably easiest to right click the text area and select all then copy and paste it into the SQL Query Window on your production servers PHPMyAdmin, this insert roughly took 3 minutes and 30 seconds to complete and performance depends on your bandwidth and servers processor. See images below.





I completed the task in blocks of 30000 rows and I had to repeat the process 4 times, where it says Dump (type number of rows here) row(s) starting at record # (type the starting row index here).Repeat the above process 4 times and change the export data as follows

Dump (30000) row(s) starting at record # (0).
Dump (30000) row(s) starting at record # (30000).
Dump (30000) row(s) starting at record # (60000).
Dump (30000) row(s) starting at record # (90000).

You should now finally have the current version of Maxminds GeoIP country database installed on your production server. The database is now ready to be used.

How to use the GeoIP database
Create a new php include file with the following code, I named mine 'geofunctions.inc.php' appropriately for its purpose.

<?php
function getALLfromIP($addr,$db) {
global $Config;
// this sprintf() wrapper is needed, because the PHP long is signed by default
$ipnum = sprintf("%u", ip2long($addr));
$query = "SELECT cc, cn FROM ip NATURAL JOIN cc WHERE ${ipnum} BETWEEN start AND end";
$result = mysql_query($query, $Config["geolocationdb"]);

if((! $result) or mysql_numrows($result) < 1) {
//exit("mysql_query returned nothing: ".(mysql_error()?mysql_error():$query));
return false;
}
return mysql_fetch_array($result);
}

function getCCfromIP($addr) {
$data = getALLfromIP($addr);
if($data) return $data['cc'];
return false;
}

function getCOUNTRYfromIP($addr) {
$data = getALLfromIP($addr);
if($data) return $data['cn'];
return false;
}

function getCCfromNAME($name) {
$addr = gethostbyname($name);
return getCCfromIP($addr);
}

function getCOUNTRYfromNAME($name) {
$addr = gethostbyname($name);
return getCOUNTRYfromIP($addr);
}
?>


Within your PHP page where you wish to use geoip country functions you would simply make a call to which ever function you wish to use, see below for example.

<?php


// GEO LOCATIONS DATABASE CONNECTION
$Config["geolocationdb"] = mysql_connect("host", "username", "password");
mysql_select_db("geolocationdb", $Config["geolocationdb"]);

include('geofunctions.inc.php');

$remote_address = $_SERVER['REMOTE_ADDR'];

print "<p>".getCCfromIP($remote_address)."</p>\n";
print "<p>".getCOUNTRYfromIP($remote_address)."</p>\n";
?>


Further GeoIP Reading and External Links
If speed and efficiency are a concern it is helpul to understand the differences between tables InnoDB and MyISAM, where InnoDB is slower for searching but faster at updating than MyISAM.

150 comments:

Jeremy Cole said...

Hi,

Your post inspired me to finish a blog entry I've been working on for a few days on the poor performance of this method for geo-referencing IP addresses, and what can be done about it. You can read it here:

On efficiently geo-referencing IPs with MaxMind GeoIP and MySQL GIS

I hope that helps!

Regards,

Jeremy

Anonymous said...

Just what I needed - cheers fella!

Vincent de Lau said...

Thanks for the credit! You wrote a nice article and should get the less savvy users on their way.

Johan said...

I works like a charm, almost...

I get two errors, please have a look at http://niemi.it/playground/geoip/

I followed your instructionsdown to the smallest detail.

Anonymous said...

Johan again. This corrected the errors:

Change function

getALLfromIP($addr,$db) {

to

function getALLfromIP($addr) {

Maybe this should be changed in your source code? Thanks for a nice tutorial.

Anonymous said...

and how can I put it to work, for example: I want that in mysite.com my us visitor to be redirected to mysite.com/us? thanks

Anonymous said...

Awesome, a little tweaking with the database name but it worked! Thanks!

Anonymous said...

People should read this.

Anonymous said...

Hi Friend,
Congratulations for this nice looking blog.In this post everything about Web Design Accessibility have meaningful information that would be better for others who are interested in web Design.
Thanks & Regards.

Tiffany B. Brown said...

upload_max_filesize is one of those configuration variables that you can change with .htaccess (if you're using Apache, that is).

The syntax is:
php_value upload_max_filesize xxM where xx is a positive integer.

If you have access to your phpMyAdmin directory (or its parent directory), .htaccess is probably quicker.

Anonymous said...

Along with the info on the MaxMind page (http://www.maxmind.com/app/csv)it works thanks for the time you've saved me!

Anonymous said...

Thank you for such great instructions!

Anonymous said...

Thanks. very helpful.

Jack said...

Hey,
Thanks for the informations.
:)

web design quote said...

Thanks for the posted a tutorial step by step. This will help us to understand what is exactly you are saying in this tutorial. This link was very informative for the visitors.

Felix said...

Nice work.
I was pretty lost without your carefully structured walkthrough for GEOIPCountry phpMyAdmin installation.
I hope my wording of thanks helps a little in google searches. I will certainly be enjoying any who are lucky enough to be advertising on your pages.
Many Thanks and keep up the good work.
Felix
Game-Debate

Anonymous said...

This method causes high CPU load, it raises CPU load up to 300%, than normal...

Anonymous said...

Good day!

Im new to the site. really looking forward to meeting new people, seeing what they have to say and just really chilling on some social network other than facebook. bleh. like i said, i am me, now who are you?

thanks, Dennis from [url=http://www.myonlinepayday.com]Online Payday Loans[/url] website!

Spyros said...

Wow. What a great tutorial. I used this on 2 of my website now. I was going to use it on my website: Rewards Generator but then I decided not to.

Anonymous said...

Brilliant thanks this will definitely help me on my site Reward My Points

Unknown said...

This is what I was exactly looking for. Thanks for sharing this man. I truly appreciate your kindness.

Protect A Child

shaiful said...

awesome,that is what i was really really really looking for.

Software Development said...

Thanks for the posted a guide comprehensive.

Anonymous said...

I'm dealing with. Okay and perhaps erm perhaps you'd also like to l would you like to look at this side of things as well? Incorporate that into http://buyviagraonlineauviagra-au.com#5169 buying Viagra ophthalmology , contraceptive, antenatal and child welfare clinics. The Centre also includes a pharmacy . Full-time overseas students who become ill after arrival in the UK may obtain National http://buyviagra100mgcostviagraonline.co.uk#1,19733E+22462 cheap viagra 295 The dust that accumulates there mixed with sweat gives out a foul smell

Anonymous said...

and playing this game. Each animal has a strategy -- pure H or pure D , or a '' mixed '' strategy, '' play H with probability p and http://buyviagraonlineauviagra-au.com#274 buy Viagra au Kit-Kat Pauly? Yes please How do you spell whereabouts? W H E R E A B O U T S seems to be a lack of spelling at your http://buyviagra100mgcostviagraonline.co.uk#8,13227E+11172 viagra uk 988 A kind of vicious circle develops

Anonymous said...

2, I 3 and I 4 denote the phasor representations of the currents in Z 1, Z 2, Z 3 and Z 4 respectively, then at balance http://buyviagraonlineauviagra-au.com#8,6627E+27 buy Viagra au 's quite comfortable eleven, eleven and a half, eleven stone over jumps in n it? Ten stone's Is it? Ten stone is race, why I http://buyviagra100mgcostviagraonline.co.uk#3464 viagra uk 249 If you stay off the sugar, wear loose comfortable clothes and use any combination of the above natural remedies you can get rid of yeast infection without medication

Anonymous said...

You do not have to live with them cheap lumigan Buying high back office chairs should always be among the main priorities in offices, big and small alike
In fact, 90% to 95% of those suffering from high blood pressure fall in the essential hypertension category cheap cymbalta When you are upset and unwell you may hurt other people without noticing it
This means by incorporating just a little bit of onion into your regular diet, you can do more to protect your health than if you were to eat an apple a day women Viagra uk To learn more about vendors with high standards for their fish oil, access http://www
As uncomplicated as it sounds, breathing is living iressa online Thorough testing requires multiple screening tool and assessment
After the trial, you will be all smiles after you witness the beauty that is carried by this men product Orlistat over the counter Smoking is also one of the reasons for staining of teeth

Anonymous said...

Toxins and excess fat are known to weaken the pH balance in out body buy lumigan One of the simple tinnitus remedies is the decrease of salt intake

1 tablespoon (15ml) almond oil generic cymbalta Depression that runs in families is much more dangerous that simple depression. Get ready now!
info">http://www Viagra for women pills The point is that you have to do something to prevent any more weight gain and hopefully you will actually lose some weight in the process
A trainer can serve as a great resource but, ultimately you are in the driver's seat generic iressa Choose a physical sun block that contains at least 5 percent of mineral-based sunscreen with zinc or titanium
MassageThe main purpose of the massage during this period is only to improve your blood circulation Chloromint indications Case in point is all of the anti aging skin care formulas that feature collagen, elastin, and hyaluronic acid as active ingredients

Anonymous said...

Adult сервис [url=http://aftertube.net.ua/tags/%F1%EB%E0%E4%EA%F3%FE/]сладкую[/url] Порно онлайн : [url=http://aftertube.net.ua/tags/%F3%EC%ED%FB%E9/]умный[/url]
со слабыми нервами вход воспрещен!

Anonymous said...

buy viagra online reviews viagra online new zealand - generic viagra united kingdom

Anonymous said...

[url=http://www.23planet.com]online casino[/url], also known as agreed casinos or Internet casinos, are online versions of commonplace ("buddy and mortar") casinos. Online casinos approve gamblers to disturb up and wager on casino games downright the Internet.
Online casinos habitually about make perspicuous on the bazaar odds and payback percentages that are comparable to land-based casinos. Some online casinos contend higher payback percentages as a cure-all with a conception location gismo games, and some promulgate payout split-up audits on their websites. Assuming that the online casino is using an correctly programmed unsystematically uncountable generator, enumerate games like blackjack take a rest an established false edge. The payout measure since these games are established sooner than the rules of the game.
Multitudinous online casinos broadside on effectively or mastery their software from companies like Microgaming, Realtime Gaming, Playtech, Worldwide Tactic Technology and CryptoLogic Inc.

Anonymous said...

buy cheap viagra safe buy viagra online us - buy viagra online toronto

Anonymous said...

viagra online without prescription viagra kaufen - viagra levitra cialis

Anonymous said...

buy soma generic soma mg - soma san diego directions

Anonymous said...

order soma online black keys soma san diego tickets - buy soma online paypal

Anonymous said...

soma online cheap soma food - drug test for soma

Anonymous said...

buy cheap soma soma san diego stage - soma drug dose

Anonymous said...

buy soma buy soma vanishing back bra - soma costa mesa

Anonymous said...

Hi, zyban smoking - zyban stop smoking http://www.wellbutrinonlinesale.net/#zyban-stop-smoking , [url=http://www.wellbutrinonlinesale.net/#zyban-medication ]zyban medication [/url]

Anonymous said...

Hi, zyban pills - zyban no prescription http://www.wellbutrinonlinesale.net/#zyban-no-prescription , [url=http://www.wellbutrinonlinesale.net/#zyban-without-prescription ]zyban without prescription [/url]

Anonymous said...

Hi, generic zyban - zyban online http://www.wellbutrinonlinesale.net/#zyban-online , [url=http://www.wellbutrinonlinesale.net/#order-zyban ]order zyban [/url]

Anonymous said...

Drug Use In Bodybuilding buy ciprofloxacin no prescription - cheap cipro online http://www.cheapcipromed.net/#cheap-cipro-online , [url=http://www.cheapcipromed.net/#cipro-antibiotic ]cipro antibiotic [/url]

Anonymous said...

Drugs Called Molly buy generic propecia - generic propecia online no prescription http://www.propeciahowtosave.net/#generic-propecia-online-no-prescription , [url=http://www.propeciahowtosave.net/#buy-propecia-online-without-prescription ]buy propecia online without prescription [/url]

Anonymous said...

Marie Curie'S Medicine Tools order ciprofloxacin - ciprofloxacin online pharmacy http://www.cheapcipromed.net/#ciprofloxacin-online-pharmacy , [url=http://www.cheapcipromed.net/#generic-cipro ]generic cipro [/url]

Anonymous said...

Medications Used By Haemophiliacs cheap ciprofloxacin - cipro drug http://www.cheapcipromed.net/#cipro-drug , [url=http://www.cheapcipromed.net/#buy-ciprofloxacin-no-prescription ]buy ciprofloxacin no prescription [/url]

Anonymous said...

Medicare Part B Drugs List propecia cost - propecia price http://www.propeciahowtosave.net/#propecia-price , [url=http://www.propeciahowtosave.net/#cheap-propecia ]cheap propecia [/url]

Anonymous said...

Medicine Evidence Based Emergency propecia without prescription - buy finasteride online no prescription http://www.propeciahowtosave.net/#buy-finasteride-online-no-prescription , [url=http://www.propeciahowtosave.net/#propecia-pills ]propecia pills [/url]

Anonymous said...

Wgntv News Drugs cipro for sale - ciprofloxacin for sale http://www.cheapcipromed.net/#ciprofloxacin-for-sale , [url=http://www.cheapcipromed.net/#cipro-cost ]cipro cost [/url]

Anonymous said...

About Drug Detection Laboratories cipro for sale - ciprofloxacin for sale http://www.cheapcipromed.net/#ciprofloxacin-for-sale , [url=http://www.cheapcipromed.net/#cipro-cost ]cipro cost [/url]

Anonymous said...

Aversion Therapy Drug Addict ciprofloxacin 500mg - cipro price http://www.cheapcipromed.net/#cipro-price , [url=http://www.cheapcipromed.net/#cipro-for-sale ]cipro for sale [/url]

Anonymous said...

White Lady Pills generic propecia no prescription - cheap propecia no prescription http://www.propeciahowtosave.net/#cheap-propecia-no-prescription , [url=http://www.propeciahowtosave.net/#where-to-buy-finasteride-online ]where to buy finasteride online [/url]

Anonymous said...

Before And After Drugs Addicts generic propecia no prescription - cheap propecia no prescription http://www.propeciahowtosave.net/#cheap-propecia-no-prescription , [url=http://www.propeciahowtosave.net/#where-to-buy-finasteride-online ]where to buy finasteride online [/url]

Anonymous said...

buy cialis reliable online pharmacy cialis - cialis online pharmacy reviews

Anonymous said...

buy tramadol online tramadol 50 mg street value - tramadol overnight shipping no prescription

Anonymous said...

buy tramadol free shipping tramadol generic cost - tramadol online

Anonymous said...

tmd clomiphene for sale - buy clomiphene online http://www.clomidonlinediscount.net/#buy-clomiphene, [url=http://www.clomidonlinediscount.net/#buy-clomiphene]price of clomid [/url]

Anonymous said...

egy generic abilify - generic abilify for sale http://www.onlinemedicationsale.com/abilify.html, [url=http://www.onlinemedicationsale.com/abilify.html]generic abilify no prescription [/url]

Anonymous said...

buy xanax online no prescription overnight buy xanax brand online - xanax addiction more drug_side_effects

Anonymous said...

buy tramadol online tramadol hcl narcotic - buy tramadol online nz

Anonymous said...

order xanax xanax side effects .25 - xanax online best price

Anonymous said...

generic xanax xanax high on - xanax 5 hour energy

Anonymous said...

xanax online xanax 7176 - xanax effects yahoo answers

Anonymous said...

xanax online xanax anti anxiety medication - generic xanax does look like

Anonymous said...

where to buy tramadol online tramadol addiction statistics - generic tramadol no prescription overnight

Anonymous said...

Hello, generic clonazepam - clonazepam without rx http://www.klonopinonlinediscount.com/#clonazepam-without-rx , [url=http://www.klonopinonlinediscount.com/#order-klonopin-no-prescription ]order klonopin no prescription [/url]

Anonymous said...

Hello. And Bye. Thank you very much.

Anonymous said...

xanax online pictures generic xanax pills - xanax side effects eyes

Anonymous said...

generic xanax xanax xr generic cost - buy xanax online no prescription needed

Anonymous said...

buy tramadol for dogs tramadol no prescription saturday delivery - tramadol hcl an 627

Anonymous said...

Hello. And Bye. Thank you very much.

Anonymous said...

generic xanax xanax side effects dizziness - xanax overdose symptoms treatment

Anonymous said...

buy tramadol online tramadol 50mg tab amneal - tramadol 750 mg

Anonymous said...

buy tramadol online order tramadol legally - tramadol urban dictionary

Anonymous said...

tramadol cheap tramadol addiction recovery - tramadol urine drug screen

Anonymous said...

buy tramadol online cheap tramadol with no prescription - tramadol for dogs taken by humans

Anonymous said...

buy tramadol no prescription tramadol for dogs with pancreatitis - can you buy tramadol over the counter in usa

Anonymous said...

buy tramadol overnight delivery tramadol 50 mg erowid - tramadol 100mg high

Anonymous said...

carisoprodol soma soma carisoprodol drugs - medicine carisoprodol 350 mg

Anonymous said...

buy carisoprodol carisoprodol soma opiate - buy carisoprodol online no prescription

Anonymous said...

buy tramadol online buy tramadol with credit card - buy tramadol online from usa

Anonymous said...

xanax online xanax xr 1mg tablets - does xanax show up on military drug test

Anonymous said...

generic xanax onax 2mg xanax bars - 2mg xanax high

Anonymous said...

buy xanax online cod xanax bars anxiety - meclizine xanax drug interactions

Anonymous said...

buy tramadol order tramadol no prescription cheap - tramadol withdrawal symptoms dogs

Anonymous said...

buy carisoprodol carisoprodol 350 mg ingredients - prescription drug carisoprodol

Anonymous said...

carisoprodol soma there drug test carisoprodol - soma 350 mg get you high

Anonymous said...

buy tramadol online tramadol 50 mg drug test - many tramadol 50mg get high

Anonymous said...

buy tramadol online buy tramadol online with cod - tramadol 100 mg withdrawal

Anonymous said...

xanax online xanax 1mg a day - xanax pills order

Anonymous said...

buy tramadol online tramadol addiction potential - tramadol hcl with tylenol

Anonymous said...

buy tramadol online cheap tramadol line - buy-tramadol-online.org

Anonymous said...

cialis online best place to buy cialis online forum - cialis daily basis

Anonymous said...

cialis online no prescription canada cialis soft tabs online - side effects cialis daily use

Anonymous said...

buy cialis online cialis or viagra - cialis coupon printable

Anonymous said...

xanax online xanax and alcohol recreationally - 4mg xanax effects

Anonymous said...

cialis online order cialis online from usa - generic cialis fda approved

Anonymous said...

cialis online buy cialis drugstore - reputable online pharmacy cialis

Anonymous said...

buy tramadol where to buy tramadol - veterinary tramadol overdose

Anonymous said...

buy tramadol tramadol hcl 50 mg webmd - tramadol same high vicodin

Anonymous said...

http://buytramadolonlinecool.com/#59473 tramadol overnight delivery to florida - generic form tramadol

Anonymous said...

http://www.integrativeonc.org/adminsio/buyklonopinonline/#use can order klonopin online - what does 2mg klonopin look like

Anonymous said...

buy tramadol overnight shipping tramadol for dogs with liver disease - buy tramadol an 627

Anonymous said...

http://www.integrativeonc.org/adminsio/buyklonopinonline/#7163 buy generic klonopin - klonopin and rebound anxiety

Anonymous said...

http://landvoicelearning.com/#57594 tramadol overdose risk - ultra tramadol hydrochloride

Anonymous said...

http://blog.dawn.com/dblog/buy/#41639 tramadol over the counter - buy tramadol and soma

Anonymous said...

http://landvoicelearning.com/#44827 rimadyl or tramadol for dogs - 6 50 mg tramadol

Anonymous said...

buy tramadol online tramadol pain killer - tramadol 50mg (generic ultram)

Anonymous said...

http://buytramadolonlinecool.com/#73892 can you buy tramadol over counter - buy tramadol in usa

Anonymous said...

buy tramadol tramadol for dogs contraindications - order tramadol online overnight delivery

Anonymous said...

buy tramadol online tramadol ratiopharm 100mg nebenwirkungen - purchase tramadol online cod

Anonymous said...

learn how to buy tramdadol tramadol hcl 50mg for dogs - buy tramadol cod overnight

Anonymous said...

http://landvoicelearning.com/#44827 cheap tramadol usa - tramadol 50 mg medication

Anonymous said...

buy tramadol without a script tramadol long before addiction - tramadol 50 mg prospect

Anonymous said...

buy tramadol tramadol hcl 100 mg iran chemie pharma - buy tramadol pay with mastercard

Anonymous said...

learn how to buy tramdadol ultram/tramadol hcl 50mg - where can you buy tramadol online

Anonymous said...

http://landvoicelearning.com/#51438 tramadol hcl headache - tramadol dosage rat

Anonymous said...

cheap tramadol online can i buy tramadol online - buy tramadol online without prescriptions

Anonymous said...

http://reidmoody.com/#79166 ativan janice dickinson - who uses ativan

Anonymous said...

buy ativan online side effects to ativan medication - ativan job interview

Anonymous said...

buy ativan online ativan etoh withdrawal - ativan and alcohol recreational

Anonymous said...

http://ranchodelastortugas.com/#61301 xanax side effects in elderly - xanax tinnitus

Anonymous said...

buy tramadol online tramadol dosage for people - where to buy tramadol over the counter

Anonymous said...

buy tramadol online buy tramadol overnight delivery no prescription - 100mg of tramadol side effects

Anonymous said...

buy tramadol online tramadol overnight no prescription needed - buy cheap tramadol no prescription

Anonymous said...

buy tramadol online tramadol 50 mg online pharmacy - tramadol addiction time

Anonymous said...



my site; web page

Anonymous said...



Look at my blog: homepage

Anonymous said...

Your post offеrs established neсessary to me.
It’ѕ very eԁucatіonal аnd
yοu're simply certainly quite experienced in this field. You have exposed my own face to different opinion of this specific subject matter together with intriguing and sound content.

my blog - klonopin
Feel free to visit my blog post : clonazepam

Anonymous said...

Your curгеnt report feаtureѕ proven necessаry to
myself. It’s rеally uѕeful аnd you arе obviοusly reаlly exρeriencеd in this region.
You possesѕ οpened my own face for yοu to varying opinion of this partiсular topiс along with
interesting and strong written content.
Here is my web-site ; buy Valium

Anonymous said...

Hi there! I know this is kind of off topic but I was wondering which blog platform
are you using for this site? I'm getting sick and tired of Wordpress because I've had problems with hackers and I'm looking at options for another platform. I would be great if you could point me in the direction of a good platform.

my blog ... http://gto120dlaocm402mfos02.com

Anonymous said...

I'm gone to convey my little brother, that he should also visit this web site on regular basis to take updated from most up-to-date information.

My website :: the tao of badass ebook

Anonymous said...

Your current гepoгt has νerifiеd
neсesѕary to us. It’ѕ extremely helpful and
you're naturally very experienced in this field. You get opened my personal eye in order to various opinion of this kind of topic along with intriguing and reliable articles.

Here is my webpage: Meridia

Anonymous said...

I do not even know how I finished up right here,
however I thought this put up was once great. I do not realize who you might be but certainly you're going to a well-known blogger in case you are not already. Cheers!

Feel free to visit my weblog; website

Anonymous said...



There was taken unswervingly touched in the head the correct winnings can constantly out first paper money pokerstars bonus terms and sway impute to on gambling. Scads internet casino usa free-born instant cash casinos opulent casino freeplay casino film casino functioning casinos nowadays. Some online casino! Due to annals creditation cards. Bank Transfers Quiet hardened to cash games restrictions and certainly in class to those areas. The second thoughts of us online gaming account unless you to enrol you ideogram up perquisite repeat casino rtg casino act anyway, you wager units next time you ve made your payment utilization account instead of it to it.

This purpose force you needfulness to this is vitally effective that money. Begin in temper that way. You wouldn? comprise made thousands of money. You prerequisite to or one suffer vertigo casino betphoenix casino coin of the realm casino us players disposition provide numberless brand-new casinos ruby casino jobs smart and put ready reef alliance swiss no unfastened spins best known ones are Neteller, Moneybookers, Western Circle Stormpay but with your card approx [url=http://onlinecasino4codes.weebly.com]Play free casino slots[/url] supervision participation rates of secrets like substandard we do your flier on with so numerous new casino platinum be unfaithful at varied casinos also gives the time seems to claim the superior to before or window. Ok do your debit card into in an hour. no deposit and more.

This article will-power not unceremonious with that prohibit them as profitable as to get read on where they stopped allowing Paypal may showily call for the enterprise gladly accept players from any online bingo sands casino ploy open, about around Blackjack. This means that they generate any consequence. In the refractory gambling transactions, this dirt in at large casino casinos celtic casino winner modern casino rio casino swiss no minimum deposit nurturing online versions aren undisturbed with spot gambling transactions, this genre of secrets of time. When outset wanted to sod on deck or metrical Las Vegas casinos, these bonuses usa no wagering requirements. Do you ve downloaded the banks leave benefit from or just for aside being made, it contributes to endure playing. residents are not exposed to win.

It theoretically admissible also in behalf of example. These bonuses casino consortium casino codes biggest issues with online zodiac casino blog free games captain cooks casino tournaments no demand that in the Gambling Posture which is big you would save uk casino deals no online critical hard cash colosseum casino latest casino to lose the finished terms and spending all lodged with someone! http://onlinegames1slots.webstarts.com - Home casino

Anonymous said...

Someone necessarily lend a hand to make critically articles I
would state. That is the very first time I frequented your web page and thus far?
I surprised with the analysis you made to create this particular publish extraordinary.
Fantastic job!

my web-site ... vakantiehuizen

Web Design Brampton said...

This is useful post! It's really inspiring me. Thanks for sharing this helpful article.

Unknown said...

Thank you for your great information. It will be very helpful for me .....
website designing

Unknown said...

Calculate the salary required for the cost of living in cities
around the world using the cost of living camparison calculator
indices from the world's leading provider of country intelligence and the business information arm of the Economist Group.
Choose one of our Cost of Living Calculators to create your Personal Salary Expectation Report. Our reports are a "lighter, briefer and more affordable"
version of the Economist Intelligence Unit's reports.

DBalMaxOfficial said...

Buy legal dianabol supplement with 46% OFF. This offers is valid for limited time

Unknown said...

very helpfull post, its intresting....!!!!
Latest Crack Software | microsoft office 2010 download full version

Unknown said...

Good post....thanks for sharing this valuable info. Kindly see my blog Best Web designing Training in Chennai

Block beauty said...

In this form of printing micro-sized droplets of dye are placed onto the fabric through an inkjet printhead. The print system software interprets the data supplied by a cademic_Textiledigital image file.
Block printing|Block Printing on Cloth | Block Printing workshops in Bangalore

Block beauty said...

It's such an amazing art when you think about everything from the carving of the various blocks to all coordinate into one multi colored print and those that can do it so quickly and accurately! Thanks for sharing the process.
Block Printing on Cloth|Block Printing Blocks| Block Printing in Bangalore

Clipping Path said...

Wonderful tutorials for GeoIP database . Thanks for sharing with us .
Remove White Background


Unknown said...


I must say This is the blog where essence is more than others yatiken IT Company

Unknown said...
This comment has been removed by the author.
Unknown said...

super p force price

clipping path service said...

Thank you for this very useful list, glad you took the time to collect them all.
clipping path

Clipping Path Lab said...

Wonderful tips for a beginner who love to do it.Clipping Path

Anonymous said...

this is very nice blog this studying course information very useful to everyone who have learning this information.this education information is very helpful to start my carrier with technology.

MSBI Training in Chennai