miércoles, 31 de agosto de 2011

Guía de un SEO RegEx

Translate Request has too much data
Parameter name: request
Translate Request has too much data
Parameter name: request
The author's posts are entirely his or her own (excluding the unlikely event of hypnosis) and may not always reflect the views of SEOmoz, Inc. RegEx is not necessarily as complicated as it first seems. What looks like an assorted mess of random characters can be over facing, but in reality it only takes a little reading to be able to use some basic Regular Expressions in your day to day work.For example, you could be using the filter box at the bottom of your Google Analytics keyword report to find keywords containing your brand, such as Distilled. If you want to include both capitalised and non-capitalised versions, you could use the Regular Expression [Dd]istilled. Pretty simple, right?Hang on though… some of you might be asking, what the hell is RegEx? That’s a good point. RegEx (short for Regular Expressions) is a means of matching strings (essentially pieces of text). You create an expression which is a combination of characters and metacharacters and a string will be matched against it.So in the example of the keyword report above, your Regular Expression is applied to each keyword and if it matches it’s included in the report. If it doesn’t match, it’s discarded.RegEx has many uses aside from Google Analytics too such as form validation or URL rewrite rules.  Hopefully this post will give you an understanding of the basics and some ideas for where you might be able to use it.I mentioned that Regular Expressions are made up of characters and metacharacters. A character, to clarify, is any letter, number, symbol, punctuation mark, or space. In RegEx, their meaning is literal – the letter A matches the letter A, the number 32 matches 32, and distilled matches distilled (but not Distilled - characters in RegEx are case sensitive).Metacharacters, however, are not treated literally. Below I’ll go through each of the metacharacters used in RegEx and explain their special meanings.If you want to test them out as we go along, I’d recommend opening up Google Analytics and using the filter box at the bottom of your reports. Alternatively you could use http://RegExpal.com/ and make up your own data set.A dot matches any single character. That is to say, any single letter, number, symbol or space. For example, the Regular Expression .ead matches the strings read, bead, xead, 3ead, and !ead amongst many others. It’s worth noting that ead would not be matched as the . requires that a character is present.From time to time you’ll find that a character that you want to match is a metacharacter.  For example, if you’re trying to match an IP address such as 172.16.254.1, you will find that your RegEx matches 172.16.254.1 but also any string such as 1721161254.1 because the dots can represent any character.Preceding a metacharacter with a backslash indicates that it should be treated as a character and taken literally.  In the example above, you should use 172\.16\.254\.1The question mark is often found in dynamic URLs such as /category.php?catid=23.  If you’re trying to track this page as part of your conversion funnel, you may experience problems as question marks, as we’ll see later, are metacharacters.  The solution is simple: /category.php\?catid=23Square brackets can be used to define a set of characters – any one of the characters within the brackets can be matched.  We saw them in the example I used in the introduction - [Dd]istilled can be used to match both distilled and Distilled.  You can also use a range, defined with a hyphen.  [0-9] matches any single number for example, or [a-z] matches any lower case letter of the alphabet.  It’s also possible to combine ranges, such as [A-Fa-f] would match any letter between a and f in either lower or upper case.  Ranges are often combined with repetition which we’ll touch on next.Specifically in character sets, you can use the caret ^ to negate matches.  For example [^0-9] matches anything but the characters in the range.The question mark, plus symbol, asterisk, and braces all allow you to specify how many times the previous character or metacharacter ought to occur.The question mark is used to denote that either zero or one of the previous character should be matched.  This means that an expression such as abc? would match both ab and abc, but not abcd or abcc etc.The plus symbol shows that either one or more of the previous character is to be matched.  For example, abc+ would match abc, abcc, and anything like abccccccc.  It would not, however, match ab as the character has to be present.The asterisk is an amalgamation of the two – it matches either zero, one or more of the preceding character.  An example you say?  Oh go on then!  abc* matches ab, abc, abcc, and anything beyond that such as abccccccc.Finally, braces can be used to define a specific number or range of repetitions.  [0-9]{2} would match any 2 digit number for example, and [a-z]{4,6} would match and combination of lower case letters between 4 and 6 characters long.Parentheses allow you to group characters together.  I may, for example, want to filter the keyword report for searches containing my name, and I want to pick up both rob millard and robert millard.  I could do this by using rob(ert)? millard – the question mark and parentheses mean that either zero or one of ert can be matched.In addition, you can use the pipe to represent OR.  You might use it for something like (SEO|seo|s\.e\.o\.|S\.E\.O\.)moz to track SEOmoz, seomoz, s.e.o.moz, and S.E.O.moz, although the versions with dots seem unlikely.The pipe can also be used without the parentheses if you don’t need to group the characters.  For example iphone|ipad could be used to filter traffic coming to your site from keywords containing either.Although we’ve already looked at the caret in conjunction with square brackets, it can also be used to show that a string must start with the following characters.  For example, if you’re trying to match all URLs within a specific directory of your site, you could use ^products/.  This would match things like products/item1 and products/item2/description but not a URL that doesn’t start with that string, such as support/products/.The dollar sign means the string must end with these characters.  Again you could use it to track certain URLs like /checkout$ which would pick up the likes of widgets/cart/checkout and gadgets/cart/checkout but not checkout/help.There are a few quick timesavers here…\d means match any number i.e. the same as [0-9]\w means match any letter in either case, number, or underscore i.e. [A-Za-z0-9_]\s means match any whitespace, which includes spaces, tabs, and line breaks.Phew!  That’s quite a lot to digest.  I’d recommend playing around with the short examples above to really get a feel for them.  Once you’re comfortable with the basics you can start getting stuck into the real uses…Filters can be used to exclude internal traffic out of your reports, and combined with some simple RegEx you can filter a range of IP addresses.  In Profile Settings, create a new custom filter which excludes the filter field Visitor IP Address.  Using an expression such as 55\.65\.132\.2[678] would exclude IP addresses 55.65.132.26, 55.65.132.27, and 55.65.132.28.Another Google Analytics feature which can greatly benefit from the use of RegEx is Advanced Segments.  One of the more common uses is to create a segment for non-branded organic search traffic so that you get a clear picture of your SEO efforts, unaffected by any branding exercises.  Create a segment where the medium matches exactly organic and create an and statement where the keyword does not match Regular Expression.  In this statement, you should include RegEx such as the [Dd]istilled example in the introduction, or for my personal site it might look like [Rr]ob(ert)? [Mm]illard.You could also use Advanced Segments to create a social media segment - select source and set the condition to matches Regular Expression.  Your value should be something like facebook|twitter|youtube|digg etc.I’ve already touched on the filter box at the bottom of each report earlier in this post - it’s probably where I most often use RegEx as it can be a great help when investigating specific problems or queries.  Use the pipe, for example, in the keyword report to find keywords containing a few synonyms, or do something similar to the social media segment on the fly by listing a handful of sites in the traffic sources report.Finally, RegEx can be useful when setting up conversion goal pages and funnel steps where you want more than one URL as the goal or step.  When setting up a new goal with a URL destination, use the match type Regular Expression match.  You might wish to use a value such as ^/(widgets|gadgets)/checkout/thanks\.php$ to track both /widgets/checkout/thanks.php and /gadgets/checkout/thanks.php for example.  When setting up a funnel, all URLs are treated as Regular Expressions so you can use the same technique.There are more advanced examples for all of the uses above in several excellent blog posts and resources about RegEx and Google Analytics - there are too many to list here but I’d thoroughly recommend searching and reading some of them.I expect that most of you SEOmoz readers are familiar with SEO friendly URLs.  They should be static rather than dynamic and should be descriptive.  Often this is achieved using URL rewrites which are implemented on Apache servers using the built in module called mod_rewrite.  A text file called .htaccess sits at the root of the domain which contains your mod_rewrite rules.  A simple rewrite looks something like this:RewriteRule ^category/link-building/?$ category.php?cat=link-building [NC]This example would mean that the URL www.example.com/category/link-building/ would actually serve the page www.example.com/category.php?cat=link-building.  As you may remember from earlier, the caret and dollar sign mean that the URL must start and end with link-building/, and the question mark means that the trailing slash is optional.  [NC] is not RegEx - it is part of mod_rewrite’s syntax which simply states that the RewriteRule is not case sensitive.Obviously this approach is not particularly efficient for large sites with thousands of URLs, and this is where RegEx becomes indispensable as it allows you to match patterns.  A dynamic rewrite rule using RegEx might look like this:RewriteRule ^category/([A-Za-z0-9-]+)/?$ category.php?cat=$1 [NC]This rules states that the URL must start with category/ and can then be followed by any combination of letters, numbers and hyphens as long as there are one or more (+).  This part of the rule is surrounded with parentheses so that it can be referenced in the second part of the rule using $1.  If you had a subsequent set of parentheses, it could be referenced with $2 and so on.  Again, the trailing slash is optional because of the question mark, and the caret and dollar sign are used to define the start and end of the URL.This is just one simple example in an area where there are numerous possibilities.  If you want to know more I’d definitely recommend checking out this guide as well as the excellent cheat sheet.This is something I’ve only been getting to grips with lately, but turning on wildcards in Word’s Find and Replace can save a huge amount of time when cleaning and manipulating data.  I find that I’m often doing this when creating reports or preparing data for an infographic for example.You can find the wildcards check box under the advanced options in Find and Replace.  An example of how you might use it could be to remove the session ID from a list of URLs.  You could enter sid=[0-9]+ into the find box, and leave the replace box blank.As with mod_rewrite you can also reference back to your find box, although the syntax is slightly different.  Instead of $1 and $2 you use \1 and \2.  If you had a list of URLs and you wanted to switch the subdirectories round you could use example.com/([a-z-]+)/([a-z-]+)/$ in the find box and use example.com/\2/\1/ in the replace box.There’s more about using RegEx in Word on the Microsoft support site here and here. Of course there are many, many other uses for Regular Expressions, especially in programming, but I hope this gives you some idea of the potential of RegEx in the field of SEO.  Let me know if you have any questions or thoughts in the comments, or feel free to give me a shout on Twitter (@rob_millard).http://RegExpal.com/ - useful tool that mentioned in the main post which is great for testing your RegEx.

View the original article here


