Microsoft Smartwatch-hi fi-is coming

Microsoft's first smartwatch for over a decade

The product is yet to be officially launched, All information in this article is still
only speculation.Microsoft is the latest technology giant preparing to jump into
 the wearables market, with plans to offer a sensor-rich smartwatch that measures.
Microsoft smartwatch rumors heat up again, suggesting a cross-platform
strategy that suits CEO Satya Nadella's goals.

Microsoft is reportedly joining the quickly growing party of companies developing
 a smartwatch.Microsoft may be getting in on the smartwatch game. The U.S. Patent
 Office has released an application from the software maker
for a smartwatch design.

With every major tech firm producing, or planning on producing a smartwatch,
 Microsoft's recent patents have given away some of the company's plans
about its future .Microsoft may be entering the wearable tech sector with
their own spin on the smartwatch. Rumors have begun to surface that the
 tech giant is developing a watch.

Apple releases iOS 7.1.2


Apple has released the
iOS 7.1.2 update. The update brings with it some bug
 fixes and security updates. The update includes: Improved iBeacon connectivity
 and stability Fixes a bug with data transfer for some 3rd party accessories,
including barcode scanners Corrects an issue with data protection class of
Mail attachments The update is around 28-30MB depending upon the
device, if you download on the device itself. Along with iOS, Apple also
pushed an update for OS X, bumping it to 10.9.4.

This one has more useful changes and something you'd actually notice,
 including: Fixes an issue that prevented some Macs from automatically
connecting to known Wi-Fi networks Fixes issue causing the background
 or Apple logo to appear incorrectly on startup Improves the reliability
 of waking from sleep Includes Safari 7.0.5 The 10.9.4 update is
 around 90MB.

Samsung Galaxy S5 mini

It grew slightly compared to its predecessor with a 4.5" screen, keeping within the
reasonable limits of "mini". The specs aren't particularly high-end though it retains
 the trademark features of the big Galaxy S5. The Samsung Galaxy S5 mini is built
 around a 4.5" Super AMOLED screen of 720p resolution.

It measures 131.1 x 64.8 x 9.1 and weighs 120g, compared to 124.6 x 61.3 x 8.9
 mm and 107g of the Galaxy S4 mini. The good news is that the pixel density went
 from 256ppi to 326ppi. The body is IP67 certified meaning it is completely dust
 tight and can be submerged under up to a meter of water for half an hour.
Interestingly there's no flap covering the microUSB 2.0 port on the bottom,
Samsung has managed to make it water resistant with some sort of special coating.
 The back is perforated leather and features a heart rate monitor, while the
 hardware Home key on the front doubles as a fingerprint reader. Samsung
Galaxy S5 mini The processing power hasn't gone up significantly - the Galaxy
 S5 mini packs four Cortex-A7 cores @ 1.4GHz, while RAM remains at 1.5GB.
 The internal storage was doubled to 16GB there's a microSD card slot if
 that's not enough. The Galaxy S5 mini will come out with Android 4.4 KitKat
and feature S Health, Private mode, Kids mode and Ultra Power Saving mode.
 The battery capacity went up a bit to 2,100mAh.

The connectivity was bumped up to 150Mbps LTE and keeps the IR blaster
 on top. The camera department remains unchanged at 8MP stills
 and 1080p @ 30fps video.

Promote your website to your link prospects

Create RSS feeds. Try registering with Feedburner

Publish free newsletters.Recruit site visitors to your free benefit-packed
 newsletter and you are building an emailing list. Use your newsletter to
 promote your content.

Post on your site/blog.You’re doing that anyway, of course. But it’s
amazing what people forget if it’s not on a checklist.

Submit content to generic social sites eg, Twitter, LinkedIn, Facebook,
StumbleUpon, Digg and nowGoogle +.

Submit to your specialist social networking sites

Use your specialist contacts by email, direct tweets and even telephone.

Contact journalists you know personally. Don’t just issue press releases
 - get to know them, chat and build trust.

Buy and use a list of relevant journalists detailsand get to know them.

Contribute with guest posts and articleson specialist blogs and sites.

Issue press releases to online and offline specialist distributors like
 PRWeband Press Dispensary.

Submit to site-of-the-day sites.

Consider Eric Ward’s URL wireIt’s a paid-for service but is top quality.

Buy PageRank links or not. You can buy links without a nofollow tag. But, if Google works out
that you’re buying links you’re site may be penalized. Take the risk if you must, but I certainly don’t
recommend it.
Buy promotional links adverts on generic sites like StumbleUpon and Facebook; specialist sites;
and Pay Per Click -PPC. The links won’t directly help your SEO but others might share your content
and those links will.

