joi, 24 mai 2018

Buy Bitcoin with Paypal

There are many ways to Buy Bitcoin with Paypal.
  • VirWox
  • LocalBitcoins
  • Cryptonit
  • Paxful
  • Paybis
LocalBitcoin
LocalBitcoins is the easiest way to buy Bitcoin with Paypal, Cash, and other ways. But it is a bit risky as it is a marketplace and you need to be careful before closign the deal.
Check the profile of the person and then proceed the deal.
Paxful
Paxful is another simple and easy way to Buy Bitcoin using Paypal and is exactly similar to LocalBitcoins.
But Paxful has much more option of payment which surely gives an upper hand to it over Localbitcoins.
VirWox
The process of Virwox is quite lengthy but is more secure and the charges are a bit lower than any other way.
You can read the complete process of How To Buy Bitcoin with Paypal through Virwox Here.
Thanks :)

marți, 28 februarie 2017

Introduction to C

This tutorial is designed to be a stand-alone introduction to C, even if you've never programmed before. However, because C++ is a more modern language, if you're not sure if you should learn C or C++, I recommend the C++ tutorial instead, which is also designed for people who have never programmed before. Nevertheless, if you do not desire some of C++'s advanced features or simply wish to learn C instead of C++, then this tutorial is for you! 

Getting set up - finding a C compiler

The very first thing you need to do, before starting out in C, is to make sure that you have a compiler. What is a compiler, you ask? A compiler turns the program that you write into an executable that your computer can actually understand and run. If you're taking a course, you probably have one provided through your school. If you're starting out on your own, your best bet is to use Code::Blocks with MinGW. If you're on Linux, you can use gcc, and if you're on Mac OS X, you can use XCode. If you haven't yet done so, go ahead and get a compiler set up--you'll need it for the rest of the tutorial.

Intro to C

Every full C program begins inside a function called "main". A function is simply a collection of commands that do "something". The main function is always called when the program first executes. From main, we can call other functions, whether they be written by us or by others or use built-in language features. To access the standard functions that comes with your compiler, you need to include a header with the #include directive. What this does is effectively take everything in the header and paste it into your program. Let's look at a working program:
#include <stdio.h>
int main()
{
    printf( "I am alive!  Beware.\n" );
    getchar();
    return 0;
}
Let's look at the elements of the program. The #include is a "preprocessor" directive that tells the compiler to put code from the header called stdio.h into our program before actually creating the executable. By including header files, you can gain access to many different functions--both the printf and getchar functions are included in stdio.h. 

The next important line is int main(). This line tells the compiler that there is a function named main, and that the function returns an integer, hence int. The "curly braces" ({ and }) signal the beginning and end of functions and other code blocks. If you have programmed in Pascal, you will know them as BEGIN and END. Even if you haven't programmed in Pascal, this is a good way to think about their meaning. 