This post was made using the Auto Blogging Software from WebMagnates.org This line will not appear when posts are made after activating the software to full version.

9 Consejos útiles para la prospección de enlace

Translate Request has too much data
Parameter name: request
Translate Request has too much data
Parameter name: request

I find link prospecting to be one of the most time-consuming and challenging parts of link building. In order to build and maintain a natural link profile for your website, your prospecting activity needs to cover a wide range of opportunities and generate the right targets and leads for your project/campaign. So prospecting is usually pretty easy to start off with - run a few Google searches and you've got yourself a set of content-rich websites within your target industry. However, once you’ve gone through this initial list, you realise the challenge that you're faced with.

Here are some of the things we do at GPMD to generate a broader set of quality prospects. Using these practices, we're able to identify a huge selection of relevant, high quality blogs and industry websites within different sectors.

Tip 1: Advanced search queries

Advanced search queries are our starting point. They’re quick, easy to use and they are great for finding opportunities for guest blogging, collaboration projects, sponsorship etc.

Examples of advanced search queries:

Inurl Search (Dental inurl:blog / Dental blog inurl:.co.uk)

These search queries will filter websites with your preferred domain extension or search term within its URL. The above examples will return dental blogs and dental blogs based in the UK.

Exact Phrase Search (Dental “Guest post” / Dental “Write for us”)

These queries (using speech marks to find the exact text) are ideal for finding websites that are either looking for guest bloggers or accept guest blog posts. The above examples will return dental websites that accept guest posts and dental websites that are looking for writers.

Intitle Search (Dental Intitle:Guest Post – Dental Intitle: Advertise)

Searching for specific content within the title helps to filter the pages that are most relevant and also find opportunities by searching for advertising or guest posting opportunities. The above examples will return dental websites that accept guest posts and dental websites with advertising opportunities.

Wildcard Search (Dental “Guest *” blog)

Using the wildcard (*) filters results that contain the exact words within your query and an additional word in the position of the wildcard. The above query will return dental blogs that feature “guest post”, “guest writer”, “guest blog” etc within their content or title (with the second word in place of the wildcard).

Using more than one of these strings within the same search will help to further refine the results and provide very specific prospects for you to use to build links.

Example Query
Example of a query that could be used for finding guest blogging opportunities for a dental website.

Tip 2: Use Twitter tools to find niche bloggers

Building relationships on Twitter is a great way of generating opportunities. By regularly talking to bloggers within your industry, you’re developing an outreach that could be utilised for product launches, obtaining reviews, guest blogging and much more.

Follower Wonk:

Follower Wonk is a great tool that allows you to search through Twitter bios, helping you to identify targets for building relationships or just approaching for link-building.

Follower Wonk

Example: If you're looking to obtain links from dental blogs, you could search for dental blog, dentist blog, dentistry blog and so on. You can then filter the results and order by the available metrics to help find the most suitable people.

Topsy:

Topsy is a very useful tool that lets you search the social web (including blogs). You could search for your brand, niche keyword or web address, find the people who're talking about you or your industry and then get in touch (and hopefully get a link from their blog). You could also search for guest blogging opportunities using things like 'guest blog dentistry' and then approach the website owner/blogger.

These are just a couple of examples, there are literally thousands more tools that can help you find link building opportunities.


Topsy

Tip 3: Look at blogroll and directory links

BlogrollWhen you find a really good blog that you would like a link from, don't just contact them and wait for a reply! You should be looking for a links page or a blogroll to find other similar bloggers that could also provide a good link to your website. It is important to remember that not all good blogs are optimised for search, making a lot of them really hard to find – unless you use these kinds of techniques.

Also, when you're looking down at your competitors' links from directories like spammylinkdirectory.com (not a real website), you could be finding a few new opportunities. Chances are that you've already looked through your competitors' links, but you might find different websites that you haven't analysed within these directories, some of which may have some good ideas/links that you could emulate for your website.


Tip 4: Reverse image search

I often hear people moaning about how some blog or website has used one of their images in a post or article – without realising that this is a great opportunity to obtain a really good link! If you come across another website using your image, send them a polite email, compliment their content and website, and just ask if they can add a link to your website as the source of the image. This link-building technique is natural and free – which is why optimising your images and making them freely available is a great way of generating these opportunities. You can search for your web address in Google's new-look image search feature or tineye.com, both will help you to find where your images are being used.

TinEye Reverse Image Search

Tip 5: Use PPC advertising to find advertising opportunities

Running a short-term, low cost PPC campaign is a great way to find link building opportunities. Once your PPC ad is live on lots of related blogs, you can contact the blogger, mention your advert and suggest that you look at other options.

I would recommend complimenting the blog content and asking to submit a few guest posts about your experience within your industry. Then, once you have obtained a number of links, simply turn off the adwords campaign.

Tip 6: Use BuzzStream

I started using BuzzStream (a link-building CRM tool) around three months ago, with the intention of streamlining my link building process, and it has saved me a huge amount of time! BuzzStream does actually have a feature designed to identify link prospects, but I haven't really used it, I am more interested in the BuzzMarker and the BuzzBox.

The BuzzMarker is placed on your bookmark toolbar and it pulls in a huge amount of data with one simple click. This data includes whois information, social media accounts, contact details and even data from key SEO metrics (including SEOmoz data). All of this is then available within the CRM system itself and can be added too or edited at any point.

You can also BCC the BuzzBox email address into emails that you're sending to prospects, which will then automatically add the emails into the CRM.

BuzzStream CRM

Tip 7: Ask questions

Once you have built a relationship (or link) with a blogger or industry professional, why don't you ask them which blogs and news websites they follow? This is a great way of identifying websites that you may not have reached or found otherwise and it will take very little time. If the blogger is a friend of connection of the person who recommended it, you then also have an angle to start contact with.

Tip 8: Use what's already out there

Competitor Analysis:

Looking at the links that your competitors have will provide opportunities and inspiration, but there is a limit to the number of links that you can get. Once you have found new opportunities from your competitors, why don't you look at their links, and then links going to their links and so on? If you're looking at relevant websites, chances are they will have some good links that you can look to emulate.

Old linkbait:

If you're looking to implement an idea or even just get some quick links, looking at what has been done before is a really good place to start.

For example, if you're looking to write a list of the top 50 most influential bloggers in your industry, have a look at those who are featured on the list and check if they link back to the website. If they do link back, they could be an easy win. Also, as your version will be the latest one, it's probably worth contacting the people linking to the previous version and asking them to link to your new release.

Tip 9: Utilise existing relationships

If you're involved within your industry, chances are that you know people that have contacts that have blogs. Well, now is the time to pull in that favour and get the introduction.

If you know people, or know people that know people, make sure you take advantage of the situation, as I can guarantee that your competitors will be doing it.

These links are simple, natural and are difficult for competitors to copy.


View the original article here


This post was made using the Auto Blogging Software from WebMagnates.org This line will not appear when posts are made after activating the software to full version.

6 Errores de investigación de palabras clave que podría hacer

Error al deserializar el cuerpo del mensaje de respuesta para la operación 'Translate'. Se superó la cuota de longitud del contenido de cadena (8192) al leer los datos XML. Esta cuota se puede aumentar cambiando la propiedad MaxStringContentLength en el objeto XmlDictionaryReaderQuotas que se usa para crear el lector XML. Línea 1, posición 9048.
Error al deserializar el cuerpo del mensaje de respuesta para la operación 'Translate'. Se superó la cuota de longitud del contenido de cadena (8192) al leer los datos XML. Esta cuota se puede aumentar cambiando la propiedad MaxStringContentLength en el objeto XmlDictionaryReaderQuotas que se usa para crear el lector XML. Línea 1, posición 9029.

Keyword research is an all too often under-appreciated aspect of SEO.

I've written a few keyword research posts here on SEOmoz and that's because I believe it to be the blueprint of any successful SEO campaign.

Here are some of the more common mistakes that I see people make with their keyword research.

#1 – You're being Unrealistic

"It is better to have a bigger slice of a few smaller pies rather than not getting even a slither of a much bigger pie."

Keyword research appears to be a very straightforward task. You fire up your keyword research tool of choice and find the keywords that relate to your industry with the highest search volumes. Sadly, that's not the way to do it if you want to see real results.

To many businesses, high-competition keywords are simply out of reach – at least in the short and medium term. Part of good keyword research is about being realistic and selecting appropriate keywords for targeting that take into account the site's age, current authority and any future optimisation that will take place.

Targeting one word keywords is quite often unrealistic but it may also prove unprofitable – someone searching for 'Toshiba l670 laptop' is likely to be much further along in the purchasing process that someone who searches for 'laptops' – think about which searcher is likely to have their credit card out already.

There's nothing wrong with targeting generic keywords, I'm simply saying that if your campaign has limited budget and you need results in the short to medium term then targeting less trafficked, less competitive keywords is a much better way to utilise resources.

Lower traffic but lower competition keywords might not seem as exciting to target but if your website can dominate these areas fairly quickly then you are going to see far more traffic from the search engines than failing to effectively target a much more competitive term.

#2 – You're looking at broad match instead of exact match

A seemingly simple mistake but one which many people continue to make...

Search volume is of course a very important metric when it comes to keyword research but all too often people make the mistake of looking at broad search volumes rather than the exact match figure when using tools like Google's Keyword Tool.

There can be a huge difference between broad match and exact match search traffic for example:

There are 135,000 broad match searches each month in the UK for 'dog kennels' but only 14,800 exact match searches for the same keyword. Still, this wouldn't prove particularly problematic as this is obviously still a keyword worth targeting – it would knock traffic and ROI projections way off kilter if you do these kinds of things though.

The real problem comes when you choose to target a keyword like 'ladies leather handbags' which has a broad match search volume of 2,400 but an exact match search volume of only 260 – failing to base your research on exact match data might mean you think you are targeting a reasonably well-trafficked keyword when in actual fact, once you've factored in data inaccuracies, you could be looking at a very low search volume keyword indeed.

It is widely accepted that Google's Keyword Tool isn't entirely accurate when it comes to search volumes but using exact match gives you the best data available when assessing how viable a keyword is to target.

#3 – You're targeting plural instead of singular