You have found your site’s most profitable keyword niches to target; built
and optimized site structure and content; and promoted your site for link
building and brand building.

But SEO never stops. Your competitors will not stop optimizing, so nor
can you. And your best targets may have changed. So you must return to
the start of the SEO process.

Check visits, Google ranks for target keywords, response rates and
numbers for different metrics including goals like email recruitment,
sales numbers and revenue.

Check whatever measures you’ve got. If you don’t have Goals or
Ecommerce configured then use bounce rate, average time on site and
pages per visit.

Visualize Traffic with DIY Vector

you will learn how to create your own traffic chart using the incredibly cool Canvas framework, which can produce vector graphics and animations with a little bit of HTML and JavaScript. All code referenced in this hack is also available in a single zip file at http://blogoscoped.com/googleappshacks/canvas.zip. Although setting up Canvas may take a little longer than using, say, the Google Charts API  it's also much more flexible, and can even include animated charts.

Draw Something Using Canvas

Canvas is a vector graphics framework which works in most popular browsers today including Firefox, Opera and Safari, and does not require a plug-in like Flash does. Internet Explorer too can render Canvas code, at least with a little tweak you'll see further below. Canvas can be used to have a web page show 2D and 3D drawings, games, charts, applications, animations, and much more.

A longer canvas tutorial is available at http://developer.mozilla.org/en/docs/Canvas_tutorial (explaining how to draw rectangles, curves, imported images, and much more), but let's just see what you need to draw a simple line. First, create a file named index.html and open it with a plain text editor. Create a basic page like the following;

 
<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Strict//EN" "DTD/xhtml1-strict.dtd">
<html xmlns="http://www.w3.org/1999/xhtml" xml:lang="en" lang="en">
<head>
  <meta http-equiv="Content-Type" content="text/html; CHARSET=UTF-8" />
  <title>Drawing a line</title>
</head>
<body>
  <h1>Soon, a line will appear!</h1>
</body>
</html>

       

So far, that's all plain XHTML. Now somewhere in the <body> of the page, put the canvas tag:

Next, create a default.js file containing the following JavaScript, and put it in the same folder as index.html:
function main() {
    // grab the canvas
    var canvas = document.getElementById('picture');
    var ctx = canvas.getContext('2d');

    // set the color and line width
    ctx.strokeStyle = 'rgba(40,200,180,1)';
    ctx.lineWidth = 8;

    // draw a line
    ctx.beginPath();
    ctx.moveTo(40, 140);
    ctx.lineTo(240, 40);
    ctx.stroke();
}

That's not a lot of code—you're grabbing the canvas element using the ID you defined

Top Web Analytics Blogs

The Web changes all the time, and those changes create pain points on how
 best to accurately and consistently analyze our websites. One of the most
awesome resources at your disposal is the blogs of various industry luminaries
 and practitioners who unselfishly put out some of the best content
you’ll find anywhere. A key characteristic of most of these blogs is
 that they are extremely current and on the cutting edge in their discussions.
 Get an RSS -really simple syndication reader and
soak up all the information—it’s free!
Google Analytics Blog-http://analytics.blogspot.com:This official blog
 of the GA
team has loads of great GA tips and insights.
Occam’s Razor-http://www.kaushik.net/avinash: My blog focuses on web
 research and analytics.
Web Analytics Demystified-http://www.webanalyticsdemystified.com/weblog: Eric
Peterson is an author, conference speaker, and Visual Sciences VP, and on his
blog he shares his wisdom about all things web analytics.

Lies, Damned Lies-http://www.liesdamnedlies.com:
Ian Thomas is the Director of Customer Intelligence at Microsoft, and in
 a prior life helped found WebAbacus, a web analytics company.
Ian applies his deep experience and covers complex topics in
an easy-to-understand language.
Analytics Talk-http://epikone.com/blog: Justin Cutroni is one of the smartest
 web analytics practitioners and consultants around. His focus is on GA, but
he has lots of non-GA stuff as well.

Commerce360 Blog-http://blogs.commerce360.com: Craig Danuloff is the
 president of Commerce360, a consulting company, and he brings a
refreshingly honest perspective on all things web analytics and marketing.

LunaMetrics Blog-http://lunametrics.blogspot.com: Robbin Steif provides practical
tips and tricks on getting the most out of your web analytics tools, specifically
 with an eye toward improving your conversion rate.

