• Straight From The Horses Mouth – Get Googlized

    Date: 2011.02.24 | Category: Search Engine Optimization | Response: 0

    Many webmasters wonder how to ensure their sites will be included in Google’s index of web sites. Although Google crawls more than a billion pages, it’s inevitable some sites will be missed. When Google does miss a site, it’s frequently for one of these reasons:

    * The site is not well connected through multiple links to others on the web.
    * The site launched after Google’s last crawl was completed.
    * The design of the site makes it difficult for Google to effectively crawl its content (excessive frames, tables, etc).

    Google’s intent is to represent the content of the Internet fairly and accurately. To help make that goal a reality, we offer this guide to building a “crawler-friendly” site. There are no guarantees a site will be found by our crawler, but following these guidelines should increase the probability that your site will show up in Google search results.

    Do…
    Provide high-quality content on your page – especially your home page.
    If you follow only one tip from this page, this should be it. Our crawler indexes web pages by analyzing the content of the pages themselves. Google will index your site better if your pages contain useful information. Plus, your site has a better chance of becoming a favorite among web surfers and being linked to by others if the information it contains is relevant and useful.

    Submit your site to the appropriate category in a web directory.
    Listing your site in the Open Directory Project http://www.dmoz.org/ or Yahoo! http://www.yahoo.com/ increases the likelihood it will be seen by robot crawlers and web surfers.

    Pay attention to HTML conventions.

    Make sure that your <TITLE> and <ALT> tags are accurate and descriptive. Also, check your <A HREF> tags for errors since broken or improperly formatted links can prevent Google from indexing your page.

    Make use of the robots.txt file on your web server.
    This file tells crawlers which directories can or cannot be crawled. Make sure it’s current for your site so that you don’t accidentally block our crawler. Visit: http://www.robotstxt.org/wc/faq.html for a FAQ answering questions regarding robots and how to control them once they visit your site.

    Ensure that your site is accessible through HTML hyperlinks.
    Generally, your site is crawlable if the pages are connected to each other with ordinary HTML links. If certain areas are not linked, you may be excluding older browsers, differently-abled users, and Google. Google can crawl content from a database or other dynamically generated content as long as it can be found by following links. If you have many unlinked pages, you may want to create a jump page from which the crawler can find all of your pages.

    Build your site with a logical link structure.
    A hierarchical link structure is not only beneficial to you, but also to Google. More of your site can be crawled if it is laid out in with a clear architecture.

    Don’t…
    Fill your page with lists of keywords, attempt to “cloak” pages, or put up “crawler only” pages.
    If your site contains pages, links or text that you do not intend visitors to see, Google considers them deceptive and may ignore your site.

    Feel obligated to purchase a search optimization service.
    Some companies “guarantee” your site a place near the top of a results page. While legitimate consulting firms can improve your site’s flow and content, others employ deceptive tactics to try and fool search engines. Be careful – if your domain is affiliated with one of these services, it could be permanently banned from our index, we have found search engine optimization software like Web Position Gold works best but, again use it in moderation.

    Use images to display important names, content or links.
    Our crawler does not recognize text contained in graphics.
    Use ALT tags if the main content and key words on your page cannot be formatted in regular HTML.

    Provide multiple copies of a page under different URLs
    Many sites offer text-only or printer-friendly versions of pages that contain the same content as the graphic-enriched version of the page. While Google crawls these pages, duplicates are removed from our index. In order to ensure that we have the desired version of your page, place the other versions in separate directories and use the robots.txt file to block our crawler.

    Article written by a Google employee

  • JavaScript Know How

    Date: 2011.02.22 | Category: Scripts | Response: 0

    JavaScript can be one of the most useful additions to any web page. It comes packaged as standard in Microsoft’s Internet Explorer and, Netscape Navigator and allows webmasters to perform field validations, mouse-over’s, pop ups and a whole entourage of other nifty little features on our sites.

    In this article we will show you how to:

    – Display the browser name and version number
    – Change the text in the status bar of the browser
    – Use an input box to get text from the user
    – Use a message box to display text to the user
    – Change the title of the browser window

    Before that, however, we need to know how to setup our web page so that it can run the JavaScript. JavaScript code is inserted between opening and closing script tags: <script> and </script>, like this:

    <script language=”JavaScript”>

    –> JavaScript code goes here <–

    </script>

    These script tags can be placed anywhere on the page, however, it’s common practice to place them between the <head>and </head> tags. A basic HTML page that contains some JavaScript looks like this:

    <html>
    <head>
    <title> My Test Page </title>
    <script language=”JavaScript”>

    function testfunc()
    {
    var x = 1;
    }

    </script>
    </head>
    <body>
    <h1>Hello</h1>
    </body>
    </html>

    For the examples in this article, you should use the basic document format I have just shown you, inserting the JavaScript code between the <script> and </script>tags. When you load the page in your browser, the JavaScript code will be executed automatically.

    Displaying the browsers name and version number.

    The “navigator” object in JavaScript contains the details of the user’s browser, including its name and version number. They can be displayed in a browser using the document.write function:

    document.write(“Your browser is: ” + navigator.appName);
    document.write(“<br>Its version is: ” + navigator.appVersion);

    I run Windows 2000 and Internet Explorer version 6, so the output from the code above looks like this in my browser window:

    Your browser is: Microsoft Internet Explorer
    Its version is: 4.0 (compatible; MSIE 6.0b; Windows NT 5.0)

    Changing the text in the status bar of the browser.

    To change the text in the status bar of a browser window, just change the “status” member of the “window” object, which represents the entire browser window:

    window.status = “This is some text”;

    Using an input box to get text from the user.

    Just like in traditional windows applications, you can use an input box to get some text input from the user. The “prompt” function is all you need:

    var name = prompt(“What is your name?”);
    document.write(“Hello ” + name);

    The prompt function accepts just one argument (the title of the input box), and returns the value entered into the text box. In the example above, you get the users name and store it in the “name” variable. You then use the “document.write” function to output their name into the browser window.

    Using a message box to display text to the user.

    You can display a message box containing an OK button. These are great when you want to let the user know what is happening during their time on a particular page. You can use a message box to display the “name” variable from our previous example:

    var name = prompt(“What is your name?”);
    alert(“Your name is: ” + name);

    The “alert” function takes one argument, which is the text to display inside of the message box.

    Changing the title of the browser window.

    To change the title of a web browser’s window, simply modify the “document.title” variable, like this:

    document.title = “My new title”;

    One bad thing about the “document.title” variable is that it can only be manipulated in Microsoft Internet Explorer. Netscape’s implementation of JavaScript doesn’t allow for modification.

    In Closing.

    As you can see from the examples in this article, JavaScript is a powerful scripting language that can be used to enhance a visitor’s experience with our site. However, you shouldn’t use JavaScript too much because in some cases it can annoy visitors and send them packing before your site even loads!

    Article Written By Lee

  • Pay Per Click Or Search Engine Optimization

    Date: 2011.02.24 | Category: Paid Traffic, Search Engine Optimization | Response: 0

    What would you choose to run your business? Well each has their own benefits and drawbacks over one another.

    PPC or SEO The Breakdown.

    Pay Per Click or, PPC as it is most often referred to looks to the novice to be the better option for ‘immediate’ traffic results, you enter your desired keywords, place your minimum / maximum bid amount and you are set for top PPC engine listings for as long as you can maintain the balance in your engine account.

    Search Engine Optimization or, SEO on the other hand, is the more traditional way of attaining high ranking search engine pages. Either you or an SEO expert optimizes your websites pages and random other elements of your website and hopefully within a month or two, you achieve high rankings in the major search engines.

    So Which One? PPC or SEO?

    Generally speaking, SEO work is most commonly more cost effective to your business than utilizing PPC results to gain your traffic, you could pay an SEO expert anywhere from $500 plus to optimize your site and get high rankings indefinitely or, you could put that $500 into a PPC engine account and get high rankings until such time as your account balance runs dry.

    But lets look at this in terms of actual traffic…

    Say you get 1000 visitors to your SEO based website which you paid $500 for, each visitor has cost you $0.50c now lets say your site remains at the top of the engines for a few months perhaps even years each month you receive another 1000 visitors to your site, you have basically cut the cost of each surfer hitting your site down to less than a penny per hit (not taking into account bandwidth costs obviously).

    Now, on the other hand, you want to attract 1000 visitors from your chosen keywords via the PPC engines, most Pay Per Click search engines have a minimum bid amount of $0.05c per hit so right away in your first month, you could receive a potential 10k hits however, as most of you who have already tried your hand at the PPC engines will know, getting 10k hits for one or more keyword at a cost of $0.05 is hard to do, in fact, some would say almost impossible. Non the less let us keep going with this minimum bid amount for the time being.

    Immediately, you can see that you are already restricted to the actual amount of traffic you can receive from the PPC results to 10k hits however, this isn’t the case with the SEO traffic, you could potentially hit your top chosen keyword and stay there until another site out-optimizes you or, your site needs to be optimized again.

    Ultimately, the reasons you will choose over one or the other will be for either ease of traffic generation, PPC will allow you to gain almost instantaneous targeted traffic form the second you open your PPC account up until the point when your account funds empty whilst, SEO work will give you long term targeted traffic over time and, in most instances, this SEO traffic can last for years making the cost of the initial SEO work minimal.

    In Closing..

    Search Engine Optimization can last you years and years whilst Pay Per Click results can diminish in a relatively short amount of time depending on the amount of bid needed to achieve top listings.

    However lets look at a third option, using both PPC results and SEO results in conjunction with each other to minimize the traffic you lose from your SEO work and, to minimize the traffic you lose from your PPC results this will afford you the time to see what works with your Search Engine Optimized sites whilst being able to play with the targeting of keywords on your PPC traffic, once you have both types of search engine figured out, you can put them both together and use them to increase the traffic to your site for years to come.

    Article written by Lee

  • Basic Bookkeeping For Adult Webmasters

    Date: 2011.02.21 | Category: Forms & Contracts | Response: 0

    Knowing how much you are spending on expenses for your online enterprise each month can be a very powerful tool. Taking out that shoe box at the end of the year and giving it to the Accountant is one way. But a very simple bookkeeping system can provide you with exactly how much you made each month after all expenses. In this article I will provide you with the knowledge to setup a simple system to track your revenues and expenses. Not only will you then know exactly what your Net Income or Loss is each month but at the end of the year you will have a nice neat little package to hand your Accountant. Which will result in lower accounting fees at tax time.

    The first thing you need to do is find a way to file all receipts. Your receipts are the backup for all your transactions. Go to your local office supply store and buy an accordion file labeled with monthly slots. Each time you receive a business related receipt, file in correct month. Remember you need to file all your receipts for your numbers to be accurate. When you receive an email receipt for content or hosting print it out and file it. File sponsor cheque stubs, credit card receipts, ISP bill, etc. At the end of each month take out all your receipts and divide into revenue and expenses. Remember you must have a receipt in order to claim the expense. The receipt should show the detail of the purchase, vendor, amounts and date. Ensure that the expenses are needed or used to generate revenue for your business.

    Now the next step depends on how much detail you would like.
    Revenue-Expenses=Net Income or Loss. For a quick snapshot of the month add up the revenue receipts, staple all receipts together and put the total on the front either adding machine tape or handwritten. Repeat with all your expense receipts. You can put a quick summary of the month in a spreadsheet program. Or for a very small investment you can setup a computerized tracking system. I recommend buying a very inexpensive software such as Quicken. Most major banks, credit cards and even paypal are setup to download transactions to Quicken. You can purchase the Personal Finance version of Quicken for around $70. There are several other inexpensive personal finance software packages that you can purchase that will work as just well. But I personally prefer Quicken. The software you choose will have a list of business accounts already setup. For an adult enterprise you will need to customize the account names. This is very easy and quick to do. Add in accounts for content purchase, hosting, isp, traffic purchase, etc.

    Once a week you will open up your program download your transactions from your bank account, credit card, paypal etc. If you have an expense that you pay cash for you will need to add that transaction in. I am assuming that all your sponsor cheques are being deposited into a bank account or paypal. If you receive a check and cash it, manually add the transaction in. After you have finished entering your transactions for the week ensure that the receipts that you have balance to what you have entered in the software.

    You will be amazed at how simple it is to use a software package such as Quicken to track your revenue and expenses. These software packages come with pre-made report tools. Such as income statement, analysis of expenditures, cash flow projections. You can even setup budget numbers for your business.

    If your business consists of a lot of transactions in a month you might want to consider using a bookkeeping/accounting service. There are many online and locally owned businesses that charge a very low rate for doing small business bookkeeping. Remember you don’t need an Accountant to do general bookkeeping. Many small business owners think they need an Accountant to do the monthly bookkeeping. This could result in unnecessary fees. Depending on the size of your enterprise and your passion for numbers sometimes employing a bookkeeper to do the data entry can be a blessing! Most bookkeeping providers will even provide customized reporting based on your needs.

    Article written by Lorna

  • Adult Webmaster Conventions – Remember When?

    Date: 2011.02.21 | Category: General | Response: 0

    Most webmasters who have been working in the adult industry for a year or two have attended an adult webmaster convention of some sort and, those of us who had the privilege of attending our first webmaster show three to four years ago will know one thing that many others don’t, there used to be a time when you could attend a webmaster show for example, the one held at Disney World (how many of you remember that?) when apart from being relaxing, you would also get a lot of business done alas, times have changed.

    Fighting, Drug Taking, Getting Drunk, Rape Accusations, Theft and Criminal damage would be the headline in the national press should one of these reporters attend today’s webmaster convention, instead of a relaxing atmosphere in which you can get business done you find a slew of webmasters who, well, lets be honest here, are only attending these shows for one reason, to get drunk (for free) and to have a laugh.

    Of late there seems to have been an influx of people (notice I used the word people and not ‘adult webmasters’) joining the adult industry who would appear to think that our business model is one of all night partying, sordid sex sessions and drug taking, whilst, I will be the first to admit this has gone on in the past it would certainly seem that the last 2-3 years has seen more than its fair share of the negative events happening at these conventions.

    Take for example the recent Hollywood Internext Expo show, one incident that comes to mind was the fool who decided it would be a good idea to smash the mezzanine canopy above the hotel lobby, to my knowledge the culprit was never found however, I am sure there are those out there who knows who it was and well, lets be honest, they quite possibly you could be reading this article.

    So what happened? How did these shows change so drastically? Quite simply I think it was the sudden onslaught of press coverage about how the adult industry makes so much money for everyone and, whilst there is a lot of money to be made in the industry, it takes a lot of work to achieve making the reported figures by the press.

    To many people are entering the adult industry thinking that the ‘norm’ is that of what you can find on your average day of visiting GFY and whist, this is perhaps true for the circle of webmasters who do frequent boards such as GFY for the vast majority of hard working webmasters in the industry, the behavior of those webmasters couldn’t be further from the truth.

    So where is all the business being done at the shows? It would appear that event after event the open invite list of parties are being cut down to be taken over by more intimate and sociable private parties in fact, as a company we our ourselves holding several smaller invite only parties for those people that we actually want to do business with on both a personal and a professional level.

    So what does the future have in hold for the adult industry events, in all honesty I do not know however, one thing is for certain, if things continue on their current route, things are going to become a whole lot worse before they get any better.

    Article written by Lee.

  • Viral Marketing – Catching The Marketing Bug

    Date: 2011.02.21 | Category: Viral Marketing | Response: 0

    The term viral marketing is offensive. Call yourself a viral marketer and, people will often take two steps back. I know I would do. It is a sinister thing, the simple virus is fraught with doom, not quite dead yet not fully alive, it exists in that nether region somewhere between horror movies and disaster films.

    That said however, you have to admire the skills of the viral marketer. They have a way of winning by sheer weight of numbers alone. They piggy back on everyone else and use their resources to grow their own. In the right circumstances the viral marketer can grow exponentially. A virus doesn’t have to mate, it just replicates itself again and, again and, again increasing its power, doubling its effect with each replication.

    I
    I I
    I I I I
    I I I I I I
    I I I I I I I I

    In a few short generations, a viral marketing population can boom as seen in the diagram above.

    Viral marketing defined.

    What does a virus have to do with viral marketing? Viral marketing describes any strategy that encourages individuals to pass on a marketing message to others, creating the potential for mass growth in the messages exposure and influence.

    Like viruses, such strategies take advantage of rapid multiplication to explode the message to hundreds, even thousands in a relatively short period of time.

    Before the advent of the internet viral marketing was often referred to as ‘word of mouth’. However, for better or for worse, the term viral marketing has infected.

    One classic example of this marketing technique is Hotmail.com one of the first free web based email services. Their strategy was simple.

    Give away free email addresses and services.
    Attach a simple tag at the bottom of every free message sent out.
    Watch people email their friends, colleagues and family.
    Watch these same friends colleagues and family join up to their service.
    See the message propelled to an ever increasing audience, all for free.

    In closing viral marketing is like watching the tiny ripples of a single pebble dropped pond, one small splash can create ever increasing circles which in turn could create ever increasing revenues.

    Article Written By Lee

  • Redirecting To A Different Page Using JavaScrip

    Date: 2011.02.24 | Category: Scripts | Response: 0

    There are times when a simple JavaScript redirection from one page to another can come in handy and, the following JavaScripting will enable you to do this.

    When a page contains this javascript, it will be redirected to another page that you specify in the “window.location=”. You can change the number of refresh seconds by changing the “move()’,1000 to the number of seconds you’d like.

    Example:

    1000 = 1 second
    2000 = 2 seconds
    3000 = 3 seconds

    Place this JavaScript code between the <head> and </head> tags

    <script language=”JavaScript”>
    <!–hide from old browsers
    var time = null
    function move() {
    window.location = ‘http://www.yourdomain.com’
    }
    //–>
    </script>

    Place this JavaScript code in your <body> tag

    <body onload=”timer=setTimeout(‘move()’,1000)”>

    You should now have a page that will redirect to a new url when it loads in the surfers browser window.

    Article written by Lee

  • Marketing to European Surfers

    Date: 2011.02.22 | Category: Promotion | Response: 0

    Marketing to European Surfers.

    Today we’ll try to answer couple of questions regarding dialers and how to market them to European traffic.

    How to get traffic to your European market targeted site?

    Pretty much the same way as for all the other sites, lets German market for example (Germany, Austria, Switzerland) use SE’s, German link-lists, TGPs,… feed site with your own traffic, and don’t forget to use exit-consoles.

    Is your site translated into specific language?

    Yes, of course you won’t get far using English template on German/Spanish.. sites… You can always contact Adult Site Translation if you need help with translations.

    What sponsor should you use?

    That is pretty hard to say. Practically since almost every European based sponsor offers dialers so it doesn’t really matter which one you choose. It’s the same with per sign-up sponsors: It depends how good you are in sending traffic to them. And as always try couple of them and see which one works best for you. Most of the sponsors will offer to your surfers to pay by CC, bank account and dialers.

    Me personally, I don’t really advertise dialers. I go for sign-ups because most if not all European sponsors are recurring and it brings more money in the long run. But if a surfer wants to pay the (admittedly) high phone bills – that’s fine with me In fact, sometimes I get more money from a 0190-number (dialer number in Germany starts with 0190) than I’d get if the surfer would sign-up with his CC and would cancel his membership after the first payment.

    Why are dialers so successful in the German/European market?
    Well, I can think of 3 reasons for this:

    1.) 0190-numbers are very common in Germany. Many support-hotlines use them, you can download logos for your cell phone via 0190, you can get health-tips via 0190, fax-numbers, etc… Germans see those numbers everywhere and get used to them. Of course they know that they are expensive but I think they tend to forget this because they are so common.

    2.) Much of my income from dialers is from Swiss and Austrian people. Especially surfers from Switzerland LOVE dialers (Some of them spend hours/nights with dialers and in the end if i get 50% of that for me is not bad, isn’t it? :) I think they love dialers because they hesitate to give out the information on their CC (if they have any) and they can’t/don’t like to transfer their money via bank transfers. So dialers are actually their only way to get into the members-area.

    3.) Credit cards are not very common in Germany. I would guess only some 30% have one and many who have one don’t believe that CC transactions on the internet are secure. So most of the surfers have only 2 options left: Paying by bank account or using a dialer. The bank account has 2 disadvantages in the eyes of the surfers: 1st “The sponsor knows my name, my account number, where I live and that I’m a greasy little wanker who pays for porn. -Maybe this sponsor is going to tell my neighbors about it-” 2nd “How can I explain this to my wife?” On the other hand the dialer has advantages: 1st It is anonymous. Nobody knows who and where the surfer is. 2nd The dialer is faster than typing all the necessary information needed for a bank transaction. A few seconds for a 35kb download and the surfer is ready to go. 3rd You can always find a reason why there’s this 0190-number on the phone-bill. “Well darling, you know, I had problems with my new graphic card and I had to contact the customer-support. Those damn bastards are on a 0190-number what what can I do?”

    Well, that’s about it on dialers. One warning at the end: If you like to give them a try beware of those that do auto-downloads and auto-installations. Surfers don’t like them. Use dialers where the surfers needs to click somewhere to download and install them.

    Article written by Lee

  • Mirroring Adult Sites – Stage One.

    Date: 2011.02.23 | Category: Promotion, Tutorials | Response: 0

    In this next series of tutorials I will be exploring the benefits of utilizing your existing content to build more sites in the least amount of time possible, in fact, after you have completed the steps in this tutorial series you should be able to build over 20 types of site within 5 minutes using a single set of 50 pictures.

    So, onto the start of our tutorial.

    Stage one in this tutorial is something we have ALL done before, so what you need to do is this…

    Build a 50 pic free site, this is using a lot more content than a ‘standard’ free site however, what we are actually going to be making is a set of AVS sites and several TGP galleries, along with some SE pages and also some links list mirrored pages using this set of 50 images by building just ONE site! Sounds impossible? It isn’t… read on….

    Your site should have the following on it:

    1) Warning Page (index.html)
    2) Menu Page (menu.html)
    3) Gallery Pages (5 galleries of ten pictures called gallery1.html, gallery2.html etc)
    4) HTML Large image pages x 50 (picpage1.html, picpage2.html, etc.)
    5) Multi Site FPA (fpa.html)

    Now lets break these individual pages down into sets of instructions for each:

    Warning Page.

    This should have your standard warning text placed on it, along with an enter AND an exit link. The ‘enter’ link should link to your Multi Site FPA and the ‘exit’ link should go to a program such as the ARS Discreet Browser tour page.

    Menu Page.

    This should be a page containing an odd sized banner, links to your 5 gallery pages, plus text links at the bottom of the page ideally, these text links should be in the same style as the niche tables we created for the surfer trap except they should only contain 4 cells instead of 8. These links should go to a different ‘niche’ as the one you are building your current site for and, link to the existing FPA’s of your surfer trap.

    Gallery Pages.

    On your gallery pages, ALL of the thumbnails should be linked to the relevant HTML page with a text link at the top and at the bottom of the HTML page (No Banners are to be used on the gallery pages!) Also, the file names of the images should be pic1.jpg, pic2.jpg, etc for the full sized images and, thumb1.jpg, thumb2.jpg etc for the thumb nailed images. your images MUST be named this way!!

    Multi Site FPA.

    This should link to the individual FPA’s that you should already have on your server if you followed the surfer trap tutorial series (If you did not create this surfer trap the tutorials can be found at this link) as well as linking to the Single Site FPA’s this should also have a ‘no thank you’ link which goes to your Menu Page.

    Images.

    You need to have 50 images, you also need to have 50 thumbnails for the content you will be using on this site. I usually select my content by the niche I am building for, rename the images using The Rename then, once renamed I use Thumbnailer from Smaller Animal to create the thumbnails for each of the renamed images. This will give you 50 full sized pictures with 50 thumbnails named respectively for the larger image.

    They are the basics, now onto the good stuff…

    Once you have created these pages you need to create some folders on your Hard Drive which will be the SAME structure you will have on your server. This folder structure should look somewhat like this once you have saved each of the pages we have just created into their respective sub folders:

    FreeSite/index.html
    FreeSite/AVS/
    FreeSite/FPA/fpa.html
    FreeSite/Galleries/gallery1.html, gallery2.html, gallery3.html, etc, etc.
    FreeSite/Images/pic1.jpg, etc.
    FreeSite/Images/Thumbs/thumb1.jpg, etc.
    FreeSite/LinkList/
    FreeSite/Menu/menu.html
    FreeSite/PicPage/picpage1.html, picpage2.html, etc.
    FreeSite/Recips/
    FreeSite/Engine/
    FreeSite/TGP/

    This will give you 5 folders with HTML pages in them, one folder with the full sized images, one with thumbnails in it and five empty folders.

    At this point we will end the first stage in this tutorial as this should take you a couple of hours to complete.

    Article written by Le

  • Newsletter Know How – A Guide To Writing Newsletters

    Date: 2011.02.23 | Category: Promotion, Writing | Response: 0

    Email newsletters are a great way to make contact with existing clients and, prospective clients which makes them a great marketing tool. The biggest bonus however, over Email newsletters rather than print ones is that you have virtually no cost involved with writing and, ultimately, mailing them out.

    There is a wide variety of online newsletter on the internet. however, probably the simplest form for most webmasters is the email newsletter. Email provides you with a quick way to keep your name out there, build trust with you readers and, hopefully attract a few sales. If you archive your newsletter also this is a great way to get additional pages into the search engines and, as such, it then becomes a good traffic driver to your website regardless of the amount of subscribers you have. However one of the most important benefits of having an email newsletter sent on a regular basis is that it build brand recognition of your website or business.

    Your newsletter should provide information, not just of an advertising nature but that, should also be informative to your subscribers. In doing this you are offering information of value and, ultimately, ensuring that your subscribers remain. However, remember newsletters are for promoting your area of expertise not just a vehicle for revenue generation.

    One of the first things you should consider when deciding to do a newsletter is the amount of commitment you will have to put towards the project. Whether you start a monthly, weekly or, daily newsletter a great deal of commitment must be made to both the newsletter and, more importantly, your subscribers. For example, We generally spend a good 3 days researching the articles that have been submitted and trying to ensure that the details contained within them are relevant at the time of sending the email, this is not an easy task especially when the adult internet is constantly developing. If you don’t have the time to research and maintain consistency in your newsletter, then don’t even consider doing one, it isn’t for you at the present time.

    Now you have decided you can make the commitment required to run a successful email newsletter what do you do next? Collect email addresses. Probably one of the easiest ways to get email subscribers to join your list is to go through your current mail clients contact list and manually add those email addresses or, further still, you may even have an opt in collection program that you have been using for a while but have never really had the time to commit to writing a newsletter worthy of sending out. Remember though, an email list is only as good as the addresses contained within it. You want to run an OPT-IN email list, any other type of list will be considered Spam and, that will do you more damage than good. Of course, if you haven’t already got an email collection program you can find one online there are literally hundreds of them floating around that you can get for free from sites like http://www.hotscripts.com.

    So, you now have your emails, onto writing your newsletter. I think the greatest part of email is that it is somewhat less formal than writing for print copy. Email in fact tends to be very informal in comparison. The best way at approaching writing for an email newsletter is to write how you talk, it is more enjoyable for the reader and gives your newsletter a personality that no one else can emulate. Content wise, that depends on what you do, what would YOU like to see if you subscribed to an email list of the type you are going to be running and, more importantly, what would ensure you stay subscribed to the newsletter? Ask your friends, colleagues and, peers what they would like to see in an email newsletter, often they have been looking for information that is not readily available, this is an area where you then start to provide a service that no one else does.

    So you are at the point where you are starting to realize that running a newsletter is a lot of work correct? Well, it is. However, the effort, work and, time spent in putting your newsletter together will help you build a relationship with people whom, in all actuality, you may probably not ever meet in a face to face situation and, more importantly, it can become a great income generator over time.

    Article written by Lee

Premium Sponsors















Categories

Site Links