It is very common to see a website targeting the plural version of a keyword but in most cases, it is the singular version of a keyword that people are searching for.

I see this most often on eCommerce websites where the site owner optimises category pages and because they sell more than one product, they naturally focus on the pluralised keywords for example "tablet PCs" which actually gets 91% less searches than "tablet PC".

I will readily admit that Google is much better at determining that a singular and plural version of a keyword are one and the same, but in many cases there are still differences in the search results. Failing to target the singular keyword can be the difference between your search listing being highlighted in the SERPs (=higher clickthrough) and it can also mean your website appears lower (even slightly) than marginally better targeted pages – that could be the difference between making a sale and not.

#4 – You're ignoring conversion

This one could easily turn into a rant for me because so often I come up against clients who want to rank for [insert trophy keyword] when in actual fact they'd do better (financially) targeting a different keyword or set of keywords. I try to explain that a keyword that brings in traffic is wasted bandwidth if that traffic doesn't convert. You don't hire my company to get traffic for traffic's sake...you presumably hire us to help you ultimately make more sales.

The online world is competitive and it's only going to get more competitive, therefore making the most of every penny being invested is vital.

This makes conversion and language analysis a vital part of keyword research. The human mind is the only software capable of performing a good quality 'conversion audit' of a keyword list because whilst there are programmes out there that can filter and sort keywords to make your life easier, there's no real substitute for industry experience and SEO knowledge.

There are some very basic indicators for example prefixes such as 'buy' might be a clear indicator that the traffic from this keyword is going to convert.

A keyword conversion audit is more complex than that however since each situation and market is individual. I find existing data to be a very useful way to determine which keywords are likely to convert well. If you have goal tracking setup with Google Analytics, you can easily determine the highest converting keywords your site currently gets traffic from, try to identify patterns in your highest converting keywords and then translate and apply this knowledge to other areas of keyword research.

#5 – You're selecting keywords that are out of context

This is yet more rationale to further humanise the keyword research process because most keyword tools struggle to compute words and their meaning in the way a human would.

For example, a searcher looking for 'storage' could be looking for a self-storage centre, boxes and other storage furniture for the home or even professional storage solutions for a warehouse or office.

Opportunities for confused targeting are abundant which is why it is essential the keywords you decide to target are highly-relevant and laser-focused towards what your business offers.

A good way to do this is to search manually for the keywords in Google and see the kinds of results that come up, you will likely be able to get a feel for whether the keyword is applicable to the product or service you intended to target.

#6 – You're failing to conduct keyword reviews

It is accepted that SEO is an on-going process but rarely are target keywords reviewed and audited. If a marketplace is shifting over time then you would also expect customer search behaviour to develop and evolve over time too – this makes regular keyword reviews essential.

In most markets, I find an annual review is perfectly adequate. Any time period shorter than this and there is a risk that targeting becomes a bit chaotic with efforts focused on new keywords before results on old keywords have been achieved or evaluated.

That being said, in some competitive and very fast moving markets a more regular keyword review may be required.

The aim of a keyword review is to:

Weed out poor performing keywordsIdentify opportunities and areas for growthShape your SEO strategy for the future

To do a strategic and actionable keyword review you can use this adapted version of the Boston Matrix that I like to use.

Large brands use the Boston Matrix to assess the health of their product portfolio and to identify where to concentrate their resources.

You can do the same thing for your keyword portfolio.

Sort your keywords into four categories in order to better shape your search strategy for the future.

Question marks – these are keywords in areas where growth is likely but at present you're not getting the performance you'd expect. These are very often untapped keyword opportunities and you should plan how you are going to improve performance on these kinds of keywords.Stars – high-performance keywords and loads of room for growth – find ways to capitalise on growth. My advice is to focus your resources of gaining results in these areas for maximum ROI in a short period of time.Dogs – the poor performing keywords with little or no chance of growth – bin these in favour of other keywords, reallocate any resources to other areas.Cash cows – the high performing keywords that show little opportunity for growth – look for ways to enhance and maintain performance whilst identifying patterns and translating this learning to other areas or verticals.

What mistakes do you see happening in the keyword research process? Please share them in the comments section below...

By James Agate, founder of Skyrocket SEO and a regular SEO contributor to leading blogs and publications across the web.


View the original article here


This post was made using the Auto Blogging Software from WebMagnates.org This line will not appear when posts are made after activating the software to full version.

viernes, 26 de agosto de 2011

Marketing social PERSPECTIVAS DE LA AGENCIA EN LA ESTRATEGIA DE CLIENTE y tácticas de campaña

P. ¿ Si su agencia ha logrado un resultado extraordinario para la organización del cliente, por favor describa brevemente la estrategia y tácticas de campaña.
El año pasado, un pequeño cliente configurar su canal de YouTube y publicado varios vídeos educativos sin ninguna optimización. Hemos creado el canal de manera adecuada y optimizar los vídeos. El resultado fue un aumento de 3 veces en visitas y clics 2x a su sitio web en el primer mes.
Uno de nuestros clientes es un abogado de lesiones personales con el objetivo de competir con los mejores abogados de los daños que se están pegados en todos los autobuses y vallas publicitarias en el área de Salt Lake City. Nuestro acercamiento a los medios de comunicación social fue involucrar a los usuarios en una causa benéfica que está en el seno de nuestros clientes. Hemos patrocinado un coche $ 10.000 Facebook, donde el abogado donará $ 1 por cada Facebook como a los Hospitales Shriners para niños, de hasta $ 10k. Como resultado, la comunidad local está respondiendo positivamente y que se dedican a la distribución de la causa con sus amigos en línea. También hemos sido capaces de poner de relieve la unidad de disco local de segmentos de noticias de televisión y periódicos, para aumentar el conocimiento sobre el cliente (y, por supuesto, la unidad). Como marca global y la campaña de concienciación de la marca, que ha sido un éxito. En cuanto a los resultados directos, hacemos un seguimiento de la respuesta y el tráfico del sitio web con el único número de teléfono de seguimiento de llamadas y hemos notado un aumento en las llamadas telefónicas, pero no puede determinar con precisión si la campaña de medios sociales ha tenido un efecto directo en los ingresos, por el momento.
Recientemente, hemos utilizado una combinación de Facebook y Twitter con los tradicionales comunicados de prensa y relaciones con los medios para lanzar un nuevo multi-tenant la construcción de viviendas. Seguidores fueron rumores inmediatos y globales generados ha sido muy positiva y presagio de aceptación de la comunidad durante la construcción.
Hemos sido capaces de generar reservas de habitaciones de un hotel de lujo de la marca a través de los medios de comunicación social. Esto les ha dado la confianza de que el medio es definitivamente vale la pena invertir pulg
Hemos educado a nuestros clientes sobre la eficacia de los medios de comunicación social como una plataforma para "escuchar y comunicar" el mensaje de marca a través de sus clientes y usuarios potenciales. Hemos llevado a cabo concursos en línea con Facebook y Twitter con gran éxito. El tiempo para alcanzar a miles de clientes está ahora en cuestión de segundos de nuestras publicaciones. Y se hace eco de re-tweets y "le gusta" más allá de nuestras expectativas.
Hemos creado un reto en el que los concursantes se les pidió firmar para arriba para el correo electrónico y realizar una encuesta para ganar. Un segundo premio fue ofrecido por la mayoría de las acciones. Hemos implementado la analítica avanzada para realizar un seguimiento. Métricas incluyen correo electrónico de adquisición de clientes, los valores en dólares asignados a los distintos niveles de los comentarios, emailssent, acciones y ventas. ROlanalysis hasta el momento alrededor de 155 por ciento.
Hemos introducido un cliente (pequeña empresa de software) a los medios de comunicación social en 2009, y el director general se hizo cargo del esfuerzo personal. Hoy en día totalmente el 50% de sus ingresos, directa o indirectamente atribuibles a los medios de comunicación social.
Utilizando Facebook como un hub, un cliente fue capaz de llamar la atención sobre sus capacidades de medios digitales a través de una campaña de responsabilidad pro-bono social en el que renovó la presencia de los medios digitales de una organización no lucrativa. Esto, a su vez, consiguió un cliente bastante grande para una revisión completa de medios digitales en un vertical específico que se habían dirigido durante algún tiempo.
188
©

CompuARC 2011 Marketing Social Informe Benchmark
Sindicación de contenidos automatizada desde un sitio web a través de clientes segmentados corrientes de Twitter se ha incrementado el tráfico relevante en un 300 por ciento.
Se utilizó el contenido del blog aumentado con vídeos de YouTube y promovido a través de tweets y otros medios de comunicación social para aumentar el tráfico web en un 400% en cuatro meses. Impacto en los negocios es contribuir a la práctica el crecimiento y la creación de empleo en la peor recesión de la historia. La práctica en cuestión es una clínica de terapia física mediana.
Un ejemplo de ello surgió de la necesidad de gestionar la reputación de socio director del bufete de abogados que se obtuvo alguna mala prensa en un pequeño desacuerdo que tuvo con alguien que conocía su camino en la Web. Hemos puesto en marcha una campaña a todos a difundir ampliamente el contenido, incluyendo puntos de venta internacionales y de interactuar en las redes de la construcción de una presencia individual y de empresa en Facebook, Twitter, Linkedin y algunas redes peer-to-peer. Hemos hecho un cambio de cuenta algunos nombre, sustituyendo el nombre del socio para el nombre de la empresa que de inmediato tuvo un impacto en los resultados de búsqueda y empujó el material ofensivo en los resultados, pero no del todo a nuestra satisfacción. Hemos creado un blog de la marca con el nombre del socio de la dirección URL (tuvimos la suerte de haber reservado esto hace años). Hemos hecho un esfuerzo mayor para la colocación del artículo, sonido y cita a través de los medios de comunicación tradicionales, que se recogió y que se puede vincular a las corrientes en los medios de comunicación social. El resultado, aunque no completa, realmente ha aumentado nuestra visibilidad y no es sorprendente que nuestros amigos, fans y seguidores. Estamos entrando en podcasting sindicado y acaba de terminar la producción de varios vídeos de corta duración sobre temas de fondo relacionados con un área de práctica de nicho. Estos serán distribuidos a través de You Tube, el sitio web de la empresa, boletín electrónico, etc
Como un mandato que nos esforzamos por incluir una "cadena de tres" en todas las campañas de marketing online para nuestros clientes mediante la adopción de un tweet y la dirección que a una página web que dirige a un Facebook, Flickr o blogs de la compañía. Cualquier combinación de las fuerzas por encima de la planificación de un objetivo, y es que el comportamiento que estamos enseñando a nuestros clientes a participar y medida. Estos esfuerzos están dando sus frutos en varios niveles incluyendo el pas.
Para varios clientes, hemos creado blogs de la compañía que alimentar automáticamente en la vida social los medios de comunicación, como Linkedln, Facebook y Twitter. A través de la creación de este puente, la empresa aprovecha el contenido de manera eficiente, aumenta el tráfico Web, y mejora los resultados del motor de búsqueda.
Cuando su público social es pequeño, aprovechando los influyentes que tienen su propio público puede ampliar su alcance y lograr nuevos adeptos. El público sigue siendo oyentes en línea, no creadores de contenido. La alimentación de los contenidos se la respuesta, para pedirles que ayuden a crear no el contenido. En ciertas campañas integradas, medios de comunicación social superó el ROI de costo / impresión en comparación con la publicidad en línea. Y generación de oportunidades era fuerte, aunque no debe ser el foco principal de la actividad social.
En este punto, nuestro mayor desafío será crear una presentación que es lo suficientemente eficaz como para convencer incluso a los más pequeños, menos sofisticado de nuestros pequeños negocios minoristas que necesitan ser educados en el valor de usar los medios de comunicación social y cómo.
Una agencia sin fines de lucro centrada en la educación infantil se encontraba en riesgo de perder una cantidad significativa de fondos estatales debido a la falta de presupuesto. Hemos ayudado a la agencia utilizar varios medios de comunicación social y las comunicaciones en línea para impulsar la asistencia a un mitin en la capital del estado, obtener el apoyo de los legisladores de diferentes y personas influyentes, y obtener más de 500 firmas en una línea
189
©