Instant Cognition-http://blog.instantcognition.com: Clint Ivy calls himself a data
visualization journeyman—that says it all! Clint shares his perspective on
 analytics with a focus on visual report design.

Applied Insights Blog-http://snipurl.com/neilmason: Neil Mason and John
 McConnell share their insights from the United Kingdom.

OX2 Blog-http://webanalytics.wordpress.com: René Dechamps Otamendi
 and Aurélie Pols run the pan-European OX2, and their blog always
has wonderfully insightful perspectives on web analytics.

Let's Make A Master Template codeigniter

A simple CSS file, it ’ s time to create a generic Template view that
you can reuse throughout your application. In this master template, which
you can name template.php, are a series of embedded PHP calls that load
certain subviews, such as header, navigation, and footer.

These subviews contain the HTML and PHP that you will create in the
 next few sections. Notice in the following code that you ’ re also trying
to load a subview with $main. This variable will contain the name of a
subview that is dynamically set within the controller and allows you a
 great deal of flexibility as you code your application.

< !DOCTYPE html PUBLIC “-//W3C//DTD XHTML 1.0 Strict//EN”
“http://www.w3.org/TR/xhtml1/DTD/xhtml1-strict.dtd” >
< html xmlns=”http://www.w3.org/1999/xhtml” xml:lang=”en” lang=”en” >
< head >
< meta http-equiv=”content-type” content=”text/html; charset=utf-8” / >
< title > < ?php echo $title; ? > < /title >
< link href=” < ?= base_url();? > css/default.css” rel=”stylesheet” type=”text/css” / >
< script type=”text/javascript” >
// < ![CDATA[
base_url = ‘ < ?= base_url();? > ’;
//]] >
< /script >
< /head >
< body >
< div id=”wrapper” >
< div id=”header” >
< ?php $this- > load- > view(‘header’);? >
< /div >
< div id=”nav” >
< ?php $this- > load- > view(‘navigation’);? >
< /div >
< div id=”main” >
< ?php $this- > load- > view($main);? >
< /div >
< div id=”footer” >
< ?php $this- > load- > view(‘footer’);? >
< /div >
< /div >
< /body >
< /html >

Social Search and Participation Marketing

 Social search optimization

There are two reactions we get when we tell our clients that it’s time
 to think aboutsocial search. The B2B clients often become noticeably
 uncomfortable and try to change the subject, while the B2C clients are
 likely to want to dive right in. Want to know something funny?In most cases,
 these reactions hold true even when our B2B and B2C clients have no idea
 what we actually mean by social search. What we mean,by the way, are
 those Web 2.0 sites that compile human-fueled factors, such as votes,
references, or recommendations to help you find sites.

Social Bookmarking Sites  These are sites that allow users to give a virtual thumbs
up to a web page, which in turn allows others to learn about it. Digg, Reddit, and
del.icio.us are popular examples. As an online marketer, your goal on sites like these is
to get votes for your content. Is your organization doing something fascinating enough,
or does your website offer something so unique or so useful that a rising tide of voters
will push your site to the top.

Blogs- Your blog mission is either to get mentioned or to join in the commenting in a
way that showcases your smarts and usefulness to your target audience. Niche B2Bs,
yes, there is a blog that is at least loosely related to your industry, and yes, your target
audience frequents them. Type your top 10 keywords into blogsearch.google.comand
see for yourself. B2Cs, even though your keywords are mentioned all over the blog
search engines, that doesn’t mean that every blog audience has conversion value for you.
Forums-The goal for forums is to join in the conversation, become a trusted voice, and
keep your organization in that favorable top-of-mind position with your target audience.
Social Networking Sites Not a medium for the time-strapped, the goal for these sites is
to make friends and communicate with them on a regular basis. Some examples of social
networking sites are MySpace, Facebook, and LinkedIn.

The exciting thing about the Social Web is that the barrier to entry is low. It’s easy to participate
and easy to operate, and it doesn’t cost any money. But it does require a bit of reprogramming for
the traditional marketer. Instead of promoting your company or products, often the venue is better
suited to disseminating the thoughts or activities of a single individual in your organization. As an
example, new product announcements in the Social Web are far outnumbered by musings, advice,
and opinions of CEOs and consultants.Which participants rise to the top?
 Those with higher-thanaverage quotients of expertise and personality.

How to make seo worksheets

SEO worksheets Idea

