<?xml version="1.0" encoding="UTF-8"?>
<rss version="2.0"
	xmlns:content="http://purl.org/rss/1.0/modules/content/"
	xmlns:wfw="http://wellformedweb.org/CommentAPI/"
	xmlns:dc="http://purl.org/dc/elements/1.1/"
	xmlns:atom="http://www.w3.org/2005/Atom"
	xmlns:sy="http://purl.org/rss/1.0/modules/syndication/"
	xmlns:slash="http://purl.org/rss/1.0/modules/slash/"
	>

<channel>
	<title>Moremoo &#124; Develop Your Successful Blog</title>
	<atom:link href="http://moremoo.com/feed" rel="self" type="application/rss+xml" />
	<link>http://moremoo.com</link>
	<description>Moremoo &#124; Develop Your Successful Blog</description>
	<lastBuildDate>Fri, 26 Jul 2013 16:55:30 +0000</lastBuildDate>
	<language>en-US</language>
	<sy:updatePeriod>hourly</sy:updatePeriod>
	<sy:updateFrequency>1</sy:updateFrequency>
	<generator>http://wordpress.org/?v=3.5.2</generator>
		<item>
		<title>Integrating with TextBroker using Perl</title>
		<link>http://moremoo.com/2013/07/integrating-with-textbroker-using-perl.html</link>
		<comments>http://moremoo.com/2013/07/integrating-with-textbroker-using-perl.html#comments</comments>
		<pubDate>Thu, 25 Jul 2013 23:55:32 +0000</pubDate>
		<dc:creator>admin</dc:creator>
				<category><![CDATA[Blogmaster]]></category>

		<guid isPermaLink="false">http://moremoo.com/?p=229</guid>
		<description><![CDATA[The Textbroker integration guide is fairly complete, but it doesn&#8217;t have much information on integrating using Perl other than pointing out the fact that there are SOAP libraries for Perl. All the examples are in PHP. Here&#8217;s how I put ...]]></description>
				<content:encoded><![CDATA[<p>The Textbroker integration guide is <a href="http://www.textbroker.com/downloads/api-dokumentation-en.pdf">fairly complete</a>, but it doesn&#8217;t have much information on integrating using Perl other than pointing out the fact that there are SOAP libraries for Perl.  All the examples are in PHP.  Here&#8217;s how I put it together using <a href="http://search.cpan.org/~phred/SOAP-Lite-1.0/lib/SOAP/Lite.pm">SOAP::Lite</a>.</p>
<p>First of all, you&#8217;ll need these libraries:</p>
<pre>use SOAP::Lite;
use Digest::MD5 qw(md5_hex);
use Data::Dumper; # just for these examples</pre>
<p>In order to perform any requests, you must first build your authentication parameters, which are a salt, a hashed password, and your budget (a hexadecimal number that you get from the API tab in the Textbroker admin area &#8212; you set that up already, right?).  This is how you create them:</p>
<pre>sub get_login_args {
   my $salt = int rand 2000000000; # I'm not really sweating about the security of random number generators here.
   my $password = "YOUR_SECURE_PASSWORD";
   my $budget = "YOUR_BUDGET_HERE";
   return @login_args = ($salt,md5_hex($salt . $password),$budget);
}</pre>
<p>To test your ability to log in, here&#8217;s a simple snippet:</p>
<pre>my $soap = SOAP::Lite->new(proxy => "https://api.textbroker.com/Budget/loginService.php");
my @login_args = &#038;get_login_args;

my $result = $soap->doLogin(@login_args);
if ($result->result == 1) {
   print "login success!\n";
}
else {
   print "login fail!\n";
}</pre>
<p>Before you create a post, you&#8217;ll need to know the category_id, which unfortunately is not a simple text string.  You&#8217;ll have to look it up using the <i>getCategories</i> method.  Note that you don&#8217;t have to use the loginService ever.</p>
<pre>$soap->proxy("https://api.textbroker.com/Budget/budgetOrderService.php");
my $result = $soap->getCategories->result;
print Dumper($result);</pre>
<p>which should give you a result like this:</p>
<pre>
$VAR1 = {
          'categories' => {
                          'literature' => '1120',
                          'law' => '1153',
                          'arts and crafts' => '1132',
                          'children' => '1141',
                          'hobbies' => '1133',
                          'economy' => '1166',
                          'jobs' => '1140',
                          'media' => '1144',
...
        }
}
</pre>
<p>Now to create a post.  A basic request needs a title, description, min/max wordcount, quality, category, days to work, and an optional note.  The response will contain a <i>budget_order_id</i> which you will use to get status updates and accept/review/reject articles.</p>
<pre>sub create_order {
   my ($title,$description,$min_words,$max_words,$quality,$category_id,$days_to_work,$note) = @_;
   my $soap = SOAP::Lite->new;
   $soap->proxy("https://api.textbroker.com/Budget/budgetOrderService.php");
   my @login_args = &#038;get_login_args;
   my $soap_result = $soap->create(@login_args,$category_id,$title,$description,$min_words,$max_words,$quality,$days_to_work,$note);
   return $soap_result->result->{budget_order_id};
}</pre>
<p>At this point you have to poll Textbroker for status updates until your content is ready.  When your budget is in test mode, you can just keep polling and the status will progressively update until it is ready at which point you can preview/accept/etc.  They helpfully provide some lorem ipsum text which an appropriate number of words when you pull test articles.  Here&#8217;s how you do status requests:</p>
<pre>sub check_status {
   my ($budget_order_id) = @_;
   my $soap = SOAP::Lite->new;
   $soap->proxy("https://api.textbroker.com/Budget/budgetOrderService.php");
   my @login_args = &#038;get_login_args;
   my $result = $soap->getStatus(@login_args,$budget_order_id);
   return $result->result;
}</pre>
<p>at this point result will contain a bit of useful information, which should look like this:</p>
<pre>
$VAR1 = {
          'budget_order_created' => 'XXXXXXXX',
          'budget_order_status_id' => '1',
          'budget_order_id' => 'XXXXXX',
          'budget_order_status' => 'placed',
          'budget_order_type' => 'OpenOrder'
        };
</pre>
<p>When your article is ready you can preview/accept/revise/reject.  The return values are pretty self-explanatory, so I&#8217;ll just leave this brief code here:</p>
<pre>my $result = $soap->preview(@login_args,$budget_order_id); # the text is in $result->result->{text}
my $result = $soap->accept(@login_args,$budget_order_id,$rating,$message); # rating is 0-4, both are optional, the text is in $result->result->{text}
my $result = $soap->revise(@login_args,$budget_order_id,$message); # message must be over 50 characters and should explain what is wrong
my $result = $soap->reject(@login_args,$budget_order_id);</pre>
]]></content:encoded>
			<wfw:commentRss>http://moremoo.com/2013/07/integrating-with-textbroker-using-perl.html/feed</wfw:commentRss>
		<slash:comments>0</slash:comments>
		</item>
		<item>
		<title>Programmatically looking up PageRank</title>
		<link>http://moremoo.com/2012/10/programmatically-looking-up-pagerank.html</link>
		<comments>http://moremoo.com/2012/10/programmatically-looking-up-pagerank.html#comments</comments>
		<pubDate>Tue, 02 Oct 2012 05:50:45 +0000</pubDate>
		<dc:creator>admin</dc:creator>
				<category><![CDATA[Blogmaster]]></category>

		<guid isPermaLink="false">http://moremoo.com/?p=218</guid>
		<description><![CDATA[In a recent post I talked about PageRank. If you&#8217;ve ever tried to look up the PR (PageRank) for a site programmatically, then you&#8217;ve probably found a dozen sites out there with code to do it.  That code might work ...]]></description>
				<content:encoded><![CDATA[<p>In a recent post <a href="/2011/06/how-many-backlinks-you-need-to-get-google-pr1.html">I talked about PageRank</a>.  If you&#8217;ve ever tried to look up the PR (<a href="http://en.wikipedia.org/wiki/PageRank">PageRank</a>) for a site programmatically, then you&#8217;ve probably found a dozen sites out there with code to do it.  That code might work for you, and it might not &#8212; if it does, great!  If it doesn&#8217;t, good luck figuring out what&#8217;s supposed to actually happen.  I recently was curious about the PR of a site that linked to me here at Moremoo, and I figured I&#8217;d do it directly instead of installing the Google Toolbar.  Instead of getting the response I expected I got this:</p>
<p style="padding-left: 30px;"><strong>403.</strong> <ins>That’s an error.</ins></p>
<p style="padding-left: 30px;">Your client does not have permission to get URL <code>/tbr?features=Rank&amp;client=navclient-auto-ff&amp;ch=XXXXXXXXX&amp;q=info:XXXXXXXXXX%2F'</code> from this server. (Client IP address: X.X.X.X)</p>
<p style="padding-left: 30px;">Please see Google&#8217;s Terms of Service posted at http://www.google.com/terms_of_service.html</p>
<p style="padding-left: 30px;">If you believe that you have received this response in error, please report your problem. However, please make sure to take a look at our Terms of Service (http://www.google.com/terms_of_service.html). In your email, please send us the <strong>entire</strong> code displayed below. Please also send us any information you may know about how you are performing your Google searches&#8211; for example, &#8220;I&#8217;m using the Opera browser on Linux to do searches from home. My Internet access is through a dial-up account I have with the FooCorp ISP.&#8221; or &#8220;I&#8217;m using the Konqueror browser on Linux to search from my job at myFoo.com. My machine&#8217;s IP address is 10.20.30.40, but all of myFoo&#8217;s web traffic goes through some kind of proxy server whose IP address is 10.11.12.13.&#8221; (If you don&#8217;t know any information like this, that&#8217;s OK. But this kind of information can help us track down problems, so please tell us what you can.)</p>
<p style="padding-left: 30px;">We will use all this information to diagnose the problem, and we&#8217;ll hopefully have you back up and searching with Google again quickly!</p>
<p style="padding-left: 30px;">Please note that although we read all the email we receive, we are not always able to send a personal response to each and every email. So don&#8217;t despair if you don&#8217;t hear back from us!</p>
<p style="padding-left: 30px;">Also note that if you do not send us the <strong>entire</strong> code below, <em>we will not be able to help you</em>.</p>
<p style="padding-left: 30px;">Best wishes,<br />
The Google Team</p>
<p>Not too helpful.  I looked at the code, and it was entirely undocumented.  Clearly it had worked for someone before, but it wasn&#8217;t working for me.  To make a long story short, it turns out the code had been written on a 32-bit version of Perl and the hashing code had never been tried on a 64-bit machine.  In hopes that this saves someone a few hours of their own lives, here&#8217;s the toolbar API and how exactly you&#8217;re supposed to calculate the hash.</p>
<p>To calculate the hash you</p>
<ol>
<li>load the hash with its initial value (0&#215;01020345)</li>
<li>for each byte of the url
<ol>
<li>XOR the nth byte of the URL with the (n mod len)th byte of a static string (&#8220;Mining PageRank is AGAINST GOOGLE&#8217;S TERMS OF SERVICE. Yes, I&#8217;m talking to you, scammer.&#8221;)</li>
<li>XOR that result against the hash again</li>
<li>rotate the bits of the hash left by 9 bits</li>
</ol>
</li>
<li>prepend &#8220;8&#8243; to the hexadecimal representation of the hash</li>
</ol>
<p>In the implementation that I found, the author assumed that it would always be on a 32-bit machine, so they rotated the bits like this:</p>
<p style="padding-left: 30px;">result = ((result &gt;&gt; 23) &amp; 0x1ff) | result &lt;&lt; 9;</p>
<p>That&#8217;s fine on a 32-bit machine because result &lt;&lt; 9 overflows and simply discards the higher bits.  On a 64-bit machine, however, they stick around.  In order to work properly, you need to mask off the bottom 32 bits.  Here&#8217;s some working Perl code to do this:</p>
<p>&nbsp;</p>
<pre>use LWP::UserAgent;
sub pagerank {
   my ($url) = @_;
   my @seed = map { ord($_) } split //, &quot;Mining PageRank is AGAINST GOOGLE&#039;S TERMS OF SERVICE. Yes, I&#039;m talking to you, scammer.&quot;;
   my @url = map { ord($_) } split //, $url;
   $result = 0x01020345;
   foreach my $i (0 .. $#url) {
      my $seed_char = $seed[$i % ($#seed + 1)];
      my $url_char = $url[$i];
      $result ^= $seed_char ^ $url_char;
      $result = (($result &gt;&gt; 23) &amp; 0x1ff) | $result &lt;&lt; 9;
   }
   $result &amp;= 0xffffffff;
   my $ua = LWP::UserAgent-&gt;new;
   my $uri = URI-&gt;new(&quot;http://toolbarqueries.google.com/tbr&quot;);
   $uri-&gt;query_form(
      client =&gt; &quot;navclient-auto&quot;,
      ch =&gt; sprintf(&quot;8%08x&quot;,$result),
      features =&gt; &quot;Rank&quot;,
      q =&gt; &quot;info:$url&quot;,
   );
   my $response = $ua-&gt;get($uri);
   if ($response-&gt;is_success) {
      my $content = $response-&gt;content;
      chop $content;
      my @results = split /:/, $content;
      return $results[2];
   }
   else {
      return undef;
   }
}</pre>
<p>&nbsp;</p>
]]></content:encoded>
			<wfw:commentRss>http://moremoo.com/2012/10/programmatically-looking-up-pagerank.html/feed</wfw:commentRss>
		<slash:comments>0</slash:comments>
		</item>
		<item>
		<title>The One Piece Of Advice An Internet Marketer Needs</title>
		<link>http://moremoo.com/2012/08/the-one-piece-of-advice-an-internet-marketer-needs.html</link>
		<comments>http://moremoo.com/2012/08/the-one-piece-of-advice-an-internet-marketer-needs.html#comments</comments>
		<pubDate>Tue, 07 Aug 2012 06:23:30 +0000</pubDate>
		<dc:creator>admin</dc:creator>
				<category><![CDATA[Others]]></category>

		<guid isPermaLink="false">http://moremoo.com/?p=214</guid>
		<description><![CDATA[There&#8217;s a common saying among Internet Marketing gurus &#8211; &#8220;Nobody ever fails at Internet Marketing, they just give up before they find success&#8221;. There&#8217;s a lot of truth in that saying; as with any industry Internet Marketing is not for ...]]></description>
				<content:encoded><![CDATA[<div lang="x-unicode">
<p>There&#8217;s a common saying among Internet Marketing gurus &#8211; &#8220;Nobody ever fails at Internet Marketing, they just give up before they find success&#8221;.</p>
<p>There&#8217;s a lot of truth in that saying; as with any industry Internet Marketing is not for everyone, so many people will naturally move away from Internet Marketing into other areas, however there are a huge number of people who walk away from a potential career in Internet Marketing without realising just how close they were to succeeding. If you&#8217;re thinking about quitting Internet Marketing because you&#8217;re not making enough money quickly enough, you should really read this post.</p>
<p>The main reason why people give up so quickly is because when they start trying to make money online they expect the Internet to be a magical place where anyone, even those with no relevant skills, can easily earn six figure salaries by working only an hour every week. There was an element of truth to this a decade ago, although the media greatly exaggerated the possibility, with the term &#8220;dot com millionaire&#8221; used to describe almost anyone with an income-generating website. The reality is that today there are vast numbers of people across the World competing to earn a living online, and it is becoming more difficult by the day.</p>
<p><strong>Taking Action</strong></p>
<p>So, what is this magical piece of advice which can kick-start your journey towards making money online? It&#8217;s simple &#8211; take action. Do something about it. Pick a way of making money online, and stick to it. It doesn&#8217;t get much simpler than that, and yet every day people are giving up on Internet Marketing simply because they are failing to follow this simple instruction.</p>
<p>Most people who are failing to make any money online are struggling because they&#8217;re trying to use every technique all at once, and never really mastering any of them. The problem is that there is a wealth of information available online which help you to start making money, and people suffer from information overload. People tend to read one technique, and half-heartedly put the method into practice while still reading other methods. They then find another technique which sounds good, and so the first project is abandoned while they start on their second project. However, they continue looking for more information and eventually find another technique which sounds like it may be the golden method which they need, and so the second project is abandoned while they work on this new, exciting project. This cycle continues until they give up, usually deciding that trying to make money online is a waste of time and that the Internet is full of people trying to scam you.</p>
<p>Those who take action and find success will usually find a method which is not highly profitable, but generates some earnings for them. They will then look for ways to make more money, either by adding a twist to this method, or combining it with another method. As they learn more about Internet Marketing and gain more experience, earning money online becomes easier for them, and online earnings becoming their primary source of income becomes a more realistic goal.</p>
<p><strong>Don&#8217;t Waste Money</strong></p>
<p>Worse still, many people are investing money in buying domain names, hosting, software, outsourcing and buying eBooks, without having a real need to own them. Internet Marketing has a steep learning curve, and it is easy to get carried away and want to build hundreds of websites at once, own every piece of software on the market, and read every eBook which promises instant riches.</p>
<p>However, the only result of taking this approach will be huge expense and very little income. Building up your online assets should be a gradual process, taking the time to experiment with any new purchases before investing further.</p>
<p><strong>Becoming A Full-time Internet Marketer</strong></p>
<p>Giving up your day job and becoming a full-time Internet Marketer is not an overnight process. The Internet Marketing world is ever-changing, so any full-time Internet Marketer must be adaptable and quick to respond to any sudden decline in earnings, otherwise they could find themselves struggling to maintain a high enough level of income.</p>
<p>While the idea of being your own boss and working from home sounds appealing, the reality is that 16 hour days are normal, particular when starting out. In addition it&#8217;s important to remember that Internet Marketers don&#8217;t get sick pay or pensions paid for by employers. If you can hack it as a full-time Internet Marketer it&#8217;s a great way to earn a living, but it&#8217;s not for everyone. If you do decide to become a full-time Internet Market, remember the golden rule &#8211; stop reading, and take action.</p>
</div>
]]></content:encoded>
			<wfw:commentRss>http://moremoo.com/2012/08/the-one-piece-of-advice-an-internet-marketer-needs.html/feed</wfw:commentRss>
		<slash:comments>0</slash:comments>
		</item>
		<item>
		<title>How experimenting with adverts can improve your income</title>
		<link>http://moremoo.com/2012/08/how-experimenting-with-adverts-can-improve-your-income.html</link>
		<comments>http://moremoo.com/2012/08/how-experimenting-with-adverts-can-improve-your-income.html#comments</comments>
		<pubDate>Tue, 07 Aug 2012 06:18:54 +0000</pubDate>
		<dc:creator>admin</dc:creator>
				<category><![CDATA[Others]]></category>

		<guid isPermaLink="false">http://moremoo.com/?p=209</guid>
		<description><![CDATA[How experimenting with adverts can improve your income For any website owner, making money from their adverts is key to their website&#8217;s success. As a result, the majority of people find themselves frustrated that their adverts are not generating enough ...]]></description>
				<content:encoded><![CDATA[<p>How experimenting with adverts can improve your income</p>
<p>For any website owner, making money from their adverts is key to their website&#8217;s success. As a result, the majority of people find themselves frustrated that their adverts are not generating enough income, usually because their click through rate is too low.</p>
<p>There are two ways in which people generally deal with this issue; one way, which is the approach which most people take, is to complain about it, and say that it is impossible to make decent money from websites. The other, more successful approach is to put in some work to improve the earnings.</p>
<p>Most of the time, people will simply leave the adverts in one place, never bothering to experiment with the adverts to try to improve their earnings. This is particularly characteristic of people who are new to websites, but even experienced people with many websites often put up with mediocre earnings rather than spending some time trying to increase their earnings. In most cases, people will stick with a particular theme which they like, and place the adverts wherever thetheme&#8217;s default ad placement is.</p>
<p>One of the main ways to experiment with adverts is to change the placements, and then monitor whether the earnings increase or decrease. Google Adsense&#8217;s channels are a great way to do this, as you can easily track the performance of each advert, rather than having to try to monitor the change in the overall earnings for the site every time the layout is changed. For example, if an advert at the top of the page is not generating any income then try moving it further down the page.</p>
<p>If your website displays text adverts then it&#8217;s worth experimenting with different colour schemes; often adverts which blend in with your site&#8217;s theme will attract more clicks, as visitors believe they&#8217;re clicking on an internal link as opposed to an advert.</p>
<p>There are two main tactics when placing adverts; either make the ad stand out so that visitors will want to click on it, or blend the ad in with the theme so that the visitor doesn&#8217;t realise they&#8217;re clicking on an advert.</p>
<p>With visitors becoming more blind to advertising by the day, there is no standard layout which will boost earnings; the optimal layout will vary from site to site and niche to niche, and even then can change regularly. Experimenting with different layouts and even different types of adverts is the only way to stay ahead of the game and ensure that advertising income is maximised.</p>
]]></content:encoded>
			<wfw:commentRss>http://moremoo.com/2012/08/how-experimenting-with-adverts-can-improve-your-income.html/feed</wfw:commentRss>
		<slash:comments>0</slash:comments>
		</item>
		<item>
		<title>More Engagement Brings You More Followers On Twitter, Right?</title>
		<link>http://moremoo.com/2011/07/more-engagement-brings-you-more-followers-on-twitter-right.html</link>
		<comments>http://moremoo.com/2011/07/more-engagement-brings-you-more-followers-on-twitter-right.html#comments</comments>
		<pubDate>Mon, 04 Jul 2011 18:30:49 +0000</pubDate>
		<dc:creator>admin</dc:creator>
				<category><![CDATA[Social Media]]></category>

		<guid isPermaLink="false">http://moremoo.com/?p=130</guid>
		<description><![CDATA[Yes, I thought so and I know that there are many of us still believe in this. But after reading the article from Dan Zarrella – New Data: Tweet Lots of Links to Get Followers it seems like we were ...]]></description>
				<content:encoded><![CDATA[<p>Yes, I thought so and I know that there are many of us still believe in this. But after reading the article from Dan Zarrella – <a href="http://danzarrella.com/new-data-tweet-lots-of-links-to-get-followers.html">New Data: Tweet Lots of Links to Get Followers</a> it seems like we were all wrong. You see the picture below? It clearly shows that more links you tweet out more followers you get…</p>
<p><img title="tweetinglinks" src="http://moremoo.com/wp-content/uploads/2011/07/tweetinglinks.jpg" alt="" width="600" height="1064" /></p>
<h2><strong>Shall we forget about engaging?</strong></h2>
<p>I believe that engaging should be an inseparable part of tweeting behavior. Why? Let me ask you a question: How many people you follow on twitter and how many of them you really listen?</p>
<p>There is definitely a couple of those in your following list who stand out, who bring you something extra. You can ask them for help and you know they will be here for you. Such connection creates the real engagement on Twitter. You value these people because they care about you and therefore you are willing to listen what they say.</p>
<h2><strong>More links more followers?</strong></h2>
<p>But of course, sharing links is a huge part of the tweeting game. In fact learning about breaking news and about interesting articles is one of the reasons why I am still on the twitter although I have already abandoned other social networks. And I think there are many people on the twitter because of the same reason.</p>
<p>So, what is the point? The point is that the quality and NOT the quantity matters. Tweeting out useful links that provide a real value that is the reason why you will be followed. Spreading out useless urls will bring you nowhere. People get tired of you and press Unfollow button sooner than you would think.</p>
<p><strong>It is always about the quality you deliver through your content.</strong></p>
]]></content:encoded>
			<wfw:commentRss>http://moremoo.com/2011/07/more-engagement-brings-you-more-followers-on-twitter-right.html/feed</wfw:commentRss>
		<slash:comments>0</slash:comments>
		</item>
		<item>
		<title>How Many Backlinks You Need To Get Google PR1?</title>
		<link>http://moremoo.com/2011/06/how-many-backlinks-you-need-to-get-google-pr1.html</link>
		<comments>http://moremoo.com/2011/06/how-many-backlinks-you-need-to-get-google-pr1.html#comments</comments>
		<pubDate>Sat, 04 Jun 2011 18:25:51 +0000</pubDate>
		<dc:creator>admin</dc:creator>
				<category><![CDATA[Blogmaster]]></category>

		<guid isPermaLink="false">http://moremoo.com/?p=112</guid>
		<description><![CDATA[Yes, today we are going to talk a bit about the Google PageRank or rather I shall say how many backlinks you exactly need to get the PR1? I know what you might think right now „PR is not important anymore.“ Well, I ...]]></description>
				<content:encoded><![CDATA[<p>Yes, today we are going to talk a bit about the Google PageRank or rather I shall say <strong>how many backlinks you exactly need to get the PR1?</strong> I know what you might think right now <em>„PR is not important anymore.“</em> Well, I agree with you to a certain extent. Many people don‘t consider the Google rank as something useful or worthy to follow when visiting other blogs. But on the other hand there are still many who believe that the PR is an important indicator of the blog quality the sign of its good reputation and long-lasting.</p>
<p>Whatever opinion you have, I think lots of us somehow expect that a blog we are reading is PRed. Why? It gives us some kind of confident that a piece of online world we just landed on is safe and worthy to get your attention</p>
<h2><strong>What happened yesterday?</strong></h2>
<p>Yesterday I got quite excited and if you were reading the first paragraph closely you probably know what happened. Yes, I got PRed and to be more specific Google assigned me the PR1. I know, I know nothing huge, but if you are struggling to get your Page Rank you might find this article helpful so keep reading.</p>
<p>Now, if you are wondering how much time I spent on my backlink building or what strategy I used to get my blog PRed? Here is the truth…</p>
<h2><strong>How I gained my PR1?</strong></h2>
<p>Maybe I will disappoint you now but I did not use any specific backlink building strategy that I could share with you. There was no willful method I would be following. In fact, the only thing I was doing was behave normally. What does it mean?</p>
<p>For me that mean to visit other blogs and when spotting on an interesting article just leaving a useful comment. What else? Well, from time to time I get my content published on other blogs.</p>
<p>As there was no other strategy I was using I guess commenting and some guest posting should be enough for you to get your rank. I told you, nothing special but it seems like it still works.</p>
<p>However there is one thing I consider really interesting. During the last couple of months I left hundreds of comments in the Blogosphere. So, as I got PRed I was wondering “<strong><em>How many of my links were counted to my PR?”</em></strong></p>
<p><em>You can find this out if you write to Google following command: link:http://moremoo.com/</em></p>
<p>The result surprised me. It seems like only six links are considered by Google bots and only one of those 6 links has its own PR (3). The rest of backlinks are pointing to my blog from the pages with zero PR.</p>
<h2><strong>My conclusion? </strong></h2>
<p><strong>It is most likely that it is enough to have one strong backlink. </strong>However I still believe that more links pointing to your blog (it does not matter whether Google bots visibly count them) the better chance you have to get your PageRank.<strong> </strong></p>
<h2><strong>Let’s talk…</strong></h2>
<p>What do you think about the Google PR? And do you consider it while browsing?<br />
What are your experiences with link building strategies? Do you use any and did any work for you?</p>
]]></content:encoded>
			<wfw:commentRss>http://moremoo.com/2011/06/how-many-backlinks-you-need-to-get-google-pr1.html/feed</wfw:commentRss>
		<slash:comments>2</slash:comments>
		</item>
		<item>
		<title>How Hard Is To Cancel The GoDaddy Auctions Membership?</title>
		<link>http://moremoo.com/2011/06/how-hard-is-to-cancel-the-godaddy-auctions-membership.html</link>
		<comments>http://moremoo.com/2011/06/how-hard-is-to-cancel-the-godaddy-auctions-membership.html#comments</comments>
		<pubDate>Sat, 04 Jun 2011 18:25:09 +0000</pubDate>
		<dc:creator>admin</dc:creator>
				<category><![CDATA[Others]]></category>

		<guid isPermaLink="false">http://moremoo.com/?p=109</guid>
		<description><![CDATA[A couple of days back I have received an email from the GoDaddy. This email was saying that my GoDaddy Auctions Membership will be automatically renewed in 90 days. As I do not use this auctions account I just thought ...]]></description>
				<content:encoded><![CDATA[<p>A couple of days back I have received an email from the GoDaddy. This email was saying that my GoDaddy Auctions Membership will be automatically renewed in 90 days. As I do not use this auctions account I just thought that I will cancel it. You might think that this should be an easy job that could not take more than a minute or two. Yep, I thought so too. After all GoDaddy is a huge world-wide company so it should have a transparent and easy to follow cancelation procedure, right? I could not have been more wrong…</p>
<p><em>When it comes to all those online staff I consider myself quite skilled. I have purchased quite a lot of things and services online. As far as I remember I have never had any significant issue with cancelling anything what I did not wanted to use anymore. But with the GoDaddy it was a bit different story.</em></p>
<h2><strong>How I tried to cancel my GoDaddy Auctions account</strong></h2>
<p>I logged in to GoDaddy looking for the Auctions tab. It was not that difficult to find it in the left navigation menu. Once I was there I went for the Settings option. I expected to find there an option to manage my renewals. I was quite surprised not to find it there. I spent like 10 more minutes browsing in this section hoping to find the desired option. I lost my patience and returned back to My Account starting with the whole searching all over again.</p>
<p>I tried few things. I believe I explored the whole members’ interface from all possible angles wasting about an hour without any success. I gave up… and turned on the Google.</p>
<h2><strong>What I found on the Google?</strong></h2>
<p>The Google revealed that there are also other people confused about GoDaddy’s unclear cancelation procedures. One might think that this is not just a coincident but a well-made system with only one goal – To make it harder for people to unsubscribe from GoDaddy?</p>
<p>I was quite surprised. Although it is understandable that companies don’t like to see their customers to go I would not expect to see that a well-respected company like GoDaddy would have such feedback on the Internet (or would not try to fix this).</p>
<h2><strong>How I turned off auto-renew for GoDaddy Auctions account?</strong></h2>
<p>While browsing the Google I found no working guideline nothing that could help me to cancel the auto-renewal of my auctions account. My final shot was to contact GoDaddy customer services directly and ask for a help.</p>
<p>I must admit that GoDaddy’s staff was really helpful they got back to me with couple of hours with the proper answer how to cancel my Auctions account.</p>
<p>Here is the procedure advised by Jacob D. from the GoDaddy Online Support team (thanks Jacob!):</p>
<p><em>“To modify the auto renewal options for domains and services:</em></p>
<p><em>• Select ‘Payments and Renewing Items’ from the ‘Renewals’ menu.<br />
• Check the box next to the item that you would like to modify<br />
• Click ‘Auto Renew’.<br />
• Make the desired change.<br />
• Click ‘Save Changes’.”<br />
</em><br />
This advice definitely helped but there is one more method that I think is even clearer.<br />
• From My Account click on the My Renewals (in the top menu).<br />
• Go to the My Products tab and follow the instruction on the picture below (sorry for my poor drawing I got no mouse with my laptop:)</p>
<p>Once you know how to cancel your account you might think that it is not that hard after all. I agree it could look easy now. But the question why GoDaddy hides the Auto-Renew field which appears only if you check the proper box or why there is no available guideline on the GoDaddy stayed unanswered.</p>
<p>Does GoDaddy really rely on such business practices or it was simply my fault? Who knows, but from what I read on the Internet and from my experiences GoDaddy might not be that innocent in this.</p>
<h2><strong>Your opinion?</strong></h2>
<p>What is your experience with the GoDaddy when it comes to cancelation of services?</p>
]]></content:encoded>
			<wfw:commentRss>http://moremoo.com/2011/06/how-hard-is-to-cancel-the-godaddy-auctions-membership.html/feed</wfw:commentRss>
		<slash:comments>0</slash:comments>
		</item>
		<item>
		<title>Forcing People To Make You Viral – Nonsense Or Opportunity?</title>
		<link>http://moremoo.com/2011/06/forcing-people-to-make-you-viral-nonsense-or-opportunity.html</link>
		<comments>http://moremoo.com/2011/06/forcing-people-to-make-you-viral-nonsense-or-opportunity.html#comments</comments>
		<pubDate>Sat, 04 Jun 2011 17:31:23 +0000</pubDate>
		<dc:creator>admin</dc:creator>
				<category><![CDATA[Social Media]]></category>

		<guid isPermaLink="false">http://moremoo.com/?p=52</guid>
		<description><![CDATA[To become viral. The term that was quite unknown couple of years back is today one of the most used in the online world. The reason is simple. This is a free and most effective way how to become a ...]]></description>
				<content:encoded><![CDATA[<p>To become viral. The term that was quite unknown couple of years back is today one of the most used in the online world. The reason is simple. This is a free and most effective way how to become a star overnight. And we all one to become stars, right?</p>
<p>Just think about all the celebrities that were revealed just thanks to their videos on the YouTube. In the world Before Social Media they would probably never got on the top. But today is the situation way different.</p>
<p>Now I am not going to talk much about what could make you viral and what could not. But the single gold rule I would like to point out is that your content must distinguish from anything that is common. It must be something that makes people laugh, shock or simply make them think like: “Hey, this guy is insane! Let’s share it with my friends I am sure they would love to see this.”</p>
<p>I think the most fascinating thing about getting viral is the simple fact that there is no rule what will work and what will not.</p>
<p>I really doubt that the proud daddy who shot the video below would ever imagine that it will receive more than 340 millions of views. Check it out it is really hilarious:)</p>
<p>Or who would guess this “noki-noki” girl would be viewed by more than 170 millions?</p>
<p>Simply said the viral might make you famous no matter who you are or what you do all you need is originality (or insanity:). There is no other rule.</p>
<p>Becoming viral is the number one priority in the Blogosphere as well. Thanks to the social bookmarks your content can be shared with thousands of people within an hour. Just imagine the traffic that could be generated this way?</p>
<p>But the gold rule about becoming viral applies on the blogosphere as well. There is simple no guarantee that your article will become viral no matter how much you believe your article deserves it. Your text simply “has it” or not.</p>
<h2><strong>Forcing viral?</strong></h2>
<p>But people do not like to be out of control they always want to take over, to understand everything. And that is the reason why they want to bind the online viral-ity as well. That is the reason why we have here all those tools that promise you hundreds of twitter followers every day. Yep, you will get your follower but would they listen to you? Would they care about your content, would they share it? No, no, no. You can not simple bypass the gold rule of becoming viral.</p>
<h2><strong>FB Like Viral plugin could it work?</strong></h2>
<p>Recently I stumbled upon a WP plugin called FB Like Viral. This tool acts similar as a pop-up window that suddenly appears as you are scrolling down the article. This widow interrupts your reading and asks you to share the content through the social bookmarks.</p>
<p>Does this make people click on the share buttons more? I don’t think so.<br />
But this is just my opinion and I would love to hear your voice on this.</p>
<p><strong>So what do you think, it is possible to force someone to make your content viral? And my second question on you. Do you think that tools like FB Like Viral could help you to share your content more or just scare your audience away?</strong></p>
]]></content:encoded>
			<wfw:commentRss>http://moremoo.com/2011/06/forcing-people-to-make-you-viral-nonsense-or-opportunity.html/feed</wfw:commentRss>
		<slash:comments>0</slash:comments>
		</item>
		<item>
		<title>Social Network – Is This The End Of The Era Of Excitement?</title>
		<link>http://moremoo.com/2011/05/social-network-is-this-the-end-of-the-era-of-excitement.html</link>
		<comments>http://moremoo.com/2011/05/social-network-is-this-the-end-of-the-era-of-excitement.html#comments</comments>
		<pubDate>Wed, 04 May 2011 18:44:58 +0000</pubDate>
		<dc:creator>admin</dc:creator>
				<category><![CDATA[Social Media]]></category>

		<guid isPermaLink="false">http://moremoo.com/?p=167</guid>
		<description><![CDATA[Recently I was reading an interesting article written by Jason Schwartz who was talking about the end of the social network era as we know it and start of new, more intimate small social network groups which he called Social ...]]></description>
				<content:encoded><![CDATA[<p>Recently I was reading an interesting article written by Jason Schwartz who was talking about the end of the social network era as we know it and start of new, more intimate small social network groups which he called Social Circles. This article really caught my attention and made me think about the whole social network’s boom and its future. Although the networks like Facebook, twitter or LinkedIn seems like they will stay with us forever their future does not have to be necessarily that bright if they will not evolve.</p>
<p>The reason is simple and it is called market saturation. This is the natural stage of every market in every industry. In this stage the initial huge interest in the product is gone as all people who wanted the product already got it. In this stage companies have to adjust the product, expand the market or come up with a new product.</p>
<p>The main problem with all social networks is the fact that they are limited in the services they are able to deliver. They were born to make information sharing a question of couple of clicks. This was the reason why they become so popular. People were suddenly able to share anything immediately with all people they know (or don’t know). This was the reason of the boom but what is next? How to develop this product once the market is saturated? How to make people to stay excited about the social networks? These are the main questions of upcoming years.</p>
<p>The LinekdIn recently announced a new service called LinkedIn Today. This new service extend the main focus of the network – to get business people together and to establish new connections – in a new service – providing the latest and most discussed news available on the Internet. The LinkedIn still more realizes that it needs to offer additional value to its members as getting together in the way LI is able to offer is simply not enough anymore.</p>
<p>Although LinkedIn Today is a nice tool I really doubt that it will make people excited. The reason is that this feature offers nothing new. No unique or never-seen-before feature that could make people obsessed about LinekdIn again.</p>
<p>It is like a little Pete who gets a new toy. He plays with it all the time, takes it everywhere. It seems like this is the best toy which Pete could get and it will stays with him forever. But as the time passes Pete plays with the toy still less until he gets weary of it and threw it away. There is nothing wrong with the toy, it stays the same, it just does not develop with Pete and this is the reason why he is not interesting in it anymore.</p>
<p>I am not talking that the “big boys” of social networks will be gone in 5 years the point I am trying to make is that the excitement about the social networks is declining and if they want to ignite the fire in people’s hearts again they will need to offer them something special, get even closer, become inevitable part of daily living. Underestimating of this basic fact is probably behind the fall of many new social networks such as Google Buzz or Orkut which brought nothing what people could not find at Facebook, LinedIn or twitter.</p>
<p>So what is next? How should social networks evolve? I can see two major trends which could influence the way all social networks will go. First trend – The shift from the cell to smart phone. These smart devices change the way how people interact with their phones. They are still more used for internet browsing and email communication. Second trend – The shift from sharing all personal information with all people to more specific information sharing with closed groups of real-life friends.<br />
If we would take these trends in consideration the Social network 2.0 might be smarter and more private. People will use it as they go through the smart phones, iPads and other handy devices which you can take anywhere. Although this is already happening, the link between the smart phone and social network will be much closer in upcoming years. This network would consist of small separate groups of people who could share important information that are relevant also to other members of these private groups.</p>
<p>You can find Jason’s article <a href="http://www.businessinsider.com/the-end-of-the-social-network-era-the-rise-of-the-social-circle-era-2011-5" target="_blank">here</a>.</p>
]]></content:encoded>
			<wfw:commentRss>http://moremoo.com/2011/05/social-network-is-this-the-end-of-the-era-of-excitement.html/feed</wfw:commentRss>
		<slash:comments>0</slash:comments>
		</item>
		<item>
		<title>The Number Of My Feedburner Subscribers Fluctuate, Why?</title>
		<link>http://moremoo.com/2011/04/the-number-of-my-feedburner-subscribers-fluctuate-why.html</link>
		<comments>http://moremoo.com/2011/04/the-number-of-my-feedburner-subscribers-fluctuate-why.html#comments</comments>
		<pubDate>Mon, 04 Apr 2011 18:16:24 +0000</pubDate>
		<dc:creator>admin</dc:creator>
				<category><![CDATA[Blogmaster]]></category>

		<guid isPermaLink="false">http://moremoo.com/?p=97</guid>
		<description><![CDATA[If you are in the Blogosphere you have probably heard (and most likely also use) Feedburner – The most popular RSS feed provider. This RSS managing system from Google allows your visitors to stay in touch with your blog through ...]]></description>
				<content:encoded><![CDATA[<p>If you are in the Blogosphere you have probably heard (and most likely also use) <strong>Feedburner </strong>– The most popular RSS feed provider. This RSS managing system from Google allows your visitors to stay in touch with your blog through the RSS feeds. In other words your readers are updated on every article immediately without the need of checking your blog all the time. I like Feedburner. It is simply because it is easy to use, gives nice number of different options to subscribe to your feeds and it provides you also with handy statistics about your RSS subscribers.</p>
<p>Talking about the stats, I am sure many of you have already experienced that great feeling of accomplishment when the number of your feed readers is climbing up. You feel that your blog is going the right way and all that hard work is slowly paying off. On the other hand the feeling of “despair” when this number suddenly drops down without any particular reason might discourage many new bloggers.</p>
<p><em>“How come that the number of my feed subscribers dropped that much over the night?? Is it because my last article was just a piece of crap?”</em> Questions like this were bugging my mind quite a lot in the past.</p>
<p>So, I decided to get to the root of this problem and find out why is this fluctuation in the number of Feedburner subscribers happening. After some research I found out I am not the only one with this problem…many people were reporting this issue. So, what is going on here?</p>
<p>After all I found the answer…but before I will be talking about the reason of this fluctuation let’s have a look at the small infographic below. It shows how Feedburner count the number of your RSS feed readers.</p>
<h2><strong>So, why the number of mine (and yours) Feedburner subscribers goes up and down?</strong></h2>
<p>&nbsp;</p>
<p>First of all there is nothing wrong with the Feedburner. As you can see at the picture above there are two main types of feed readers: Web-based and Stand-alone feed readers.</p>
<p>Their purpose is the same, to deliver you the RSS feeds of blogs you are interested in, but the way they do it is different. While <strong>web-based feed readers</strong> such as Google Reader, My Yahoo fetch feeds every 24 hours no matter if you log in to your feed reader or not.</p>
<p><strong>Stand-alone feed readers</strong> such as Feed Reader3 or AmphetaDesk fetch feeds only on the user’s request. This means, if person would not request the feeds yesterday Feedburner would remove this person from the list of your feed subscribers. If this person would request the feeds the next day again…Voila! Feedburner would count this person to the list again. And that is the main reason of all that fluctuation.<strong><br />
</strong></p>
<h2><strong>How to solve this?</strong></h2>
<p><strong></strong><br />
Well, I have no special advice how to avoid these sudden ups and downs in the total number of your RSS subscribers you just have to get used to it. The only advice I could give is to stay calm and don’t take it too seriously. This fluctuation does not have to reflect the real number of your RSS readers so before you start to panic try to recheck it in couple of days. <strong><br />
</strong></p>
<h2><strong>My questions for you</strong></h2>
<p><strong></strong><br />
Was this article useful for you?<br />
Have you noticed the fluctuation of your Feadburner subscribers as well?<br />
Are you going to subscribe to my blog?:)</p>
]]></content:encoded>
			<wfw:commentRss>http://moremoo.com/2011/04/the-number-of-my-feedburner-subscribers-fluctuate-why.html/feed</wfw:commentRss>
		<slash:comments>1</slash:comments>
		</item>
	</channel>
</rss>