CompuARC 2011 Marketing Social Informe Benchmark
petición que fue entregada a los líderes legislativos de revisar los posibles recortes de presupuesto. Financiación de nuestros clientes se salvó de los cortes al presupuesto del Estado se terminó. Todas estas actividades se produjo dentro de un plazo de dos semanas que no habría sido posible sin las comunicaciones en línea.
Sitio web origen para la generación de plomo es la generación de 30 opt-in lleva por mes, con información de contacto Identificación. Generar más clientes potenciales al mes a nivel local de sitio web principal de la marca del Ministerio del Interior para los propietarios de operaciones de las sucursales.
Para un fabricante de aderezos de ensaladas frescas, se construyó un micrositio en torno a las recetas de ensaladas. La funcionalidad del sitio permite a los usuarios ordenar y recetas de la tasa de acuerdo a una variedad de criterios. Hemos ayudado a aprovechar este activo a través de varias plataformas sociales (redes sociales, blogs, etc) para crear la pertenencia consistente y suscripción al programa.
Mediana empresa de fabricación de caramelo utiliza los medios de comunicación social, vinculados a través de página web, Facebook, Twitter, TV, campañas de radio y correo electrónico; anima a los suscriptores de correo electrónico a "como" en Facebook y, a su vez alienta a los fanáticos de Facebook para inscribirse para el correo electrónico utilizando el formulario de correo electrónico incorporado en Facebook ficha. Incluso hemos utilizado un corto plazo de las mujeres de promoción pidiendo a inscribir a sus maridos por correo electrónico para enviar una "sugerencia" de correo electrónico completa con el cupón. Varios centenares de aficionados lo han hecho, la construcción de su base de datos y aumentando las ventas del año un 50% más respecto al año
Hemos utilizado los medios de comunicación social en una forma limitada de clientes. Creemos en él y sé que funciona, pero los clientes convincente de que es otra historia. Esto debería ser un año interesante de los cambios para nuestros clientes.
Los clientes de mi cliente son los ancianos, por lo que a primera vista no hay un papel para los medios de comunicación social. Pero les hemos convencido de que muchas de sus decisiones de atención médica están siendo influenciados o fabricados por los hijos adultos que hacen uso de los medios de comunicación social. 2010 fue nuestra primera incursión en los blogs de los cuidadores y parece estar ganando impulso para mis clientes.
Hemos aumentado la calidad de los cables de una empresa de fabricación de defensa electrónica productos relacionados. Un subsegmento de un mercado más amplio, hemos utilizado nuestro go-to-market estrategia de interacciones no transacciones.
PR tradicionales vinculados al lado de Twitter, Facebook, YouTube, enlaces y archivos en línea ayudó a lanzar un producto al por menor y el inventario lleno total incluidas las órdenes de segundo en las tiendas de venta al por menor en la temporada de vacaciones 2009 - resultados increíbles.
El blog semanal de alimentos / e-newsletter que creamos para una cadena de comida fresca local es conseguir una tasa de click-through 32% para el volante semanal de ventas en línea. Pensamos que es bastante impresionante y nuestros medios de inspirar a probar otros tipos de medios de comunicación social y marketing de contenidos.
• Aún no se dan cuenta de los beneficios de la integración de los medios de comunicación social con mis esfuerzos de marketing.
Marca de página en Facebook, en consecuencia las expectativas. Objetivo: Conseguir 2.000 gusta (cuando un mensaje se realiza en la página que aparecerá en la pared de los que hizo clic como) Aplicación: Página de marca, por defecto de la pared de la carga a un concurso (que muestra el contenido diferente para los usuarios que les gustaba y los usuarios que no) - los usuarios que no, sin embargo, tuvo que, como el fin de participar - Los usuarios que le gustaba era ver a una página del concurso, cuando si se hace clic en ellos fueron llevados a una aplicación de Facebook de la que
190
©

CompuARC 2011 Marketing Social Informe Benchmark
puede enviar imágenes de marca a sus amigos, con el fin de ganar algunos premios no tan grande. Ganadores: - al azar de los usuarios le gusta, y un premio para el que envió la mayoría de los resultados de las invitaciones: 1 mes: 5.000 gusta, 50.000 invitaciones enviadas (contacto con la marca) Observaciones: Al hacer el A / B (ficha no le gustó / gustaba la ficha - aplicación de visualización) - aumento de la talla de la página - mediante el establecimiento de dos premios (uno para los usuarios que le gustaba y otro para la mayoría de las invitaciones) los usuarios realizar ambas acciones beneficios adicionales, también tenemos una aplicación con 2.000 usuarios que pueden utilizar para la comercialización de otros propósitos. Problemas: las limitaciones de Facebook ... en el inicio de la aplicación sólo algunas invitaciones pueden ser enviados, después de que el límite aumentó a 35, los usuarios no estaban satisfechos con eso. No es fiable para una competencia justa.
Tenemos un cliente que abrazó enormemente los medios de comunicación social para su agencia de seguros. Como resultado de ello han sido invitados a blog, Tweet y escribir para otros organismos y organizaciones nacionales enorme aumento de su exposición.
Hemos tenido mucho éxito dirigidas a grupos específicos a través de Facebook, con concursos y regalos patrocinados. Corremos estos concursos en su totalidad con los anuncios de Facebook, Facebook Connect para acceder a entrar, y los mensajes de Facebook para anunciar a los ganadores. Antes de entrar a los ganadores, lo invitamos (pero no los necesita) para ver un video, escuchar una canción, etc, para la empresa patrocinadora.

EL ÉXITO DE MARKETING SOCIAL - SEIS campañas que aumentaron las ventas

EL ÉXITO DE MARKETING SOCIAL - SEIS campañas que aumentaron las ventas
BRIEFING DEL CASO: CONCURSO SOCIAL MEDIA ASCENSORES campaña de ventas del 15%
Diseño web tarragona
www.compuarc.es
Caso de estudio abreviado ID: 31543
Lugar: Biblioteca CompuARC miembro
Resumen: ¿Cómo Moosejaw, un arte al aire libre y minorista de prendas de vestir, creó una campaña de regalo de productos que requieren los usuarios de medios sociales para participar en Facebook o Tweet volver a los mensajes en Twitter para calificar para los dibujos.
RETO
Clientes dedicados Moosejaw - en particular los sectores más jóvenes - a menudo se conectan con la marca a través de canales múltiples, tales como Twitter, Facebook, correo electrónico y SMS móvil. El equipo tomó una decisión a finales del año pasado para conectar con la recompensa y estas muy comprometido, los menores de 30 clientes a través de múltiples canales.
CAMPAÑA
El equipo creó un Moosejaw 20 - campaña de regalo de día y utilizan canales de medios sociales para fomentar
que el público conecte con la marca allí y compartir la información con sus amigos. El enfoque del equipo de marketing y de marca es algo sin sentido, y su público le encanta, por lo que premios como una ardilla legendaria de madera y de forma aleatoria cebra inflables fueron incluidos en los regalos. El concurso concluyó con
un gran premio de una compra de $ 1,000.
Moose.llw "
,-~---"' ...... -_...--~
El equipo realizó el concurso a través de Facebook y Twitter. Para participar en el concurso, una persona tenía que comentar un hilo anunciando regalo de ese día en Facebook, o volver a Tweet un mensaje en Twitter. Después de un anuncio, el equipo acepta las entradas para un tiempo muy limitado, como por ejemplo 30 o 45 minutos. Se reunieron las entradas y se utiliza un generador de números aleatorios para seleccionar a los ganadores. Algunos regalos sólo se podía entrar a través de un canal. Otros concursos permiten entradas de Facebook y Twitter. El equipo quería animar a la gente a seguir la marca en ambos canales.

~
........ .... u ......
de regalos DECENTE
es decir, · - ~

Estamos dando lejos un montón cosas decente todos los días en Facebook y Twitter. O'Ieck cada día nuevas formas de ganar. O Don'l.


El concurso generó un zumbido ensordecedor en las páginas sociales del equipo de los medios de comunicación. La gente hizo preguntas, le pidió a ganar premios y habló
sobre los productos y la marca. Tener los miembros del equipo para responder a estos mensajes era esencial para mantener el proceso funcionando sin problemas y mantener al público contento.
RESULTADOS
Moosejaw capturado un 31% más fans en Facebook, para un total de más de 20.000.
También capturaron a un 45% más seguidores en Twitter durante el esfuerzo, para un total de 5.600.
De venta de productos del equipo utilizado como premios un aumento de 10% a 15% durante el esfuerzo.
177
©