• Keywords Worksheet
• Site Assessment Worksheet
• Rank Tracking Worksheet
• Task Journal Worksheet
• Competition Worksheet
• SEO Growth Worksheet

Your SEO Task Journal is a place to document
what you’ve done, what questions have cropped up, and what you need to do in the
future. Your Task Journal will prevent you from duplicating your efforts and help you
keep track of what you were thinking last week and the week before. It’s also a convenient holding pen for ideas and random thoughts that come up while you are working on Your SEO Plan.

 If you put the time into choosing powerful keywords now, you are likely to be
 rewarded not only with higher ranks,but also with these benefits:

• A well-optimized site, because your writers and other content producers will feel
more comfortable working with well-chosen keywords as they add new site text
• More click-throughs once searchers see your listing, because your keywords will
be highly relevant to your site’s content
• More conversions once your visitors come to your site, because the right keywords
will help you attract a more targeted audience.

Keywords Worksheet, you’ll find columns with the headings Keyword,
Search Popularity, Relevance, Competition, and Landing Page. Today you’re only
worried about the first column: Keyword.

No keyword list is complete without your
organization’s name and the products, services, or information you offer. Be sure to
think about generic andproprietary descriptions.

On your Keywords Worksheet, you already have a nice long list of possible target phrases.
But are there any you missed? Today, you’ll troll on- and offline for additional keyword
ideas. We’ve listed some of the places that additional keyword phrase ideas could pop
up. There are more ideas here than you can use in just one hour, so pick and choose
based on what’s available to you and what feels most appropriate to your situation:

Your CoworkersIf you didn’t get your team involved in keyword brainstorming  be sure
that they jump on board today. It will help your campaign in two ways:
First, they’ll provide valuable new perspectives and ideas for keywords, and second,
they’ll feel involved and empowered as participants in the plan.

Your WebsiteHave you looked through your website to find all variations of your
possible keyword phrases? Terms that are already used on your site are great choices
for target keywords because they will be easier to incorporate into your content.

URL rewriting-various exercises-seo

 Installing mod_rewrite
 Testing mod_rewrite
 Working with regular expressions
 Rewriting numeric URLs with two parameters
 Rewriting keyword-rich URLs
 Building a link factory
 Pagination and URL rewriting
 Rewriting images and streams

If you’ve installed Apache yourself, read on. Because of its popularity, mod_rewrite is now included
with all common Apache distributions. If desired, you can verify if your Apache installation has the
mod_rewrite module by looking for a file named mod_rewrite.sounder the modulesfolder in your
Apache installation directory.
However, mod_rewrite may not be enabled by default in your Apache configuration. To make sure,
open the Apache configuration file, named httpd.conf.

Once mod_rewrite is installed and enabled, you add the rewriting rules to the Apache configuration
file, httpd.conf.

You use this to have mod_rewrite translate my-super-product.htmlto product.php?product_id=123.
The linethat precedes the RewriteRuleline is a comment.
# Translate my-super.product.html to /product.php?product_id=123
RewriteRule ^my-super-product\.html$ /product.php?product_id=123
You can find the official documentation for RewriteRuleat http://www.apacheref.com/
ref/mod_rewrite/RewriteRule.html.
In its basic form, RewriteRuletakes two parameters. The first parameter describesthe original URL that
needs to be rewritten, and the second specifies what it should be rewritten to. The pattern that describes the
original URL is delimited by ^and $, which assert that the string has nothing before or after the matching
text (explained further in the following sections), and its contents are written using regular expressions,
which you learn about next.

Using RewriteBase

The regular expressions and scripts in this book assume that your application runs in
the root folder of their domain. This is the typical scenario. If, however, you host your
application in a subfolder of your domain, such as
http://www.example.com/seophp, you’d need to make a few changes to accommodate 
the new environment.

The most important change would be to use the RewriteBasedirective of mod_rewrite
to specify the new location to act as a root of your rewriting rules. This directive is
explained at http://www.apacheref.com/ref/mod_rewrite/RewriteBase.html.
Also, the rewritten URL should lose its leading slash, because you’re not rewriting to
root any more. Basically, if you host your first example in a subfolder named seophp,
your .htaccessfile for the previous exercise should look like this:

RewriteEngine On
RewriteBase /seophp
RewriteRule ^my-super-product\.html$ product.php?product_id=123

RewriteRule command and its parameters must be written on a single line in
your .htaccessfile. If you split it in two lines as printed in the book, you’ll get a 500 error from the
web server when trying to load scripts from that folder.