The printf function is the standard C way of displaying output on the screen. The quotes tell the compiler that you want to output the literal string as-is (almost). The '\n' sequence is actually treated as a single character that stands for a newline (we'll talk about this later in more detail); for the time being, just remember that there are a few sequences that, when they appear in a string literal, are actually not displayed literally by printf and that '\n' is one of them. The actual effect of '\n' is to move the cursor on your screen to the next line. Notice the semicolon: it tells the compiler that you're at the end of a command, such as a function call. You will see that the semicolon is used to end many lines in C. 

The next command is getchar(). This is another function call: it reads in a single character and waits for the user to hit enter before reading the character. This line is included because many compiler environments will open a new console window, run the program, and then close the window before you can see the output. This command keeps that window from closing because the program is not done yet because it waits for you to hit enter. Including that line gives you time to see the program run. 

Finally, at the end of the program, we return a value from main to the operating system by using the return statement. This return value is important as it can be used to tell the operating system whether our program succeeded or not. A return value of 0 means success. 

The final brace closes off the function. You should try compiling this program and running it. You can cut and paste the code into a file, save it as a .c file, and then compile it. If you are using a command-line compiler, such as Borland C++ 5.5, you should read the compiler instructions for information on how to compile. Otherwise compiling and running should be as simple as clicking a button with your mouse (perhaps the "build" or "run" button). 

You might start playing around with the printf function and get used to writing simple C programs.

Explaining your Code

Comments are critical for all but the most trivial programs and this tutorial will often use them to explain sections of code. When you tell the compiler a section of text is a comment, it will ignore it when running the code, allowing you to use any text you want to describe the real code. To create a comment in C, you surround the text with /* and then */ to block off everything between as a comment. Certain compiler environments or text editors will change the color of a commented area to make it easier to spot, but some will not. Be certain not to accidentally comment out code (that is, to tell the compiler part of your code is a comment) you need for the program. 

When you are learning to program, it is also useful to comment out sections of code in order to see how the output is affected.

Using Variables

So far you should be able to write a simple program to display information typed in by you, the programmer and to describe your program with comments. That's great, but what about interacting with your user? Fortunately, it is also possible for your program to accept input. 

But first, before you try to receive input, you must have a place to store that input. In programming, input and data are stored in variables. There are several different types of variables; when you tell the compiler you are declaring a variable, you must include the data type along with the name of the variable. Several basic types include char, int, and float. Each type can store different types of data. 

A variable of type char stores a single character, variables of type int store integers (numbers without decimal places), and variables of type float store numbers with decimal places. Each of these variable types - char, int, and float - is each a keyword that you use when you declare a variable. Some variables also use more of the computer's memory to store their values. 

It may seem strange to have multiple variable types when it seems like some variable types are redundant. But using the right variable size can be important for making your program efficient because some variables require more memory than others. For now, suffice it to say that the different variable types will almost all be used! 

Before you can use a variable, you must tell the compiler about it by declaring it and telling the compiler about what its "type" is. To declare a variable you use the syntax <variable type> <name of variable>;. (The brackets here indicate that your replace the expression with text described within the brackets.) For instance, a basic variable declaration might look like this:
int myVariable;
Note once again the use of a semicolon at the end of the line. Even though we're not calling a function, a semicolon is still required at the end of the "expression". This code would create a variable called myVariable; now we are free to use myVariable later in the program. 

It is permissible to declare multiple variables of the same type on the same line; each one should be separated by a comma. If you attempt to use an undefined variable, your program will not run, and you will receive an error message informing you that you have made a mistake. 

Here are some variable declaration examples:
int x;
int a, b, c, d;
char letter;
float the_float;
While you can have multiple variables of the same type, you cannot have multiple variables with the same name. Moreover, you cannot have variables and functions with the same name. 

A final restriction on variables is that variable declarations must come before other types of statements in the given "code block" (a code block is just a segment of code surrounded by { and }). So in C you must declare all of your variables before you do anything else: 

Wrong
#include <stdio.h>
int main()
{
    /* wrong!  The variable declaration must appear first */
    printf( "Declare x next" );
    int x;

    return 0;
}
Fixed
#include <stdio.h>
int main() 
{
    int x;
    printf( "Declare x first" );

    return 0;
}

Reading input

Using variables in C for input or output can be a bit of a hassle at first, but bear with it and it will make sense. We'll be using the scanf function to read in a value and then printf to read it back out. Let's look at the program and then pick apart exactly what's going on. You can even compile this and run it if it helps you follow along.
#include <stdio.h>

int main()
{
    int this_is_a_number;

    printf( "Please enter a number: " );
    scanf( "%d", &this_is_a_number );
    printf( "You entered %d", this_is_a_number );
    getchar();
    return 0;
}
So what does all of this mean? We've seen the #include and main function before; main must appear in every program you intend to run, and the #include gives us access to printf (as well as scanf). (As you might have guessed, the io in stdio.h stands for "input/output"; std just stands for "standard.") The keyword int declares this_is_a_number to be an integer. 

This is where things start to get interesting: the scanf function works by taking a string and some variables modified with &. The string tells scanf what variables to look for: notice that we have a string containing only "%d" -- this tells the scanf function to read in an integer. The second argument of scanf is the variable, sort of. We'll learn more about what is going on later, but the gist of it is that scanf needs to know where the variable is stored in order to change its value. Using & in front of a variable allows you to get its location and give that to scanf instead of the value of the variable. Think of it like giving someone directions to the soda aisle and letting them go get a coca-cola instead of fetching the coke for that person. The & gives the scanf function directions to the variable. 

When the program runs, each call to scanf checks its own input string to see what kinds of input to expect, and then stores the value input into the variable. 

The second printf statement also contains the same '%d'--both scanf and printf use the same format for indicating values embedded in strings. In this case, printf takes the first argument after the string, the variable this_is_a_number, and treats it as though it were of the type specified by the "format specifier". In this case, printf treats this_is_a_number as an integer based on the format specifier. 

So what does it mean to treat a number as an integer? If the user attempts to type in a decimal number, it will be truncated (that is, the decimal component of the number will be ignored) when stored in the variable. Try typing in a sequence of characters or a decimal number when you run the example program; the response will vary from input to input, but in no case is it particularly pretty. 

Of course, no matter what type you use, variables are uninteresting without the ability to modify them. Several operators used with variables include the following: *, -, +, /, =, ==, >, <. The * multiplies, the / divides, the - subtracts, and the + adds. It is of course important to realize that to modify the value of a variable inside the program it is rather important to use the equal sign. In some languages, the equal sign compares the value of the left and right values, but in C == is used for that task. The equal sign is still extremely useful. It sets the value of the variable on the left side of the equals sign equal to the value on the right side of the equals sign. The operators that perform mathematical functions should be used on the right side of an equal sign in order to assign the result to a variable on the left side. 

Here are a few examples:
a = 4 * 6; /* (Note use of comments and of semicolon) a is 24 */
a = a + 5; /* a equals the original value of a with five added to it */
a == 5     /* Does NOT assign five to a. Rather, it checks to see if a equals 5.*/ 
The other form of equal, ==, is not a way to assign a value to a variable. Rather, it checks to see if the variables are equal. It is extremely useful in many areas of C; for example, you will often use == in such constructions as conditional statements and loops. You can probably guess how < and > function. They are greater than and less than operators. 

For example:
a < 5  /* Checks to see if a is less than five */
a > 5  /* Checks to see if a is greater than five */ 
a == 5 /* Checks to see if a equals five, for good measure */ 

miercuri, 12 octombrie 2016

When I started with making money online Adfly was popular site for newbies.
You could make 5-10$ easily with some spam methods and with a lot of work every day.
This was 5 years ago, and I tried Adf.ly again and I will write my opinion here.
So before you start with Adf.ly read this article, I hope this article will help you a lot.


What is ?


Adfly is advertising website that allows you to make a short version of any link from internet and when you post that link somewhere, and visitor click on that shorten link you will get some money from Adfly.
It seems complicated but it’s not, it’s one of the most popular methods for newbies.
Adfly is free to join for everyone, and free to work for everyone, so you can go and register your account there


Explain me this about short links, I don’t get it?


So when you register on Adf.ly you will be able to put any link that you want to short in their Short Box.
Site will generate short link for you, it will look like this: ‘www.adf.ly/gf4’.
Basically site will give you this link and you just copy that link and put it on your website, send it to your friends, post it on Facebook, post it on some forums.. to get visitors and to make some money.
When someone click on that link they will be redirected to Adf.ly page with sponsored page (ad), and they will have to wait for 5 seconds to skip that page to get to the real website. (this is really annoying sometimes)
This is how you make your money, when they skip that ad and when they land on your real page you will get your money.
So it’s not enough just to click on your link, they have to wait for 5 seconds and Skip Adf.ly page to make you some money.


How much Money can I make With Adf.ly?


make money with adfly 2016 method

It’s not much, even for newbies this is not a lot of money, you will get on average $0.00040 – $0.05 per click.
Average commission per 1000 clicks is 1-2$, so you need 6000 clicks to make 10$ every day.
If you can get lot of clicks it’s great, that’s 300$ per month and you can start some other projects with that money.
But if you don’t have some large Facebook groups (pages), or lot of friends, it’s really hard to make more than 500 clicks per day.
Some days you will get 50 clicks and some days you will get more because your links will always be alive.
It’s funny that I posted some links on forums, blogs.. 4-5 years ago, and still after 5 years they get few clicks every day.
So I make passive 0.1 – 0.3$ every day from these links.


What I don’t really like about Adf.ly


First thing I don’t like is the fact that you need to spend hours to make few bucks from this site.
Adf.ly mail support is 2/10, you will not get your answer at least for 2 weeks, and sometimes they don’t even answer.
Ads or sponsored pages on Adf.ly will sometimes contain some naked scenes, gambling adverts.. so these ads are not really 100% safe for kids.
Sometimes they will give you really bad click prices like 0, 00010$ (it’s not always the case).
Everything else is pretty fine to me, design is great, it’s easy to navigate even for newbies.


Should I Really Start with Adf.ly?


I would not recommend you this site if you want to make some huge money online, because in the first few days you will make maybe 0.2$ per day without large groups, big Youtube videos or without lot of friends on Facebook and Twitter.
You can try few other methods from my blog for newbies:

Don’t get me wrong, you can make some money with Adf.ly but for me, it’s really hard to spend hours every day just to make 10$ per day, and you are lucky if you even get 5-10$ every day.
If you have some plan, some methods to make some big money with Adfly go for it, try, if you fail try some other methods.
If you want to start with Adf.ly,
You can use Adfly as your side method, while you work on some better paying method, you can use Adfly to cover your costs.
I will repeat this again, you will not be able to make anything more than 1$ per day if you don’t have groups, pages and friends who will click on your http://adf.ly/?id=3213144links.

vineri, 23 septembrie 2016

Wow! I made some money online.” This was my reaction when I made few cents within a day using AdF.ly. It is impossible to forget that moment because it was the first time I made some money online. That motivated me and since then I have made hundreds of dollars online using many other methods. In this post I am going to present you a detailed review on AdF.ly or commonly called as Adfly. Keep reading because it may become a new online money making source for you.

What is AdF.ly?

So the first question that comes to your mind is “What is AdF.ly?” so let's start discussing about Adf.ly.
Adf.ly is website that pays you money every time someone clicks on your shortened Adf.ly links.
Still Confused? Let me Explain.

Adf.ly is an URL shortening service similar to Bit.ly.
  1. You input a link on AdF.ly. For example “google.com”
  2. AdF.ly shortens it and gives you a links “https://adf.ly/PNDe3
  3. You share the shortened link anywhere on the web.
  4. Someone clicks on your link i.e. on “https://adf.ly/PNDe3
There is twist now. Before redirecting to “google.com” adf.ly will show an ad to your visitor. He had to see the advertisement for at least 5 seconds and then he can continue to your link i.e. “google.com”. 

How AdF.ly works?

However I have provided you an overview of the working of AdF.ly, there are some questions left why adf.ly pays you and how adf.ly itself make money. To make it more clear let us take an example. Think of an advertiser who wants to sell his product or promote his online business. So he want more visitors to see his business or buy his product: AdF.ly is the solution for the advertiser. Let's check out the complete working of AdF.ly:
  1. Advertiser pays money to Adfly to show his website to visitors of any specific country or the whole world. Let’s say advertiser paid $2 for 1000 visits.
  2. Adfly takes a cut. Let’s say Adfly takes $0.4.
  3. Adfly shows the advertisement (of advertiser's business or product) for 5 seconds when a visitor clicks on publisher’s links. Publisher gets rest of $1.6 for 1000 visits on his link.
Now you have the complete idea of the working of AdF.ly. Let’s turn to the question “Is AdF.ly a scam?”

Adf.ly: Legit or Scam?

Adf.ly is not a scam; there are several points that prove it.
  1. It was started on 2009. It is six years now as of 2015. Only legit sites can live for so much of time.
  2. According to Alexa, Adfly is among the top 100 websites of the world. Can you ever think of a scam site in the top 100 websites of the world?
  3. It has more than 2 million users registered which prove that adf.ly a famous and legit site.
  4. They always pay on time.
  5. And the payment proof paid to me by Adf.ly below, proves it to be legit.

Adf.ly Paymnet Proof
Adf.ly Paymnet Proof
Now you should be eager to know more about Adf.ly so let’s continue and check out it's pros and cons.

Pros and Cons of using AdF.ly

Pros

  • Fast and Easy Sign Up process
  • Simple User Interface
  • Easy to use and make money
  • Minimum Payout is only $5
  • Daily Payments are also available
  • Many tools are available
  • You can also make money referring others

Cons

  • Annoys visitors who click your link
  • Payout rates are quite low for some countries
  • Visitors that visit adf.ly links must have Java Script and Flash Enabled to get publisher (shortener) credited for visits

Payment Methods

Minimum payout is only $5; this means as soon as you will make $5 you can withdraw it.

Payment Methods are:
  • Paypal
  • Payoneer (Bank Transfer)
  • Payoneer (Prepaid Card)
  • Payza
Adf.ly also provides daily payments as soon you will meet the following requirements:
  • Withdrawal Account Set
  • Paid once in monthly payment
  • Account longer than one month
  • Account details not changed in last 72 hours
  • Cashout limit reached: $5

Types of Links

First of all let me explain about types of ads adf.ly provides in their links.
Adf.ly provides two types of ads:

Desktop CPV

Interstitials CPV: This are CPV (Cost Per View) ads that is shown for 5 seconds. Example Link: https://adf.ly/PNDe3

Top Banner CPV: These are CPM (Cost Per Mile) banner ad shown at the top of the website URL you shortened using adf.ly. Example link: https://adf.ly/pd0fh

Mobile CPM

Interstitials CPM: This indicates the money you will get for every 1000 ad views on mobile phones that the visitor has to see for at least 5 seconds.

Top Banner CPM: This indicates the money that you will earn for every  1000 impressions of banners on mobile phones.

Unique and Raw

There are two types of views according to which you will make different amount of money.

Unique: Average amount paid for 1000 visitors in the 24-hour period.

Raw: Average amount paid on the 1st advert view for 1000 link views in the 24-hour period. In this case the views matter not visitors.

Let us take an example to understand it. Let us say that one person clicked on two of your adf.ly links within 24 hour period, this mean that you have got one unique view but two raw views. Raw views pay slightly less than unique views.

Tools on Adf.ly

Adf.ly has many features and tools which can help you to make even more money.

Mass Shrinker: Mass Shrinker is a tool which allows you to shrink up to 20 URLs at a time. It is a good tool if you want to shrink many URLs at a time.

Multiple Links: This allows AdFly to convert ALL of the links on a page into Paid Links. You simply cut & paste the HTML of a page into the HTML box of the tool and it will generate a new page for you.

Easy Link: If you don’t need a short URL and you just want to make money from your blog or website, Easy Link provides you the quickest and simplest possible way to earn with adf.ly:
Replace "www.google.com" with whatever URL you wish the user to go to if they skip the advertisement.
You do not need to even login to adf.ly to use this and your account will be credited in the same way as if you had shortened the link.
If you want the Easy Link with the Banner advertising (less money, but less intrusive):
http://adf.ly/4164324/banner/www.google.com

Note that the URLs above are my easy link URLs. You will get your own easy link URL when you will sign up for adf.ly.

Bookmarklet: It is toolbar that you can install in your browser. Whenever you visit a page online you just simply click 'Shorten with adf.ly!' button in your tool bar and you will get shortened adf.ly link for that URL.

API Documentation: This tool you everything you need to integrate adf.ly links in your applications.

Google Analytics: You can use this tool to see your adf.ly statistics in google analytics.

Full Page Script: If you have a blog or website and you want to convert all your links into adf.ly links, this tool gives you the code for that.

Website Entry Script: This tool allows you to make money every time someone enters your blog or website. First the visitor had to see advertisement for 5 seconds and then he will be allowed to visit your site.

Export Links and Stats: This tool allows you to export your shortened links and statistics so that you can have a backup of them.

Domains: This tool allows you to use your domain or subdomain names with adf.ly service. If your blog URL is http://www.yourdomain.com, your adf.ly links could now look like http://go.yourdomain.com/Ad3g

Pop Ads: If you have a website or blog and wish to earn money when a visitor simply enters your site (even without clicking an AdFly link!), you can use this tool to display Pop Ads.

Mass Delete: Recently adfly added this tool which allows you to delete your links that were created in a given data range. uou can select data range and delete your links at one click.

Plugins: This tool provide wordpress users a plugin to integrate adf.ly on their blogs.

How much will you earn from AdFly?

Adfly Review
Adfly Review: Get Paid to Shrink Your URLs
Now the most important question is how much money can you make from Adfly? At an average Adf.ly pays you $2/1000 visits to your links. But as I said it is an average. From USA you can make as much as $9/1000 visits wile from Asian countries you may make less than a dollar for 1000 visits.

Is it low?

It might be low compared to those get rich quick scams that claims that you can make more than $1000 a day sitting at sofa. Earning real money needs patience and hard work.

I have seen people making more than $50 a day using AdFly. The only secrets are persistent and continuous effort.

Now, I will be explaining "How can you make money from Adf.ly" but before that I recommend you to sign up at Adfly so that you can start seeing few cents in your account within few minutes. Don’t worry! It’s FREE to Sign Up and just takes a few seconds. Let’s see quickly how to join AdF.ly?

How to Join Adf.ly?

Adf.ly Homepage
Adf.ly Homepage

It is quite easy then also I am writing the steps so that even a novice can also join Adf.ly and start making money posting links on the web.

  1. Go to AdF.ly
  2. Click on "Join Now"
  3. Enter you Name, Username and Email
  4. Account type is already by default is “Links Shrinker” so there is nothing to do
  5. Enter Password and complete the Human Check
  6. Agree with terms and conditions (better you read them)
  7. Click on ‘Join’
  8. You will receive an email from Adf.ly to the Email Address you gave while signing up
  9. Follow the instructions given in the email to confirm your Sign Up
The whole process will not take more than 2 minutes.

How to Make Money from Adf.ly?

Best thing I like about Adfly is that even a person that do not know much about computers, internet and other tech stuffs can also make money from it. There is no specific strategy to make money from Adfly. I am going to give you some of the ideas to make money from it but it doesn’t mean that these are the only ways to make money. Be creative to make your own ways to share your links so that it reaches to the huge number of people and they click on it.

In a nutshell, a person is only going to click your links if you have something interesting or valuable to share through your links. Here are some of the places you can share your links. But before you share your links; be sure you have something people want to check out. Let’s start:

Post on forums

Most of the forums allow links in your posts. Find a trending topic that is going to be trending for few months at least (So that you can make money for months). Find forums related to that topic and sign up to them. Find something related to that topic and post on them on the forums. Keep increasing your posts solely (Note: Never spam or you will get banned from forums).You will see your earnings increasing slowly.

Comment on blogs

This is similar to the above trick. Just the difference is that this time you are posting on blogs related to your topic.

Using Social Networks

Social networks are place where people usually share links. Only you have to do is that, find some famous social networks and before posting any link shorten it with adf.ly. But you should take care that a person after seeing the advertisement and skipping the ad, should get something interesting. If he gets something junk, surely he is not going to click your links anymore in the future.

Note: Most famous social networks like facebook, twitter etc. have banned adf.ly links. Don’t worry there are other social networks which have not banned them.

Using Blog or Website

If you have a blog or a website, you can use it to make money from Adf.ly. Just change your outgoing links to adf.ly links or you can also their full page script or website entry script.
Note: I never recommend you to use adf.ly links on professional blog or website.


Refer Others

This can be proved to be the way to make most money from Adf.ly. Only you have to do is to refer your friends, relatives or anyone to join adf.ly and you will make money.

Refer Publishers and you will receive 20% of their earnings for life.
Refer Advertisers and earn 5% commission on every advertising order they make.

Have Patience

This is where the majority of people fail, they don't have patience and give up soon. Also some others think that they will earn very small amount, so what's the use? But the truth is even a millionaire starts from making cents. Slow and steady wins the race, and it applies very true for making money with Adf.ly.

A Short Video from Adf.ly



Conclusion

These are not the only ways; you can create your own ways to make even more money using adf.ly.

If your visitor likes what he get after seeing ad for 5 seconds, it worth his time or else he wasted his valuable time. So never spam adf.ly links that have nothing interesting or valuable to offer all over the web just to get clicks, or you will be called a spammer. I hope you will understand it because spamming is not only a bad practice but it can also have your account suspended at adf.ly.

In a nutshell; make adf.ly account, shorten some valuable webpage URLs and share them on the web. See money adding up in your account. Good Luck!

Note (before signing up to Adf.ly): Don't just join Adf.ly for sake of joining it. I have seen many people who sign up and think that they will get rich within an hour, doing nothing. I hope you are not that kind of person. After joining adf.ly, start sharing your links so that it can reach most number of people. Most probably you will see only cents or even less in your adf.ly dashboard but if you continue, those cents will convert to dollars and soon you will get your first payout from adf.ly.


Join to Adf.Ly now --->http://adf.ly/?id=3213144




Source: AdF.ly Review 2016: A Legit Way to Make Money Shortening Links | Top Blog Money 

duminică, 4 septembrie 2016

10 Real Ways to Make Money from Home

Most of us love the idea of earning extra income or quitting our full-time jobs altogether and working from home. If you thought work-from-home companies were just running scams, it turns out there are plenty of authentic and reliable ways to make money by working from home. Christine Durst, cofounder of RatRaceRebellion.com and consultant to the FBI on internet scam issues tells us, "There is currently a 61-to-1 scam ratio among work-at-home job leads on the internet—that is, for every legitimate job, there are 61 scams." But, there are a lot of opportunities for a "real job." The secret is knowing how to separate the scams from what's legit.
Here's a hint: Legitimate jobs will typically never require you to pay a fee to get more information, and they don't come in unsolicited junk e-mail messages. Still, there's plenty of earning potential in working from home because, now, many of the top-earning home-based positions are with big traditional companies like Xerox, Dell and IBM.
No matter what your area of interest or expertise, if you have the desire to work from home, someone, somewhere, has work for you that can use your skills and natural talents. If you remain diligent and flexible, you'll find it. And you won't have to spend money on gas or transportation to get to work.
Rebecca Martin from Covergys.com, a call-service supplier, says, "be sure you have a quiet, distraction-free designated work space. Decorate your home office in a style that is appealing and inspirational to you." Most women do better if they treat their at home job more like an occupation. Let everyone know you are working. Get dressed in the morning, stick to a routine that works for you and those around you and you'll be on your way to earning substantially more than you thought you could.
Most of the jobs in this article require an up-to-date computer, a high-speed Internet connection, a phone with a dedicated land line and a quiet place to work.

 RELATED ARTICLE

1. CUSTOMER-SERVICE REP

Many companies, such as J. CrewExpress Jet1-800-flowers, and even the IRS, outsource customer-service operations to third-party companies who then hire home-based workers or "agents" to take calls and orders. When you call 1-800-flowers, you may be speaking with Rebecca Dooley, a retired police officer and employee of Alpine Access, a major call-center service. When you dialed the number, your call was automatically routed to Rebecca's spare bedroom in Colorado.
Alpine Access currently employs more than 7,500 work-at-home customer-service agents who take in-bound calls (there's no outbound or cold calling) for dozens of companies. "This works perfectly for me because I can set up my hours around my family's busy lifestyle," says Rebecca, who usually works 20 to 32 hours a week, depending on her schedule.
While the typical hourly rate is about $9, Alpine Access agents who work more than 20 hours a week are eligible for benefits plus a 401k program when they have worked for over 1,000 hours. (Some companies consider their staff independent contractors, so they don't provide benefits.) Other companies that hire virtual call agents:

2. TELEMARKETER

To do this job, you need a pleasant voice and personality, and really thick skin—you're bound to encounter some hostility. Still, it's a good way to earn income. Many large companies now outsource their cold-calling campaigns to third parties who hire home-based workers to place the calls. Telemarketers are typically paid by the hour, and they may earn incentives and commission based on performance.
Companies hiring home-based workers include Telereach.com and Intrep.com. Apply on their websites. Keep in mind that a legitimate company will typically not require you to pay a fee to get information or leads, and will explain how to apply, exactly what is required and what to expect.

 RELATED ARTICLE

3. ONLINE JUROR

Companies will pay you to sit on mock juries to give attorneys and other jury consultants feedback on cases they are currently handling. Think of these as focus groups. The cases are real, but your verdict will do little more than give those involved a prediction of how things might go. You can earn fees ranging from $5 to $60. Be sure to read all the disclaimers and details. Go to:


4. SURVEY TAKING

If you've ruled out survey taking as a legitimate way to earn money from home, listen to Bonnie Alcala. She and her daughter Andrea Spain, an elementary-school substitute teacher, take surveys online for fun and a little profit. They are careful to avoid any scams by refusing to pay an upfront fee or other charge. Bonnie and Andrea pocket around $100 a month for spending two hours a week taking surveys, which gives each of them extra pin money. In addition, they collect all kinds of gift cards and other prizes.
If you've got a little spare time and want to save up a stash of cash for holiday shopping or even a family vacation, here are Bonnie and Andrea's favorite survey sites:
Also, InboxDollars pays participants cash to fill out surveys, watch ads, play online games and redeem coupons, with one caveat: you must earn $30 before you can cash out (you earn $0.50 per survey).

5. WRITER, BLOGGER, EDITOR, OR PROOFREADER

Everyone says you're a fantastic writer, so isn't it about time you got paid? Good writing is still in demand says Durst, especially for online content. For the best sites tryJournalismJobs.com, About.com seeks "Guides" in a broad area of topics, andMediaBistro.com. For blogging jobs, try problogger.net. If you have experience as a freelance copy editor, writer or proofreader, go to editfast.com. Rates vary between $15 and $25 an hour.

6. CYBER CRAFTER

If you're a crafter in search of customers, the internet is your showcase, and not only at auction sites like eBay. DeWitt Young of ObviousFront.etsy.com Has had success turning her crafts into cash in cyberspace. She has a booth at Etsy.com's Craft Mall, an amazing place where more than 10,000 artisans and crafters offer their goods for sale.
DeWitt turns salvaged parts from old TVs and VCRs into artsy necklaces, earrings and figures. Colleen Jordan uses 3D printing to create her necklaces called wearable planters. Don't be discouraged, Shapeways 3D printing company can get you started with their simple apps so you can easily customize your own designs with a click of a mouse, anything from a wedding band in rose gold, a vase in ceramic or your own bobble head printed in full color. All for the purpose of generating sales.


7. ONLINE GUIDE OR EXPERT

Do your friends look to you for advice on things you're passionate about, such as which car to buy, how to repair appliances or how to make a killer cheesecake? Whatever your area of expertise, if you are also a seasoned writer with an infectious enthusiasm for a particular topic, consider becoming an online expert guide. Guides are freelancers with an ability to communicate well and good grammar and spelling skills.
For example, About.com guides write articles or reviews in their area of expertise. They earn no less than $725 a month, but some make more than $100,000 a year depending on year-over-year, page-view growth. Go to beaguide.about.com, where you'll find which areas of expertise are still open. (There are many!)
Also try Chacha.com, a new search engine similar to Google and Yahoo, and click on "Become a Guide" for more information. At JustAnswer.com, users agree to pay for the answers to their questions. Guides are paid a percentage of the pre-negotiated price per answer and the number of accepted answers received. Go to Just Answer to find out how.

 RELATED ARTICLE

8. VIRTUAL ASSISTANT

Many small-business owners and mid- to executive-level professionals need personal assistants, but can't afford a permanent position on the payroll. The solution? Hire people from remote locations to do their administrative work.
Virtual assistants handle all kinds of administrative projects, including travel arrangements, event planning, correspondence and other support services that can be done remotely via e-mail and phone.
Lynne Norris, who works out of her home in Pennsylvania (NorrisBusinessSolutions.com), says that rates for VAs run about $25 to $75 or more an hour, based on the types of services you provide. The startup costs are about $500 to $1,000, assuming you have an up-to-date computer and printer. Lynne loves the flexibility. "My children are happy that I don't miss the important things in their lives." Check out the International Virtual Assistants Association, or virtualassistantjobs.com and teamdoubleclick.com for more.

9. ONLINE TUTOR OR ENGLISH AS A SECOND LANGUAGE INSTRUCTOR

If you have a college degree and the skills to tutor students online in math, science, English or social studies, this job may fit you perfectly. Go to Tutor.com—tutors who work for the company and have passed their probationary period earn $10 to $14 an hour. According to Durst, "Skype and other web interface tools are bringing English language instructors face-to-face with students from around the world." Try ispeakuspeak.com, openenglish.com to get started.

10. ACCEPTING PACKAGES

If your normal 9-to-5 involves working from home, this is one of the easiest ways to earn some extra dough. Sign up with eNeighbr to accept and hold shipments for your neighbors when they aren't home, so they don't get stolenEarning potential: $3.50 per package