CompuARC 2011 Marketing Social Informe Benchmark
BRIEFING DEL CASO: influyentes llegar a Via REDES SOCIALES Y PUBLICIDAD
Caso de estudio abreviado ID: 31729
Lugar: Biblioteca CompuARC miembro
Resumen: ¿Qué cosas de 4 Strings puso en marcha una campaña de marketing de base para entrar en un nicho de mercado, excitar su influencia y, lo más importante, vender sus productos.
RETO
Cosas de 4 Strings accesorios diseños para los jugadores principiantes violín y violonchelo que anima técnica de arco adecuado - una fuente de muchos años de frustración. Para llegar a este mercado, la empresa tuvo que llegar a su influyentes: violonchelistas y violinistas profesionales que también enseñó a los estudiantes.
CAMPAÑA
Cosas de 4 Strings desarrollado una estrategia para llegar a los instructores y los jugadores directamente a través de conferencias de cuerda ', foros en línea y redes sociales para convencerlos de probar su producto. Antes de que se comenzó a comercializar en toda su fuerza, las cosas 4 Strings tenido que fabricar, de patentes, y el paquete del producto y el diseño de su sitio web. Después de varios tropiezos y pasos en falso, que llegó a tener el producto envasado y en la mano, y desarrolló el sitio web.
Facebook
Foros en línea

Con el producto y el sitio web establecido, se pusieron a correr la voz entre los jugadores y los profesores. Se sentían un enfoque de marketing de base era la mejor manera de promover inicialmente a este mercado muy unida, y utiliza los siguientes canales:
Las ventas de los productos y la atención de la industria fueron ganando terreno. Cosas de 4 Strings añadió un plan de pequeños medios de comunicación para complementar sus redes. El equipo puesto en marcha campañas en los siguientes canales:
Facebook Publicidad
Publicidad impresa
Mostrar anuncios en línea y patrocinios
RESULTADOS
Desde su lanzamiento en agosto, el equipo ha conseguido un aumento constante en las ventas, y el atractivo generalizado de la industria. Las ventas se incrementaron 23,34% en seis meses, y el aumento de 29,84% en los siguientes cuatro meses.
La página web tenía una tasa de conversión del 3,2%, que no incluye los pedidos por teléfono.
35% de los sitios web a los visitantes procedían de Facebook después de que el equipo aumentó su presupuesto de publicidad en la red. Facebook fue el canal de publicidad en línea de mayor impacto, seguido de cerca por los foros en línea.
178
©

CompuARC 2011 Marketing Social Informe Benchmark
BRIEFING DEL CASO: Los medios sociales, VIDEOS Y PERCEPCIONES CONCURSO DE CAMBIO DE MARCA
Estudio de caso 10 abreviado: 31698
Lugar: Biblioteca CompuARC miembro
Resumen: ¿Cómo Regus, proveedor de espacio de oficina temporal, diseñó una estrategia de marketing más afilado para contrarrestar su imagen de alto costo, la solución inalcanzable para la ciudad de Nueva York, startups y emprendedores.
RETO
Tener una alta calidad, marca de prestigio es generalmente una buena cosa - a menos que la imagen que le impide atraer ciertas perspectivas deseables. El equipo de marketing de Regus se le encargó el desarrollo de las campañas prioritarias para aumentar los ingresos y la ocupación en un puñado de mercados específicos, incluyendo Manhattan.
CAMPAÑA
El equipo centró su campaña de generación de oportunidades en nuevas empresas, empresarios y consultores de pequeños propietarios o venta. La conexión con estos pequeños ", scrappier" Las empresas requieren nuevos mensajes entregados
a través de nuevos medios de comunicación. La campaña integrada incluye:
Un sorteo
Videos virales
Medios de comunicación social de alcance
Eventos en persona

El equipo creó un sorteo como uno de los elementos de anclaje de la campaña. El concurso ofrece un año de renta libre, espacio de oficinas equipadas en un edificio Regus en Nueva York.
Otro elemento de anclaje de la campaña era una serie de videos en línea que coloca Regus como una opción para las pequeñas empresas, puesta en marcha. Los tres videos que ofrece una toma ligera sobre los problemas emprendedores y nuevas empresas se enfrentan al tratar de gestionar el negocio sin una oficina permanente.
El equipo incorpora los medios sociales como un canal fundamental para difundir la palabra sobre el concurso y videos - y de comprometerse con su base de perspectiva empresarial. Ellos crearon nuevas cuentas y desarrollo de estrategias de comunicación específicas para las redes sociales:
Facebook
Gorjeo
Linkedln
El equipo también participó en la pasada de moda, en persona en red con su público objetivo mediante el patrocinio de nueve eventos de negocios en Nueva York. En lugar de acoger los acontecimientos en sí, el equipo se asoció con organizaciones de pequeñas empresas establecidas en la ciudad.
RESULTADOS
Un total de 30% de aumento en el flujo principal, adición de un 60% durante el apogeo de los 90 días de campaña
Un 33% de tasa de conversión de clientes potenciales generados a través de la Web, en comparación con un 12% la tasa en 2008
Un incremento del 114% en los ingresos generados, en comparación con el mismo período del año anterior
179
©

CompuARC 2011 Marketing Social Informe Benchmark
BRIEFING DEL CASO: CAMPAÑA DE LANZAMIENTO DE PRODUCTOS 'localiza' una marca en las redes sociales
Caso de estudio abreviado 10: 31608
Lugar: Biblioteca CompuARC miembro
Resumen: ¿Cómo New Belgium Brewing Company lanzó un nuevo producto mediante el uso de los medios de comunicación social, para enfatizar la conexión local de su marca a los clientes.
RETO
El mercado de la cerveza artesanal fue creciendo en la India Pale Ale (IPA). El IPA Nueva Bélgica estaba a punto de lanzar tuvo que probar fantástico, y la comercialización tendría que hacer que el producto se destacan en una categoría muy concurrida.
CAMPAÑA
Después de pasar casi un año perfeccionando su cerveza, el equipo estaba listo para construir su campaña de lanzamiento. Se decidió combinar tácticas online y offline con un microsite, Facebook, y dentro de la tienda y eventos para ayudar a hacer una conexión local entre la marca y los consumidores en su área de distribución de 26 estados.
El equipo necesario para captar la atención en los puntos de venta. De lo contrario, los clientes pasar por delante de sus cervezas sin mirar. Eventos en las tiendas a este propósito.
Los bebedores de cerveza artesanal de cerveza a menudo el apoyo de propiedad local. Ellos pensaron que conecta a los consumidores con sus representantes locales - "rangers cerveza" - que ayudan a localizar la marca y captar más confianza al cliente.
El equipo tuvo más de 70.000 aficionados, o "le gusta", de su página de Facebook. Ellos querían que los aficionados se conecten con los representantes de ventas locales en Facebook, así que le añadieron un mapa interactivo a su perfil.
Otros elementos localizados de la campaña incluyen:

R. JINOH tP'A r "PPhJ Piwt \ M:
Una foto herramienta de carga que los fans permite pegar su cara en un guardabosques, lo que parece como si el consumidor estaba en uniforme. Los visitantes pudieron compartir la imagen en Facebook.
Un video gracioso de los tres miembros del equipo vestidos como guardias forestales, la realización de una canción de rap sobre la empresa y la cerveza.
Perfiles de los Rangers se han añadido a Facebook para la mayoría de los representantes de ventas locales.
RESULTADOS
El equipo pasó los tres meses de meta de ventas en las seis semanas del lanzamiento.
Ganaron cerca de 7.000 aficionados a sus perfiles de Facebook en la primera semana, ayudando a conectar a los clientes con sus representantes de ventas locales.
Alrededor de 100.000 visitantes únicos llegó a la microsite en la primera campaña de dos meses. Por lo general nos alojamos por 5 a 7 minutos cada uno.
180
©

CompuARC 2011 Marketing Social Informe Benchmark
BRIEFING DEL CASO: INTEGRADA SMS, SOCIALES Y CORREO ELECTRÓNICO aprovecha evento climático
Caso de estudio abreviado 10: 31511
Lugar: Biblioteca CompuARC miembro
Resumen: ¿Cómo Eldorado Hotel Casino Reno tuvo noticia de una gran tormenta de nieve y lo convirtió en una oferta de paquetes de esquí que mantienen los clientes que reserven habitaciones.
RETO
Oemand las habitaciones en un hotel de lujo y un casino puede balancearse con el viento. Así que cuando el equipo de marketing se enteró de que una tormenta estaba a punto de caer varios metros de nieve, que sabía que tenía el potencial de reducir drásticamente las reservas de hotel. Su reto era convertir la tormenta de nieve a partir de una amenaza en una oportunidad.
CAMPAÑA
El equipo sabía que la tormenta se deje de muchos californianos de viajar a Reno. Esquí y snowboard entusiastas, sin embargo, sería más probable para realizar el viaje, especialmente si el equipo hizo una oferta atractiva. El equipo consiguió una tasa mayor de pases de esquí a un hotel cercano y se pasa el descuento a los clientes.
El equipo comprado de pago por clic en publicidad en los motores de búsqueda más importantes para promover la oferta. Palabras clave específicas incluyen frases relacionadas con los paquetes de esquí y las condiciones del equipo de la marca.
El equipo quería para promover la oferta de un canal que tendría un impacto inmediato. Pasaron la mayor parte
de 2009 la construcción de una lista de suscriptores de SMS de alerta y decidido a promover primero la oferta a la lista. Ellos elaboraron el siguiente mensaje para promover la oferta: "Eldorado: No hay un pie de nieve fresca en las montañas y ¡qué mejor manera de celebrar que un paquete de esquí / snowboard por $ 99 llame al [número de teléfono] hoy, mañana de esquí "

El equipo también mantiene fans y seguidores en Facebook y Twitter.
Enviaron a cambios a los perfiles de unos tres días después de enviar el mensaje SMS. Su mensaje: "Deja que nieve hay más de un pie de nieve fresca en las montañas y estamos ofreciendo un paquete de esquí / Consejo de ...!"
Mientras otros canales tienen tiempos de respuesta más rápido, el equipo sabía que su lista de correo electrónico que proporcionan el mayor impacto. Esto se debe, en parte, porque la lista es varias veces mayor que los SMS del equipo y las bases de datos sociales. El equipo envió un correo electrónico que promocione los paquetes de una semana después de enviar el mensaje SMS.
RESULTADOS
El equipo vendió 28% más de paquetes de esquí en diciembre que el resto de 2009 combinados!
Utilizando análisis web y números de teléfono personalizada para monitorear el desempeño, el desglose de ingresos por canal de la campaña fue:
• Correo electrónico: 56%
• Página web: 25%
• Móvil: 14%
• Social: 5%
181
©

CompuARC 2011 Marketing Social Informe Benchmark
BRIEFING DEL CASO: EDIFICIO EN LÍNEA DE MARCA FORO Y OFERTA CONCURSO SE 83% CTR
Estudio de caso 10 abreviado: 31456
Lugar: Biblioteca CompuARC miembro
Resumen: ¿Cómo Nitta de Llantas, un fabricante de neumáticos, ayudó a construir su marca y la demanda de los consumidores mediante la promoción de una oferta de regalo a través de varios foros en línea.
RETO
El neumático Nitta equipo de marketing, una vez se basó en la publicidad impresa para crear la demanda de sus neumáticos, que se venden a través de distribuidores. Hoy en día, los consumidores que disfrutan de la personalización de sus vehículos son mucho más propensos a usar los foros de discusión en línea para realizar un seguimiento de las tendencias de la industria y nuevos productos. En respuesta, el equipo cambió de dirección mediante el desarrollo de un enfoque de marketing único para llegar a su audiencia en los foros en línea.
CAMPAÑA
El equipo comenzó la creación de cuatro posters de alta calidad que contó con vehículos de alto rendimiento equipado con neumáticos Nitta. Los carteles tienen una etiqueta de marca en la esquina inferior derecha que dice "Nitta: Desarrollado por los aficionados." Ordenaron a 3.000 ejemplares de cada cartel para la campaña de marca. El equipo creó entonces regalo para los carteles y lo promovió a través de varios foros en línea, que atraen de alto rendimiento entusiastas del automóvil.
El equipo dirigido foros específicos de los coches aparecen en los carteles. Este enfoque asegura que el
usuarios de los foros 'estaría interesado en la promoción. Dentro de estos foros, el equipo fue capaz de publicar la oferta en doce categorías del foro. Desde que el equipo está publicando en varios foros, querían personalizar los mensajes para cada salida. En este caso, se crearon cuatro foros, uno para cada vehículo.
El equipo trabajó con una agencia que tenía relaciones con los operadores de foro para que sus puestos de relieve en los debates pertinentes. Los mensajes fueron dados "pegajoso" de estado, que les permite permanecer en la parte superior de los foros por una semana.
RESULTADOS

Nitta Tire alcanzaron tasas de click-through muy alta que resulta en un cartel de venta en menos de tres horas. Las tasas de click-through de los dos mensajes en el foro para sus páginas de destino correspondiente:
83% en los foros de Corvette
80% en los foros de BMW
El equipo recibió solicitudes de 3.893 carteles Corvette y 3.509 carteles BMW. Los resultados fueron similares en todos los foros específicos de Audi y Nissan.
182
©

jueves, 25 de agosto de 2011

Linkscape actualizaciones y tramas/retroalimentación sobre la nueva función de PRO de lista de tareas

Como ya han visto, Linkscape sólo ha actualizado con un nuevo índice rastreado principalmente a principios de agosto. Esto significa que hay nuevos datos en la aplicación web, Open Site Explorer, la herramienta vínculo intersección y la mozBar (Nota: el nuevo 6 Firefox causó un montón de problemas con nuestra muestra de barra de herramientas, por lo que será otra semana más o menos antes de la re-compatible con esta versión).

En índice anterior de Linkscape, nos concentramos un poco más en dominios grandes, poderosos, importantes rastrear más profundamente a expensas de algunos sitios más pequeños, baja mozRank al margen de la web. Esta vez, estamos tratando de poner en peligro un poco con un índice que está un poco más equilibrado - todavía es muy grande; URL 51 billones (en comparación con tamaños de índice previo en el rango de dirección URL 38 billones), pero contiene más únicos dominios raíz - 98 millones frente a 91 millones en el índice previo.

Como siempre, se aman sus comentarios sobre la calidad y el valor para el análisis de la competencia de este índice / vincular construcción. Ah y por cierto, para quienes le interesa vínculo con datos Linkscape / Open Site Explorer, estoy dando un seminario sobre el tema este viernes, así que inscribirse!

Aquí son las más recientes estadísticas Linkscape:

51,494,511,857 (51,5 billones) URLs592, 299, 695 (592 millones) Subdomains98, 626, 331 (91,6 millones) raíz Domains399, 327, 725, 405 LinksFollowed (399 billones) vs Nofollowed 2,25% de todos los vínculos encontrados fueron nofollowed58.82% de nofollowed enlaces son internos, 41.18% son externalRel canónicas - 10.12% de todas las páginas ahora emplean un rel = tagThe canónica media página tiene 78.03 enlaces sobre ella 65.09 enlaces internos en average13.21 enlaces externos en promedio

Sólo he funcionado hasta ahora algunos informes, pero mi sensación es que hay un equilibrio razonablemente bueno aquí, aunque, por supuesto, todavía me encantaría poder obtener un índice más grande y la esperanza de lograr un crecimiento aún más significativo en ese frente en los próximos meses. Si alguna vez encuentra un vínculo estamos faltantes o algo que esperaba que teníamos, por favor háganos saber.

Yo también tengo una próxima característica de PRO que puedo compartir hoy, y estoy bastante emocionado. La función se llama actualmente "lista de tareas" y es parte de cómo estamos planeando hacer el proceso SEO y los datos dentro de campañas más útiles y útil. Aquí es una estructura metálica (Nota: no una captura de pantalla!):

PRO Task List Wireframe

La idea es darle a los profesionales de marketing trabajando dentro de la aplicación de una lista de posibles elementos de "pendientes". Obviamente, no siempre podemos saber lo que está en el plato, pero desde el rastreo semanal, ranking análisis e informes en la página, a menudo conseguimos un sentido de algunas prioridades bien. Junto a ellos, queremos añadir una lista de tareas comunes que puede desear cada SEO a participar con un sitio de campaña. Puede ver algunos ejemplos de en la trama anterior, pero también nos encantaría llegar sus comentarios y sugerencias.

Para ello, tenemos una encuesta sobre la lista de tareas que realizar como un vendedor profesional y nos encantaría poder obtener su entrada aquí.

Gracias a ton - y no dude en añadir cualquier color o ideas adicionales en los comentarios abajo!

p.d. Un elemento más - la ficha anclaje de texto en el explorador de sitios abiertos se muestran datos del último índice para un par de semanas, como hemos tenido algunos problemas de procesamiento de texto ancla en este índice. Esperamos tener que solucionar pronto.


View the original article here


This post was made using the Auto Blogging Software from WebMagnates.org This line will not appear when posts are made after activating the software to full version.

Contenido Marketing para el talento de deterioro

Error al deserializar el cuerpo del mensaje de respuesta para la operación 'Translate'. Se superó la cuota de longitud del contenido de cadena (8192) al leer los datos XML. Esta cuota se puede aumentar cambiando la propiedad MaxStringContentLength en el objeto XmlDictionaryReaderQuotas que se usa para crear el lector XML. Línea 2, posición 8299.
Error al deserializar el cuerpo del mensaje de respuesta para la operación 'Translate'. Se superó la cuota de longitud del contenido de cadena (8192) al leer los datos XML. Esta cuota se puede aumentar cambiando la propiedad MaxStringContentLength en el objeto XmlDictionaryReaderQuotas que se usa para crear el lector XML. Línea 1, posición 8824.
The author's posts are entirely his or her own (excluding the unlikely event of hypnosis) and may not always reflect the views of SEOmoz, Inc.

There’s a reason people balk at content marketing – it’s hard. Not only do we have to be marketers, but now we’re supposed to be subject-matter experts, writers, and designers? Sure, we can hire it out, and sometimes we should, but there’s something to be said for crafting a piece of content entirely on your own. It’s not just ego – it’s your vision and only you really understand what you want in the finished product.

For me, the gap is often in the design and illustration. I’m assuming you’re a subject-matter expert in something and can write about it competently (it’s ok if you’re not a poet). If you’re like me, and your expectations are bigger than your talents, I’d like to offer a few shortcuts I’ve learned for designing your own content.

It’s amazing what you can do with a few words and a splash of color. For example, I started a recent post by writing out how much money Google made last year:

With just one font and strategic use of color, I was able to not only emphasize that $29B is a lot of money, but I tied it to Google’s identity. Best of all, it only took a few minutes.

I have to come clean and admit that I learned this trick (a couple of these tricks, actually) from Rand. Here’s another example, from his recent post on the responsibilities of a modern SEO:

The image looks great, and it really livened up Rand’s post, but what is it, really? It’s just well-placed text with a splash of color. I’m not picking on Rand – my point is that these small touches can make a huge difference.

Even if you go beyond text, you don’t have to be an artist to create a simple illustration that effectively communicates an idea. Justin Briggs had a great post here recently on how Google might detect spam, and it included images like this one:

Practically speaking, it’s just some circles and arrows, but these images really helped illustrate the complex ideas in Justin’s post. It wasn’t the complexity of the design that mattered, but the depth of the ideas behind the design.

Let’s pick on Rand again. Here’s an image he did for a recent post on inbound marketing:

I’ll let you in on a little secret – boxes and arrows are one of Rand’s favorite tricks. It’s hard to argue, because this image is a lot more compelling than a bulleted list. I hope you’re also seeing a pattern here – it’s the quality of the thought behind the image that really matters.

I admit that I’m trying to keep this post to mostly SEOmoz examples – not to pat ourselves on the back, but to show that we practice what I’m preaching. Here’s an outside example I really like, though, a Minimalist Muppet poster created by Eric Slager:

Obviously, this one is a bit more complex than my previous examples, but the actual design elements are pretty simple. The concept is genius, but the graphic itself really is minimalist. The minimalist meme has been going around – here’s another example with superhero posters (via ScreenRant.com):

My minimalist Roger Mozbot illustration should make a bit more sense now. The moral of this story: you can do a lot with some basic skills, if the core concept is strong enough. Clearly, this is the work of talented designers, but you don’t have to be an Adobe Illustrator guru to create something similar. You just have to start with great ideas.

It’s not stealing if you take your own stuff – good content creators learn when and how to re-use their own content. That doesn’t necessarily mean using the same image over and over (although there are times when even that can be very effective). It means learning how to re-use elements of your own illustrations, sometimes even within the same post. Recently, I did a post on marketing ethics, and I illustrated the post with whiteboard-style drawings like this one:

It won’t hang in a museum anytime soon, but I think the series of illustrations helped simplify a difficult topic. If you look at the 5 illustrations, you’ll see each of them have some variation on the same 5 elements:

You don’t have to be a connoisseur of the fine arts to realize that element #2 is just the same guy with a bowtie and element #5 is the blue car “painted” red. Take away the brick wall in the 1st image and the gray box, and I essentially created 5 illustrations with 3 main elements.

Last year, Rand did a great piece illustrating indexation issues. Some of the illustrations were pretty complex, like this one:

Before the days of Roger Mozbot (or, as we call it, the Time of Despair), Rand used to frequently create illustrations that were essentially Googlebot + Page icons + Arrows + Text. Again, I’m not picking on him – the finished products were great. Break them down, though (and pay attention over years of content), and you’ll see that Rand was re-using a lot of work he’d already done. That’s one of the reasons he can pound out an amazing blog post between 2-4am on a trans-Atlantic flight.

Re-use starts with being a curator of your own content. Eventually, you may even build some custom illustration libraries. Here’s an example – back in 2008, I wrote an e-book on CRO that started with an illustrated guide to conversion metrics. It included images like this one:

If you read my recent post on duplicate content and Panda, this may seem oddly familiar. That post used a number of similar web-page images, including:

In that post, I easily converted this basic template into 8 different illustrations. Condensed, those illustrations look something like this:

I don’t want to beat you to death with this point, but I think it’s often easy to miss how elements can build on each other. This kind of approach not only saves time, but it gives your content a consistent look and feel and can make your work look more professional.

You can also see how easy it would be to split these web-page templates into a basic library of layers (I actually have multiple Photoshop files, but the core concept is the same):

As you develop these design libraries over time, especially with an image as flexible as a basic web-page, you find more and more creative ways to use them. Best of all, the quality of your illustrations improves even as they take less time to create. You may even find yourself earning a reputation for your distinctive talent-impaired style.

Stop saying you’re “not a designer” and design something. It doesn’t have to be perfect, it just has to be based on a good idea. Over time, you’ll get better, even if you can only put in 10-15 minutes a day. If you find yourself staring at the computer screen for an hour, pick a new medium. A few months ago, I got up, walked to Office Depot, and bought a box of Crayola markers. It was one of the best creative decisions I’ve made in a long time. Whatever it takes, get started.


View the original article here


This post was made using the Auto Blogging Software from WebMagnates.org This line will not appear when posts are made after activating the software to full version.

Recordando un perro llamado Goodnewscowboy

Goodnewscowboy famous avatar

El domingo, el 7 de agosto, fue un día triste para la comunidad de Moz cuando perdimos un miembro querido debido al cáncer.

Tal vez la más reciente no lo conozco, pero hubo un "perro" aquí que fue el commenter más inteligente y más divertido de todos: se le conoció como goodnewscowboy; su verdadero nombre era Bullitt Darlington.

La comunidad de Moz está orgullosa de estas cualidades, tan bien expresadas por los Principios de TAGFEE de SEOmoz:

Transparente y auténtico;Generosa;Diversión;Empatía;Excepcional.

y Bullitt fue el mejor ejemplo de esta filosofía.

Transparente, porque – aunque utilizó durante mucho tiempo la foto de su amado golden retriever: siempre sabíamos que estaba hablando de su alma;

Authentic, porque él nunca a sí mismo ocultar detrás de una cortina de presunto conocimiento o superioridad;

Diversión, porque fue capaz de inventar la broma más divertida y su un hilos de comentarios de la Laurel & Hardy va a estar en la historia del blog de SEOmoz;

Empathetic, porque estaba allí cuando alguien necesitaba, por correo electrónico, con un tweet, con un comentario en Facebook;

Excepcionales, debido a su intuición era tan lúcido, que fue capaz de discutir y bueno supongo que muchas cosas en SEO y marketing... al declarar, en su honestidad y la humildad no ser un SEO real.

Sí, SEO no era profesión principal de Bullitt. Era su sueño, quería ser y lo que comenzó a ser y preparando para hacer su trabajo, una de las pasiones que le hizo luchar contra su cáncer. Pero fue un SEO en su corazón.

Todavía recuerdo una noche este mes de enero cuando I, Bullitt, Casey y Dr. Pete donde tienen un totalmente no SEO chat en Twitter. Era como un amigos de conversación han sentado en un bar y compartir una cerveza, nada notable, pero inolvidable fue sensación de cercanía sintió durante pocos minutos.

Salimos con una promesa que salud de Bullitt nos impidió hacer: tener la misma conversación pero en persona durante la última MozCon en Seattle, donde todos nos íbamos a ser.

Bullit last avatar... it was a fight to convince him use his real photo.

Bullitt ha pasado, pero alguien sólo muere cuando se desvanece la última memoria de él. Sus comentarios de 2689 aquí hará que vivo en nuestra memoria siempre. Ir y leer them… y recordar a un hombre llamado goodnewscowboy.

El personal de SEOmoz:

Recordamos que Bullitt Darlington, también conocido como goodnewscowboy, como el más tipo, ingenioso, útil y bondadosa alma a esta comunidad de gracia. Donaciones en memoria de Bullitt es posible para el ejército de salvación, uno de caridades favoritas de goodnewscowboy.

A continuación se muestran algunos de nuestros comentarios Favoritos de goodnewscowboy. No dude en compartir sus propios recuerdos en los comentarios a continuación. Él no quiere ninguna otra forma.

Good News Cowboy Comment

GNC Comment

Good News Cowboy CommentsBullitt DarlingtonGNC Comment


View the original article here


This post was made using the Auto Blogging Software from WebMagnates.org This line will not appear when posts are made after activating the software to full version.

A actualización de Panda de Google - 5 pecados mortales contenidos

¿Fue SEOmoz afectado por versiones de Panda de Google? Depende de cómo se mire. Desde la primera actualización en febrero de 2011, el tráfico de búsqueda orgánica a SEOmoz ha aumentado en un 49%.

SEOmoz and panda

Para ser justos, no coinciden con las fechas que Panda golpeó períodos cuando vimos ganancias del tráfico. En este período de tiempo que hemos salió de contenido original, blog popular puestos, introdujo nuevas herramientas y realizó varias mejoras SEO. En cierto modo, se podría decir que somos buenos no obtener penalizados por Panda.

Buscando en los sitios que más tráfico cuando Panda, estoy sorprendido por lo mal formateada la mayoría de estos sitios siguen, incluso meses más tarde. Algunos han hecho mejoras, pero se siente como muchos webmasters decidió no vale la pena, abandonó, o simplemente no sabían qué hacer.

Panda comienza con evaluadores de calidad humana que miran en cientos de sitios Web. Entonces, equipos, mediante el aprendizaje automático, se invita a imitar el jurado humana. Cuando el algoritmo es lo suficientemente preciso en predecir anotó que los seres humanos, su entonces desatados a través de millones de sitios en Internet.

El punto es: Panda comienza desde un punto de vista humano, no una máquina. Podemos mirar en estos sitios con ojos humanos y ver lo obvio.

Recuerde, el Panda es una pena de todo el sitio, no una pena de página. Así que si un determinado porcentaje de las páginas cae por debajo de algoritmo de calidad de Panda, entonces sufre todo el sitio. Fijar suficiente de estas páginas y se puede recuperar.

Nota: he usado imágenes reales de sitios conocidos para ser golpeado por Panda. No me refiero a llamar a nadie y no estoy metiendo con cualquier sitio en particular. Por el contrario, tenemos mucho que aprender de estos ejemplos. También, muchos de estos temas se tratan en excelente post del Dr. Pete, Pandas grasa y contenido fino. Es un trabajo bien un vistazo.

¿Alguna vez mirar un sitio y pregúntese, "dónde está la carne?" Considere la siguiente página. ¿El contenido original existe por encima del pliegue?

Heavy Template Footprint

Esta huella de plantilla crea una baja relación de contenido original. No se sabe el umbral exacto para lo que califica como contenido duplicado desde un punto de vista del equipo, pero esta claramente viola todos los humanos.

Aquí en SEOmoz, nuestra plataforma PRO utiliza un umbral de 95% para juzgar el contenido duplicado. Esto significa que si el 95% de todo el código en su página coincide con otra página y, a continuación, se marca como un duplicado. Para comprobar sus propias relaciones, intente esta ingeniosa herramienta contenida duplicada.

¿Ves las páginas que existen simplemente para vincular a otras páginas? He encontrado esta página de la alta autoridad de faq.org en menos de 10 segundos, lo que indica que hay mucho más.

Empty Panda content

Sí es toda la página allí. O por qué esta página de Suite101? Eliminar estos tipos de páginas de contenido vacíos, o simplemente agregar buen material, irá lejos en la eliminación de las sanciones de Panda.

Cada página del sitio debe abordar un tema específico, en lugar de hacer frente a una variación ligeramente diferente de una frase de palabras clave. ¿Cuántas variaciones de "Acai Berry limpiar" necesita un sitio Web?

How much acia berry?

El ejemplo anterior es de un alto perfil "granja de contenido". Esta es una de las muchas razones creo Panda hit sitios artículo tan difíciles: páginas y páginas de artículos que el destino de palabras clave en lugar de los seres humanos se superponen. Combinando estos artículos en un altamente utilizable, pocos recursos sería reducir la confusión.

Entiendo la tentación. No podemos escapar de ella. Google incluso nos anuncios en nuestro sitio de yeso. Pero el equipo de Adwords es independiente de la cabeza del equipo de spam por Matt Cutts. No esperamos tanto dar el mismo Consejo.

Don't be like adwords

Optimización de Adsense no significa optimizar para búsqueda. Me alegro de Google mantiene sus departamentos separados, pero mensajes más consistentes de la empresa en su conjunto permitiría reducir la frustración de webmaster.

Si una máquina de generar las páginas con la mínima intervención humana, Google quiere devaluar le. Vemos esta vez con múltiples sitios afiliados a través de la web.

Ouch!

Exención de responsabilidad: predigo que algún día las máquinas será capaces de producir páginas web indistinguibles de contenido generado humana. Hasta ese momento, evitarlo.

Es mi convicción personal de que la anterior 5 pecados, solo o en combinación, cuenta para la gran mayoría de las sanciones de Panda. Pero webmasters parece perplejos frente a fijar estas problemas.

Dr. Pete me señaló un puesto en Webmasterworld de Duane Forrester. Aunque habla Bing, explica la situación de Panda bien.

Si un usuario busca en Bing, volvemos a la SERP mejor que podemos para la consulta. El usuario hace clic en el primer resultado (como esperamos, normalmente). Que lleguen a su sitio Web, y...

1 – son lo que olvidan el resto de la Internet durante unos minutos y tomar su gloria, obteniendo la información que querían, y mucho más.

2 – son tan consternada que lleguen inmediatamente su botón Atrás, apareciendo de repente en nuestro radar, nos alerta sobre el hecho eran disgustados por lo que sólo les mostró: ¿por qué más que de pronto volvería, sin consumir el contenido? Disgustados.
-Duane Forrester

Esto es el futuro de la web: cuando el equivalente de los ojos humanos mira cada página del sitio. ¿Desea que su padre a visitar su sitio Web? ¿Desea que su madre a comprar allí?

Rand tenía razón cuando dijo que mejoremos métricas de contratación. Hacer correcciones legítimos, en las instalaciones que realmente mejoran la experiencia de sus visitantes. Encontrará que la reducción de tasa de rebote, aumento de páginas vistas y tiempo en el sitio tiene el efecto secundario de los visitantes, y que, más feliz.


View the original article here


This post was made using the Auto Blogging Software from WebMagnates.org This line will not appear when posts are made after activating the software to full version.

Estadísticas: No cometer estos errores - pizarra el viernes

Translate Request has too much data
Parameter name: request
Translate Request has too much data
Parameter name: request

 Statistics can be very powerful tools for SEOs, but it can be hard to extract the right information from them. People understandably make a lot of mistakes in the process of taking raw data and turning it into actionable numbers. If you know what potential mistakes can be made along the way, you're less likely to make them yourself - so listen up! Will Critchlow, the co-founder and chief strategist at Distilled, has a few tips on how to use valid and sound statistics reliably. Use a lot of statistics yourself? Let us know what you've learned in the comments below!

Howdy, Whiteboard fans. Different look this week. Will Critchlow from Distilled. I am going to be talking to you about some ways you can avoid some common statistical errors.

I am a huge fan of the power of statistics. I studied it. I have forgotten most of the technical details, but I use it in my work. We use it a lot at Distilled. But it is so easy to make really easy to avoid mistakes. Most of it comes from the natural way that humans aren't really very good at dealing with numbers generally, but statistics and probability in particular.

The example I like to use to illustrate that is imagine that we have a disease that we are testing for, a very rare disease, suppose. So, we have a population of people, and some small, some tiny proportion of these people have this rare disease. There is just this tiny, tiny sliver at the top. Maybe that is 1 in 10,000 people, something like that. We have a test that is 99% accurate at diagnosing when people have or don't have this disease. That sounds very accurate, right? It's only wrong 1 time in 100. But let's see what happens.

We run this test, and out of the main body of the population, I am going to exaggerate slightly, most people are correctly diagnosed as not having the disease. But 1% of them, this bit here, are incorrectly diagnosed as having the disease. That's the 99% correct but 1% incorrect. Then we have the tiny sliver at the top, which is a very small number of people, and again 99% correct, a small percent are incorrectly told they don't have it. Then, if we just look at this bit in here, zoom in on there, what we see is actually of all the people who are diagnosed as having this disease, more of them don't have it than do. Counterintuitive, right? That's come from the fact that, yes, our test is 99% accurate, but that still means it is wrong 1 in 100 times, and we're actually saying it is only 1 in 10,000 people who have this disease. So, if you are diagnosed as having it, it is actually more likely that is an error in the diagnosis than that you actually have this very rare disease. But we get this wrong. Intuitively people, generally, everyone would be likely to get this kind of question wrong. Just one example of many.

Some things that may not be immediately intuitively obvious, but if you are working with statistics, you should bear in mind.

Number one, independence is very, very important. If I toss a coin 100 times and get 100 heads, then if those were independent coin flips, there is something very, very odd going on there. If that is a coin that has two heads on it, in other words, they're not in fact independent, the chance of me getting a head is the same on every one, then they're completely different results. So, make sure that whatever it is you are testing, if you are expecting to do analysis over the whole set of trials, that the results are actually independent. The common ways this falls down are when you are dealing with people, humans.

If you want reproducible results, if you accidently manage to include the same person multiple times, their answers to a questionnaire, for example, will be skewed the second time they answer it if they have already seen the site previously, if you are doing user testing or those kinds of things. Be very careful to set up your trials, whatever it is that you are testing, for independence. Don't over worry about this, but realize that it is a potential problem. One of the things we test a lot is display copy on PPC ads. Here you can't really control who is seeing those, but just realize there is not a pure analysis going on there because many of the same people come back to a site regularly and have therefore seen the ad day after day. So there is a skew, a lack of independence.

On a similar note, all kinds of repetition can be problematic, which is unfortunate because repetition is kind of at the heart of any kind of statistical testing. You need to do things multiple times to see how they pan out. The thing I am talking about here particularly is you often have seen confidence intervals given. You have seen situations where somebody says we're 95% sure that advert one is better than advert two or that this copy converts better than that copy or that putting the checkout button here converts better than putting the checkout button there. That 95% number is coming from a statistical test. What it is saying is, it is assuming a whole bunch of independence of the trials, but it is essentially saying the chance of getting this extreme a difference in results by chance if these two things were identical is less than 5%. In other words, fewer than 1 in 20 times would this situation arise by chance.

Now, the problem is that we tend to run lots of these tests in parallel or sequentially. It doesn't really matter. So, imagine you are doing conversion rate optimization testing and you tweak 20 things one after another. Each time you test it against this model and you say, first of all I am going to change the button from red to green. Then I am going to change the copy that is on the button. Then I am going to change the copy that is near the button. Then I am going to change some other thing. You just keep going down the tree. Each time it comes back saying, no, that made no difference, or statistically insignificant difference. No, that made no difference. No, that made no difference. You get that 15 times, say. On the 16th time, you get a result that says, yes, that made a difference. We are 95% sure that made a difference. But think about what that is actually saying. That is saying the chance of this having happened randomly, where the two things you are testing between are actually identical, is 1 in 20. Now, we might expect something that would happen 1 in 20 times possibly to come up by the 16th time. There is nothing unusual about that. So actually, our test is flawed. All we've shown is we just waited long enough for some random occurrence to take place, which would have happened definitely at some point. So, you actually have to be much more careful if you are doing those kinds of trials.

One thing that works very well, which scuppers a lot of these things, is be very, very careful of this kind of thing. If you run these trials sequentially and you get a result like that, don't go and tell your boss right then. Okay? I've made this mistake with a client, rather than the boss. Don't get excited immediately because all you may be seeing is what I was just talking about. The fact that you run these trials often enough and occasionally you are going to find one that looks odd just through chance. Stop. Rerun that trial. If it comes up again as statistically significant, you are now happy. Now you can go and whoop and holler, ring the bell, jump and shout, and tell your boss or your clients. Until that point, you shouldn't because what we very often see is a situation where you get this likelihood of A being better than B, say, and we're like we're 95% sure here. You go and tell your boss. By the time you get back to your desk, it has dropped a little bit. You're like, "Oh, um, I'll show in a second." By the time he comes back over, it has dropped a little bit more. Actually, by the time it has been running for another day or two, that has actually dropped below 50% and you're not even sure of anything anymore. That's what you need to be very careful of. So, rerun those things.

Kind of similar, don't train on your sample data. If you are looking for a correlation between, or suppose you're trying to model search ranking factors, for example. You're going to take a whole bunch of things that might influence ranking, see which ones do, and then try to predict some other rankings. If you get 100 rankings, you train a model on those rankings, and then you try and predict those same rankings, you might do really well, because if you have enough variables in your model, it will actually predict it perfectly because it has just learned, it has effectively remembered those rankings. You need to not do that. I have actually made this mistake with a little thing that was trying to model the stock market. I was, like, yes, I am going to be rich. But, in fact, all it could do was predict stock market movements it had already seen, which it turns out isn't quite as useful and doesn't make you rich. So, don't train on your sample data. Train on a set of data over here, and then much like I was saying with the previous example, test it on a completely independent set of data. If that works, then you're going to be rich.

Finally, don't blindly go hunting for statistical patterns. In much the same way that when you run a test over and over again and eventually the 1 in 20, the 1 in 100 chance comes in, if you just go looking for patterns anywhere in anything, then you're definitely going to find them. Human brains are really good at pattern recognition, and computers are even better. If you just start saying, does the average number of letters in the words I use affect my rankings, and you find a thousand variables like that, that are all completely arbitrary and there is no particular reason to think they would help your rankings, but you test enough of them, you will find some that look like they do, and you'll probably be wrong. You'll probably be misleading yourself. You'll probably look like an idiot in front of your boss. That's what this is all about, how not to look like an idiot.

I'm Will Critchlow. It's been a pleasure talking to you on Whiteboard Friday. I'm sure we'll be back to the usual scheduled programming next week. See you later.


View the original article here


This post was made using the Auto Blogging Software from WebMagnates.org This line will not appear when posts are made after activating the software to full version.