Big Data for Publishers

Size: px
Start display at page:

Download "Big Data for Publishers"

Transcription

1 Big Data for Publishers Using BigQuery to Measure Content Engagement and Performance by Article Topic By Hazem Mahsoub Cloud & Data Architect Measuring Performance by Article Topic using BigQuery Whitepaper 1

2 In a recent blog post, Getting Your Feet Wet in the Data Lake: Analytics 360 in BigQuery, we reviewed the benefits that BigQuery offers to data engineers, analysts, and marketers. BigQuery is a distributed big data platform that Google first developed internally but has since made available publicly as an efficient solution for its low-cost storage and fast querying of large data sets. BigQuery s Benefits to Data Engineers, Marketers, and Analysts As a no-ops cloud-based solution, BigQuery offers data engineers tremendous operational advantages over platforms such as Hadoop and Spark by eliminating the need for on-premises resources to support hardware infrastructure and software updates. Marketers and analysts, for their part, can take advantage of BigQuery to output results from ad hoc queries within minutes or seconds and begin to gain insight about online/offline attribution, user funnels, and long-term customer value. Measuring Content Performance Gauging the performance of content presents more of a challenge than retail transactions or lead generation: for content, we re measuring engagement levels rather than specific outcomes (such as purchases, lead generation, or signups), or we re attempting to correlate pages and subjects with any specific outcomes that we are measuring. In his blog post Google Analytics on Accelerated Mobile Pages (AMP): Measuring User Behavior and Segmenting Content for Publishers, E-Nor s Digital Analytics Manager Allaedin Ezzedin posed the following questions about content performance: Which content types users interact with the most (examples: Textual, Video, Audio, Infographic, Illustration)? What kinds of topics, tags and categories interest your audience the most and hence you should write more about? Which authors have the most popular content? Which content language gives your site higher engagement and conversion? Which posts are performing the best. This will help you for example in selecting content to feature on the homepage s hero banner or on your monthly newsletter? What users do with content. (Read, , Print, Save, Share, Comment)? Walled/premium content performance vs. public content? How much revenue each content category is generating? Which traffic sources and user segments (based on geography or device, as examples) are driving the most paid/premium memberships? While we can extend the data set within Google Analytics to answer some of these questions, the BigQuery approach - that is, combining your Google Analytics data set with your CMS data set within BigQuery - will offer much greater flexibility, as we ll discuss below. Measuring Performance by Article Topic using BigQuery Whitepaper 2

3 Content Performance Insights Google Analytics, on its own, supports several ways to combine with other data sources and generate great reports. With native integration of Analytics 360 (formerly known as Google Analytics Premium) into BigQuery, Google has made it much easier to join Google Analytics with other data sources, perform sophisticated querying, and take advantage of Big Data s vast opportunities for deep analysis and insight. In this post, we ll continue to explore BigQuery as a more straightforward solution than any workaround in GA 360 for the following scenario. business news (or publishers, media, government information portals): a range of articles published daily multiple tags per article: each article can have one or more tags (e.g., stock market, inflation, mortgages, interest rates, European Union) metrics by tag, not just by landing page: we ll use BigQuery to analyze metrics such as session count, bounces, session duration, and pages per session not just for each landing page, but for the tags used in the landing pages impact on monetization: by measuring bounce and pages per session for each tag, we can begin correlating tags with monetization that the business news site generates from selling ad space newsletter signups: in addition to monetizing pageviews, an objective for the business site is to generate newsletter signups: the s themselves are monetized through ads, and they drive clickthroughs back to the website - BigQuery will allow us to evaluate newsletter signup goal completion by content tags tag views by traffic/source medium: with BigQuery, we ll also be able to see how different tags correspond with different traffic sources Measuring Performance by Article Topic using BigQuery Whitepaper 3

4 BigQuery Advantages: Many-to-Many, No Code, Retroactive Many-to-Many BigQuery offers the flexibility of associating multiple tags to multiple articles. What do we mean by many-to-many relationship? Let s say you have a content site and each article is associated with several tags, such as the business news website in our example. Many-to-many relationship here means that a tag is associated with many articles and an article is associated with many tags. One of the fundamental benefits of BigQuery is the many-to-many advantage. Within Google Analytics, we d be able to easily report on performance of a single tag captured as a custom dimension per page or landing page, but the difficulty comes when multiple tags are assigned to multiple pages, as is often the case. After bringing the URL and tag dataset into BigQuery, we can freely join any number of tags with the Google Analytics landing page metrics and thereby begin to correlate the tag occurrence with bounce, session duration, goal completion, and source/medium. As a note, our example focuses on subject tags, but the concept applies to the many-to-many relationships for all metadata with multiple values. No Additional Code on Website As mentioned above in the alternative approach, we d normally add tag data to Google Analytics through a custom dimension. If all tag values appeared on the page, you d be able to read them into Google Analytics though a DOM Element variable (assuming that you were using Google Tag Manager). If, however, the tag values did not appear anywhere in the page text or metadata, you d need to work with your developers to write the tags from the CMS into the data layer so that you could then read it in through a Google Tag Manager data layer variable. With the BigQuery approach, the join between CMS and Google Analytics occurs only within Measuring Performance by Article Topic using BigQuery Whitepaper 4

5 BigQuery, so there s no need to add JavaScript code to write additional CMS fields to the page s data layer. Retroactive As another advantage of BigQuery, we can perform our tag analysis retroactively. Since we re integrating the tag data and performance data outside of Google Analytics, there s no need to populate custom dimensions or metrics at the time that the Google Analytics data is captured. If you discover you missed some data relevant to the articles, e.g. language, number of comments, has-images, or has-videos, or even that the metadata has changed, and you would like to combine it with old articles and generate reports, BigQuery provides the needed flexibility. Retroactivity is also available with query-time data imports within Google Analytics 360, and with no need for additional code to populate custom dimensions. BigQuery, however, offers these advantages, plus much better support for complex joins and large data sets. Combining Data Sources in BigQuery To gain the insights listed above, we ll take the following steps (with the assumption that automated export from Analytics 360 to BigQuery is already configured). 1. Extract the URLs and tags from the CMS. 2. Import the extracted CMS data into BigQuery. 3. Run queries in BigQuery to produce: a. Intermediate table with landing page dimension. b. Basic performance metrics (e.g., bounce) by landing page tag. c. Goal completions by landing page tag. d. Sessions by source/medium by landing page tag. Step 1: Extract the metadata from the CMS Steps for extracting the data from the CMS vary a lot depending on the used CMS and the version. In this example, we are using WordPress for its popularity. The concepts apply to all CMSs, but feel free to read through step 1 quickly if you re using a CMS other than WordPress. 1. In our example, the article URL start with /blog/, followed by the category, followed by the article title. The following SQL script should construct the friendly URL and retrieve the article information, along with the author, and the number of comments: 2. To extract the tags, the SQL statement looks like this: Measuring Performance by Article Topic using BigQuery Whitepaper 5

6 wp_posts.id as POST_ID, wp_posts.post_title as POST_TITLE, CONCAT('/blog/',wp_terms.slug,'/',wp_posts.post_name) AS USED_URL, wp_posts.post_date as POST_DATE, wp_posts.post_author as AUTHOR_ID, wp_users.display_name as AUTHOR, wp_posts.comment_count as comment_count FROM wp_terms INNER JOIN wp_term_taxonomy ON wp_terms.term_id = wp_term_taxonomy.term_id AND wp_ term_taxonomy.taxonomy='category' INNER JOIN wp_term_relationships ON wp_term_taxonomy.term_taxonomy_id = wp_term_ relationships.term_taxonomy_id INNER JOIN wp_posts ON wp_posts.id = wp_term_relationships.object_id INNER JOIN wp_users on wp_posts.post_author = wp_users.id WHERE post_type LIKE 'post' AND post_status LIKE 'publish' ORDER BY USED_URL; </> 3. Now, we need to combine both tables, using the wp_term_relationships table. Since the wp_terms.term_id AS ID, wp_terms.name AS TAG, wp_terms.slug AS TAG_SLUG FROM wp_terms INNER JOIN wp_term_taxonomy ON wp_terms.term_id = wp_term_taxonomy.term_id WHERE wp_term_taxonomy.taxonomy='post_tag'; </> data is small let s sacrifice some performance for clarity of the SQL statements. Measuring Performance by Article Topic using BigQuery Whitepaper 6

7 wp_terms.slug AS TAG, p.post_title, p.post_url, p.author, p.comment_count FROM wp_terms INNER JOIN wp_term_taxonomy ON wp_terms.term_id = wp_term_taxonomy.term_id AND wp_ term_taxonomy.taxonomy='post_tag' INNER JOIN wp_term_relationships ON wp_term_taxonomy.term_taxonomy_id = wp_term_ relationships.term_taxonomy_id INNER JOIN ( wp_posts.id as POST_ID, wp_posts.post_title as POST_TITLE, CONCAT('/blog/',wp_terms.slug,'/',wp_posts.post_name) AS POST_URL, wp_users.display_name as AUTHOR, wp_posts.comment_count as Comment_Count FROM wp_terms INNER JOIN wp_term_taxonomy ON wp_terms.term_id = wp_term_taxonomy.term_id AND wp_ term_taxonomy.taxonomy='category' INNER JOIN wp_term_relationships ON wp_term_taxonomy.term_taxonomy_id = wp_term_ relationships.term_taxonomy_id INNER JOIN wp_posts ON wp_posts.id = wp_term_relationships.object_id INNER JOIN wp_users on wp_posts.post_author = wp_users.id WHERE post_type LIKE 'post' AND post_status LIKE 'publish') as p ON p.post_id = wp_term_relationships.object_id order by wp_terms.slug; </> 4. Export the result into a CSV file. query result Measuring Performance by Article Topic using BigQuery Whitepaper 7

8 Step 2: Import CMS data into BigQuery There are several ways to load data into BigQuery, depending on the nature and size of the data. For small data sets, like our article-tags table, we can upload the CSV file directly into BigQuery as follows: 1. Create a dataset: Create a dataset by selecting the arrow next to your project and click on Create new dataset. For this example, we will call our dataset CMS_Data. Create new dataset 2. Create tables within the dataset: To do this, click the dropdown arrow next to the dataset and select Create new table. We ll call the table article_tags. 3. Create the table and Upload the data: We ll select the article_tags.csv file that we created in step #1. Source Data: Location: File Upload Choose file: article_tags.csv File Format: CSV Destination Table: Table name: CMS_Data.article_tags Table type: Native table Create new table Create table settings Measuring Performance by Article Topic using BigQuery Whitepaper 8

9 4. Specify schema: We also need to describe the schema of the table to BigQuery. That is: name, type and mode for each of the columns. Create table schema 5. Specify advanced options: optionally configure field delimiters, header rows to skip, and error handling. Advanced options 6. Click on Create Table, wait a moment, and your CSV data should now be fully uploaded into your new BigQuery table. After doing all the steps above, clicking the Create Table button will load the data into the table(s) we created. Based on the size of the data, the upload can take seconds or minutes. Watch out for error messages indicated by a red exclamation mark. Step 3: Intermediate table to generate the Landing Pages Not all Analytics dimensions and metrics available in BigQuery. For example, the landing page, which is a session-level dimension, is not available in BigQuery but it can be calculated by a query. The query below will identify the landing pages and the result can be saved as an intermediate BQ table. We prefer to save the result into a intermediate BQ table to keep the upcoming queries simple and to overcome a BigQuery limitation, which is: one cannot join two tables if the join key is a repeated field, as the pagepath field is here. Once we have this intermediate table, we can generate the landing page report. Remember to replace XX_Viewid_XX with your dataset name. Measuring Performance by Article Topic using BigQuery Whitepaper 9

10 /* generating the intermediate table for landing page report */ </> concat(main.fullvisitorid,string(main.visitid)) as sessionid, main.totals.bounces as bounces, main.totals.pageviews as pageviews, main.totals.timeonsite as timeonsite, main.trafficsource.source as source, main.trafficsource.medium as medium, l.hits.page.pagepath AS landingpage, * fullvisitorid, visitid, totals.bounces, totals.pageviews, totals.timeonsite, trafficsource.source, trafficsource.medium, TABLE_DATE_RANGE ([XX_ViewID_XX.ga_sessions_],TIMESTAMP(' '), TIMESTAMP (' ')))) AS main LEFT OUTER JOIN ( * fullvisitorid, visitid, hits.page.pagepath, MIN(hits.hitNumber) WITHIN RECORD AS firsthit, hits.hitnumber AS HN TABLE_DATE_RANGE ([XX_ViewID_XX.ga_sessions_],TIMESTAMP(' '), TIMESTAMP (' '))) WHERE hits.type = 'PAGE' AND hits.page.pagepath<>'') WHERE HN = firsthit) AS l ON main.fullvisitorid = l.fullvisitorid AND main.visitid = l.visitid) Measuring Performance by Article Topic using BigQuery Whitepaper 10

11 To save the result as a BQ table click on the options and choose the table name as Query result destination settings Step 4: Generate a Landing Page Report The query below generates a report similar to the Landing Pages report accessible within the Google Analytics interface. /* landing Page report: sessions, bounce_rate, pageviews and timeonsite */ landingpage, COUNT(sessionId) AS sessions, 100 * SUM(bounces)/COUNT(sessionId) AS BounceRate, AVG(pageviews) AS AvgPageviews, SUM(timeOnSite)/COUNT(sessionId) AS AvgTimeOnSite from ( * FROM [XX_ViewID_XX.SessionsLandingPage201605] ) GROUP BY landingpage </> Measuring Performance by Article Topic using BigQuery Whitepaper 11

12 Landing page query result Step 5: Join Tags to Landing Page Metrics The query below combines the landing page table with the tags table imported into BigQuery in step 2 above and retrieves the number of sessions, bounce rate, average pageviews and average time-on-site per tag. For this query and the other queries below, we reiterate that one page can contribute to the numbers under several tags, due to the many-to-many relationship between pages and tags. Measuring Performance by Article Topic using BigQuery Whitepaper 12

13 /* join our CMS table with landing page temp table */ /* and retrieve sessions, bounce rate, average pagewviews, average time on site by tags */ tag, COUNT(sessionId) AS sessions, 100 * SUM(bounces)/COUNT(sessionId) AS BounceRate, AVG(pageviews) AS AvgPageviews, SUM(timeOnSite)/COUNT(sessionId) AS AvgTimeOnSite t.tag AS tag, l.landingpage AS landingpage, l.sessionid AS sessionid, l.bounces AS bounces, l.pageviews AS pageviews, l.timeonsite AS timeonsite * FROM [XX_ViewID_XX.SessionsLandingPage201605] ) AS l JOIN ( tag, url FROM CMS_Data.article_tags) AS t ON l.landingpage=t.url) GROUP BY tag ORDER BY 2 DESC </> Landing page metrics by tags Measuring Performance by Article Topic using BigQuery Whitepaper 13

14 Additional Query: Report Goal Conversion Rate per Tag As mentioned previously, bounce rate, pages per session, and average session duration are relevant to the business news site s objectives for page monetization, but we also want to gauge how the page tags are supporting newsletter signups. </> /* conversion rate by tag query */ t.tag AS tag, COUNT(l.sessionId) AS sessions, COUNT(g.eventCategory) AS goals, 100 * COUNT(g.eventCategory) / COUNT(l.sessionId) as conversion_rate * tag, url FROM CMS_Data.article_tags) AS t LEFT OUTER JOIN ( sessionid, landingpage, source +' / '+ medium AS source_medium, FROM [XX_ViewID_XX.SessionsLandingPage201605] ) AS l ON t.url = l.landingpage LEFT OUTER JOIN ( CONCAT(fullVisitorId,STRING(visitId)) AS sessionid, hits.eventinfo.eventcategory AS eventcategory, hits.eventinfo.eventaction AS eventaction, hits.eventinfo.eventlabel AS eventlabel, hits.eventinfo.eventvalue AS eventvalue, hits.page.pagepath AS pagepath, TABLE_DATE_RANGE ([XX_ViewID_XX.ga_ sessions_],timestamp(' '), TIMESTAMP (' '))) WHERE hits.type='event' AND hits.eventinfo.eventcategory='xx_eventcat_xx') AS g ON l.sessionid = g.sessionid ) GROUP BY tag ORDER BY 4 DESC Measuring Performance by Article Topic using BigQuery Whitepaper 14

15 Remember to replace XX_ViewId_XX with your dataset name and XX_eventct_XX with your event category of your goal. You may need to make it more specific by adding event action and event label. Goal completion by tag Additional Query: Report Sessions by Tag by Source/Medium The query will combine the landing page table with the tags table and retrieve the number of sessions per tag and source/medium. One can see the top source/medium for each tag, and thereby gauge which topics gain the most traction on various channels. Is European Union accounting for the greatest proportion of your Twitter traffic? You probably want to make sure that your social team keeps tweeting about European business news. Is mortgages the top tag from your channel? Continue to feature mortgage-related stories in your newsletters. Measuring Performance by Article Topic using BigQuery Whitepaper 15

16 /* sessions by tag and source/medium */ tag, source_medium, COUNT(sessionId) AS sessions, t.tag AS tag, l.landingpage AS landingpage, l.source_medium as source_medium, l.sessionid AS sessionid, landingpage, source +' / '+ medium as source_medium, sessionid, FROM [XX_ViewID_XX.SessionsLandingPage201605] ) AS l JOIN ( tag, url FROM CMS_Data.article_tags) AS t ON l.landingpage=t.url) GROUP BY tag, source_medium ORDER BY tag, sessions DESC </> Sessions by source/medium for tags Measuring Performance by Article Topic using BigQuery Whitepaper 16

17 Limitless Possibilities There are limitless possibilities to the queries and reports we can generate by combining GA data with data from other sources. Here, we combined large data from GA with just one data source, the CMS for one piece of metadata (the tag) and capitalized on one feature of BigQuery. Imagine the possibilities if we make BigQuery our main repository, our data lake, for all our backend systems. Measuring Performance by Article Topic using BigQuery Whitepaper 17

TRACKING YOUR WEBSITE WITH GOOGLE ANALYTICS CHRIS EDWARDS

TRACKING YOUR WEBSITE WITH GOOGLE ANALYTICS CHRIS EDWARDS TRACKING YOUR WEBSITE WITH GOOGLE ANALYTICS CHRIS EDWARDS Hi, I am Chris Edwards Data Nerd & Agency Owner Website Developer 18 years WordPress Developer 6 years Google Analytics 13 years Digital Marketer/SEO

More information

John Biancamano Inbound Digital LLC InboundDigital.net

John Biancamano Inbound Digital LLC InboundDigital.net John Biancamano Inbound Digital LLC 609.865.7994 InboundDigital.net About Me Owner of Inbound Digital, LLC digital marketing consulting and training: websites, SEO, advertising, and social media. Senior

More information

Overview What s Google Analytics? The Google Analytics implementation formula. Steps involved in installing Google Analytics.

Overview What s Google Analytics? The Google Analytics implementation formula. Steps involved in installing Google Analytics. Google Analytics Overview What s Google Analytics? The Google Analytics implementation formula. Steps involved in installing Google Analytics. Tracking events, campaigns and ecommerce data. Creating goals

More information

Google Analytics. Tips & Tricks for Your Business. Interactive Marketing Summit. Laurel Highlands Visitor Bureau

Google Analytics. Tips & Tricks for Your Business. Interactive Marketing Summit. Laurel Highlands Visitor Bureau Google Analytics Tips & Tricks for Your Business Session Topics: 1. Getting to know the dashboard 2. Metrics and dimensions 3. What reports to use 4. User tips to segment your data 5. Tracking your paid

More information

Getting Started With Google Analytics Detailed Beginner s Guide

Getting Started With Google Analytics Detailed Beginner s Guide Getting Started With Google Analytics Detailed Beginner s Guide Copyright 2009-2016 FATbit - All rights reserved. The number of active websites on the internet could exceed the billionth mark by the end

More information

TURN DATA INTO ACTIONABLE INSIGHTS. Google Analytics Workshop

TURN DATA INTO ACTIONABLE INSIGHTS. Google Analytics Workshop TURN DATA INTO ACTIONABLE INSIGHTS Google Analytics Workshop The Value of Analytics Google Analytics is more than just numbers and stats. It tells the story of how people are interacting with your brand

More information

NEW STRATEGIES FOR EFFECTIVE

NEW STRATEGIES FOR EFFECTIVE NEW STRATEGIES FOR EFFECTIVE EMAIL Presented By: Brendan Cameron, Senior Project Manager, Ecommerce Department February 26, 2015 AGENDA WHAT IS BROADCAST EMAIL? GENERATING CONTENT ACQUIRING CONTACTS CREATING

More information

Google Analytics Certification Exam Answers by SEO planner. 1. Which of these is NOT a benefit of Remarketing in Google Analytics?

Google Analytics Certification Exam Answers by SEO planner. 1. Which of these is NOT a benefit of Remarketing in Google Analytics? Google Analytics Certification Exam Answers by SEO planner 1. Which of these is NOT a benefit of Remarketing in Google Analytics? Create remarketing lists based on custom segments and targets Allow customers

More information

Media Impact Measurement System. Data Repository. Technical Overview

Media Impact Measurement System. Data Repository. Technical Overview Media Impact Measurement System Data Repository Technical Overview Version 1.5 December 2016 Dana Chinn, USC Annenberg Mike Lee, USC Viterbi Jonathan Weber, LunaMetrics Produced in association with 1 Contents

More information

ANALYTICS DATA To Make Better Content Marketing Decisions

ANALYTICS DATA To Make Better Content Marketing Decisions HOW TO APPLY ANALYTICS DATA To Make Better Content Marketing Decisions AS A CONTENT MARKETER you should be well-versed in analytics, no matter what your specific roles and responsibilities are in working

More information

Setup Google Analytics

Setup Google Analytics Setup Google Analytics 1.1 Sign Up Google Analytics 1. Once you have a Google account, you can go to Google Analytics (https://analytics.google.com) and click the Sign into Google Analytics button. You

More information

BUYER S GUIDE WEBSITE DEVELOPMENT

BUYER S GUIDE WEBSITE DEVELOPMENT BUYER S GUIDE WEBSITE DEVELOPMENT At Curzon we understand the importance of user focused design. EXECUTIVE SUMMARY This document is designed to provide prospective clients with a short guide to website

More information

Media Impact Measurement System. Data Repository. Technical Overview

Media Impact Measurement System. Data Repository. Technical Overview Media Impact Measurement System Data Repository Technical Overview Version 1.0 January 2016 Dana Chinn, USC Annenberg Mike Lee, USC Viterbi Jonathan Weber, LunaMetrics Produced in association with 1 Contents

More information

GOOGLE ANALYTICS 101 INCREASE TRAFFIC AND PROFITS WITH GOOGLE ANALYTICS

GOOGLE ANALYTICS 101 INCREASE TRAFFIC AND PROFITS WITH GOOGLE ANALYTICS GOOGLE ANALYTICS 101 INCREASE TRAFFIC AND PROFITS WITH GOOGLE ANALYTICS page 2 page 3 Copyright All rights reserved worldwide. YOUR RIGHTS: This book is restricted to your personal use only. It does not

More information

The Ultimate Guide for Content Marketers. by SEMrush

The Ultimate Guide for Content Marketers. by SEMrush The Ultimate Guide for Content Marketers by SEMrush Table of content Introduction Who is this guide for? 1 2 3 4 5 Content Analysis Content Audit Optimization of Existing Content Content Creation Gap Analysis

More information

Google Analytics 101

Google Analytics 101 Copyright GetABusinessMobileApp.com All rights reserved worldwide. YOUR RIGHTS: This book is restricted to your personal use only. It does not come with any other rights. LEGAL DISCLAIMER: This book is

More information

How To Set Up Your First Google Analytics Dashboard - SkiftEDU Skift

How To Set Up Your First Google Analytics Dashboard - SkiftEDU Skift pagina 1 van 10 HOW-TOS GOOGLE TOOLS Editor s Note: As we are building our SkiftEDU service for marketers and SMBs in travel, we recently launched a new initiative: our new weekly series on digital marketing

More information

What We re Up Against Over 2 million blog posts are published every day.

What We re Up Against Over 2 million blog posts are published every day. What We re Up Against Over 2 million blog posts are published every day. To compete, consider these critical elements when writing your next awesome blog post. Source: HostingFacts.com Aug, 2017 2 What

More information

5 Impactful Things You Can Do In Google #CarnegieConf

5 Impactful Things You Can Do In Google #CarnegieConf 5 Impactful Things You Can Do In Google Analytics What will we cover? Events and Goal Tracking UTM Parameters Traffic Channels Understanding Audience Data Studio What are sessions? Groups of interactions

More information

Rochester Regional Library Council

Rochester Regional Library Council Rochester Regional Library Council Google Analytics Training 1/23/17 Introduction Matt Weaver Digital Director Mason Digital, LLC Mason Digital is an official Google Agency Partner Google Analytics and

More information

How to Manage and Maintain Your Website

How to Manage and Maintain Your Website How to Manage and Maintain Your Website Understand What You Need to Do to Grow and Maintain Your Website Alisha Lee, AEE Solar Marketing Mgr. Agenda Website Health Google Search Console Google Analytics

More information

Using video to drive sales

Using video to drive sales Using video to drive sales The following is a sequence of actions related to using video to drive sales. These are the methods and actions that Richter10.2 Video takes to increase our sales of our products

More information

GETTING STARTED WITH ANALYTICS

GETTING STARTED WITH ANALYTICS GETTING STARTED WITH GOOGLE ANALYTICS A Beginner's Guide to Increased Productivity and Profits for Your Website Terry Loving 206 200 0914 TerryLoving.com Table of Contents Introduction: Monitoring Analytics

More information

ADVANCED DIGITAL MARKETING COURSE

ADVANCED DIGITAL MARKETING COURSE ADVANCED DIGITAL MARKETING COURSE Master the Art of Digital Introduction to Digital marketing PPC MARKETING (Google Adwords) Website designing Introduction Display Advertising Search Engine Optimization

More information

How to Setup Goals in Google Analytics

How to Setup Goals in Google Analytics How to Setup Goals in Google Analytics Without goals in Google Analytics, it s almost impossible to determine which marketing activities benefit your business the most. Google Analytics goals are the actions

More information

Google Analytics. Gain insight into your users. How To Digital Guide 1

Google Analytics. Gain insight into your users. How To Digital Guide 1 Google Analytics Gain insight into your users How To Digital Guide 1 Table of Content What is Google Analytics... 3 Before you get started.. 4 The ABC of Analytics... 5 Audience... 6 Behaviour... 7 Acquisition...

More information

9 Google Analytics Best Practices

9 Google Analytics Best Practices 9 Google Analytics Best Practices 9 is relative there may be more Implementing GA What to do, and NOT do learned the hard way! Plain Vanilla It s Not for You Image source: http://atencentgemjar.wordpress.com/

More information

WELCOME TO KAPOST. Kapost Content Gallery: Getting Started Guide for Admins. Kapost Content Gallery

WELCOME TO KAPOST. Kapost Content Gallery: Getting Started Guide for Admins. Kapost Content Gallery WELCOME TO KAPOST Kapost Content Gallery: Getting Started Guide for Admins Kapost Content Gallery Kapost Content Gallery: Getting Started Guide for Admins Thank you for becoming the newest Kapost rock

More information

Top 3 Marketing Metrics You Should Measure in Google Analytics

Top 3 Marketing Metrics You Should Measure in Google Analytics Top 3 Marketing Metrics You Should Measure in Google Analytics Presented By Table of Contents Overview 3 How to Use This Knowledge Brief 3 Metric to Measure: Traffic 4 Direct (Acquisition > All Traffic

More information

CONTENT CALENDAR USER GUIDE SOCIAL MEDIA TABLE OF CONTENTS. Introduction pg. 3

CONTENT CALENDAR USER GUIDE SOCIAL MEDIA TABLE OF CONTENTS. Introduction pg. 3 TABLE OF CONTENTS SOCIAL MEDIA Introduction pg. 3 CONTENT 1 Chapter 1: What Is Historical Optimization? pg. 4 2 CALENDAR Chapter 2: Why Historical Optimization Is More Important Now Than Ever Before pg.

More information

Using Web Analytics Tools to Improve Your Website s User Experience

Using Web Analytics Tools to Improve Your Website s User Experience Using Web Analytics Tools to Improve Your Website s User Experience Agenda 1. What is UX? 2. Is Your Website Meeting Users Expectations? 3. Is Your Website Meeting Your Organization s Expectations? 4.

More information

CURZON PR BUYER S GUIDE WEBSITE DEVELOPMENT

CURZON PR BUYER S GUIDE WEBSITE DEVELOPMENT CURZON PR BUYER S GUIDE WEBSITE DEVELOPMENT Website Development WHAT IS WEBSITE DEVELOPMENT? This is the development of a website for the Internet (World Wide Web) Website development can range from developing

More information

Clicking on Analytics will bring you to the Overview page.

Clicking on Analytics will bring you to the Overview page. YouTube Analytics - formerly known as Insight - is an extremely powerful set of tools that can provide you with a lot of information about your videos, your audience, and your customers. Clicking on Analytics

More information

Adobe Marketing Cloud Marketing Channels

Adobe Marketing Cloud Marketing Channels Adobe Marketing Cloud Marketing Channels Contents Marketing Channel Documentation Home...4 Getting Started with Marketing Channels...5 About Marketing Channel Reports...6 About Channels and Rules...7 Automatic

More information

Google Analytics for Government

Google Analytics for Government Google Analytics for Government Learn How to Analyze Meaningful Metrics for Your Agency December 14, 2012 Authored by: Sarah Kaczmarek Google Analytics for Government Learn How to Analyze Meaningful Metrics

More information

From Single Purpose to Multi Purpose Data Lakes. Thomas Niewel Technical Sales Director DACH Denodo Technologies March, 2019

From Single Purpose to Multi Purpose Data Lakes. Thomas Niewel Technical Sales Director DACH Denodo Technologies March, 2019 From Single Purpose to Multi Purpose Data Lakes Thomas Niewel Technical Sales Director DACH Denodo Technologies March, 2019 Agenda Data Lakes Multiple Purpose Data Lakes Customer Example Demo Takeaways

More information

Google Analytics: Getting the most out of your Analytics.

Google Analytics: Getting the most out of your Analytics. Google Analytics: Getting the most out of your Analytics. Questions for Google Analytics: How many people are visiting my site? Who are they? Where do they come from? How are they finding my site? What

More information

A U T O M A T E D C O N T E NT P R O T E C T I O N, A N A L Y T I C S A N D M O N E T I Z A T I O N A C R O S S S O C I A L P L A T F O R M S

A U T O M A T E D C O N T E NT P R O T E C T I O N, A N A L Y T I C S A N D M O N E T I Z A T I O N A C R O S S S O C I A L P L A T F O R M S Presenting: Eyal Arad VIDEOCITES 1 ID LTD. 2018 A U T O M A T E D C O N T E NT P R O T E C T I O N, A N A L Y T I C S A N D M O N E T I Z A T I O N A C R O S S S O C I A L P L A T F O R M S VIDEOCITES

More information

Here are some of the many questions about your website that you can answer using Google Analytics.

Here are some of the many questions about your website that you can answer using Google Analytics. GOOGLE ANALYTICS 101 1 One of the free digital marketing tools available, Google Analytics is relatively easy to learn and helpful in tracking the outcomes of your social media marketing efforts. Let us

More information

power up your business GUIDE TO WEBSITE DATA ANALYTICS Entry Level

power up your business GUIDE TO WEBSITE DATA ANALYTICS Entry Level GUIDE TO WEBSITE DATA ANALYTICS Entry Level TABLE OF CONTENTS 1 Importance of stats/analysis 2 How/where do I track my marketing activities 3 What you need to know to get started 4 Goals and Conversions

More information

BASE STANDARD PREMIER. PRICE 290 p/m 723 p/m 1809 p/m SEO (SEARCH ENGINE OPTIMIZATION)

BASE STANDARD PREMIER. PRICE 290 p/m 723 p/m 1809 p/m SEO (SEARCH ENGINE OPTIMIZATION) BASE STANDARD PREMIER PRICE 290 p/m 723 p/m 1809 p/m SEO (SEARCH ENGINE OPTIMIZATION) PREVIOUS ANALYSIS ON-PAGE OPTIMIZATION Number of words, phrases, keywords or search criteria recommended for each service.

More information

SEO & GOOGLE ANALYTICS

SEO & GOOGLE ANALYTICS SEO & GOOGLE ANALYTICS SUMMARY OVERVIEW By Rebecca L. Cooney, MSC Clinical Assistant Professor Washington State University SEARCH ENGINE OPTIMIZATION SEO PROCESS SEO influences popularity and relevance

More information

Digital Marketing Glossary of Basic Terms & Concepts

Digital Marketing Glossary of Basic Terms & Concepts Digital Marketing Glossary of Basic Terms & Concepts A/B Testing Testing done to compare two variations of something against a variable. Often done to test the effectiveness of marketing tactics such as

More information

+1 (646) (US) +44 (20) (UK) Blog. for Magento 2. ecommerce.aheadworks.com/magento-2-extensions

+1 (646) (US) +44 (20) (UK) Blog. for Magento 2. ecommerce.aheadworks.com/magento-2-extensions Blog for Magento 2 Table of contents: Table of contents:... 2 Reference table... 3 Getting started... 4 Sidebar... 5 SEO... 6 Related Products... 6 Wordpress Import... 7 Blog categories... 7 Blog posts...

More information

OVERVIEW GOOGLE ANALYTICS

OVERVIEW GOOGLE ANALYTICS OVERVIEW GOOGLE ANALYTICS What is Google Analytics? Google Analytic identifies a website s target audience members for desktop and mobile [aka the users ], articulates what success means to a site s visitor,

More information

Media Impact Measurement System Google Analytics Custom Reports

Media Impact Measurement System Google Analytics Custom Reports Media Impact Measurement System Google Analytics Custom Reports December 2016 Dana Chinn, USC Annenberg Mike Lee, USC Viterbi Jonathan Weber, Luna Page 1 of 5 Reporting The full breadth of Google Analytics

More information

Digital Communication. Daniela Andreini

Digital Communication. Daniela Andreini Digital Communication Daniela Andreini Using Digital Media Channels to support Business Objectives ENGAGE Build customer and fan relationships through time to achieve retention goals KPIs -% active hurdle

More information

Marketing & Back Office Management

Marketing & Back Office Management Marketing & Back Office Management Menu Management Add, Edit, Delete Menu Gallery Management Add, Edit, Delete Images Banner Management Update the banner image/background image in web ordering Online Data

More information

Hybrid Data Platform

Hybrid Data Platform UniConnect-Powered Data Aggregation Across Enterprise Data Warehouses and Big Data Storage Platforms A Percipient Technology White Paper Author: Ai Meun Lim Chief Product Officer Updated Aug 2017 2017,

More information

Shine a Light on Dark Data with Vertica Flex Tables

Shine a Light on Dark Data with Vertica Flex Tables White Paper Analytics and Big Data Shine a Light on Dark Data with Vertica Flex Tables Hidden within the dark recesses of your enterprise lurks dark data, information that exists but is forgotten, unused,

More information

WEBSITE INSTRUCTIONS

WEBSITE INSTRUCTIONS Table of Contents WEBSITE INSTRUCTIONS 1. How to edit your website 2. Kigo Plugin 2.1. Initial Setup 2.2. Data sync 2.3. General 2.4. Property & Search Settings 2.5. Slideshow 2.6. Take me live 2.7. Advanced

More information

How to Use. Analytics

How to Use. Analytics How to Use Analytics Why Measure the Web? To Understand What is or isn t Working To Fix things That Aren t Working To Improve Results To Calculate Value To Justify and Encourage Investment To Dominate

More information

Telkomtelstra Corporate Website Increase a Business Experience through telkomtelstra Website

Telkomtelstra Corporate Website Increase a Business Experience through telkomtelstra Website Telkomtelstra Corporate Website Increase a Business Experience through telkomtelstra Website Award for Innovation in Corporate Websites Asia Pacific Stevie Awards 2016 Table of Content Telkomtelstra Website

More information

Author: Andrea Bartolini 30/10/2016

Author: Andrea Bartolini 30/10/2016 Author: Andrea Bartolini 30/10/2016 Social media Organic posts calendar (1 week of promotion) 3 Facebook posts 1 boosted Facebook post 10 Tweets 1 promoted tweet If performance is good, consider paid social

More information

AURA ACADEMY Training With Expertised Faculty Call us on for Free Demo

AURA ACADEMY Training With Expertised Faculty Call us on for Free Demo AURA ACADEMY Training With Expertised Faculty Call us on 8121216332 for Free Demo DIGITAL MARKETING TRAINING Digital Marketing Basics Basics of Advertising What is Digital Media? Digital Media Vs. Traditional

More information

Newegg Elite Seller Program Guide

Newegg Elite Seller Program Guide Newegg Elite Seller Program Guide Newegg Elite Seller Program offers three types of membership for different business model of sellers: Standard, Professional, and Enterprise. This guide will help you

More information

9 BEST PRACTICES FOR USING TRACKED URLS IN YOUR SMS MESSAGES

9 BEST PRACTICES FOR USING TRACKED URLS IN YOUR SMS MESSAGES 9 BEST PRACTICES FOR USING TRACKED URLS IN YOUR SMS MESSAGES A DYNMARK PUBLICATION 1 Introduction Historically tracking interactions with an SMS beyond its delivery status has been very difficult, which

More information

NEWSROOM BEST PRACTICE. Research Report. How some leading semiconductor companies are using online newsrooms. Issued in October 2013

NEWSROOM BEST PRACTICE. Research Report. How some leading semiconductor companies are using online newsrooms. Issued in October 2013 NEWSROOM BEST PRACTICE Research Report How some leading semiconductor companies are using online newsrooms Issued in October 2013 The contents of this White Paper are protected by copyright and must not

More information

Get More Out of Hitting Record IT S EASY TO CREATE EXCEPTIONAL VIDEO CONTENT WITH MEDIASITE JOIN

Get More Out of Hitting Record IT S EASY TO CREATE EXCEPTIONAL VIDEO CONTENT WITH MEDIASITE JOIN Get More Out of Hitting Record IT S EASY TO CREATE EXCEPTIONAL VIDEO CONTENT WITH MEDIASITE JOIN Better Video Starts With Better Capture Too often, great ideas and important details are lost when the video

More information

Accelerating BI on Hadoop: Full-Scan, Cubes or Indexes?

Accelerating BI on Hadoop: Full-Scan, Cubes or Indexes? White Paper Accelerating BI on Hadoop: Full-Scan, Cubes or Indexes? How to Accelerate BI on Hadoop: Cubes or Indexes? Why not both? 1 +1(844)384-3844 INFO@JETHRO.IO Overview Organizations are storing more

More information

A PRACTICE BUILDERS white paper. 8 Ways to Improve SEO Ranking of Your Healthcare Website

A PRACTICE BUILDERS white paper. 8 Ways to Improve SEO Ranking of Your Healthcare Website A PRACTICE BUILDERS white paper 8 Ways to Improve SEO Ranking of Your Healthcare Website More than 70 percent of patients find their healthcare providers through a search engine. This means appearing high

More information

KAPOST GALLERY Getting Started Guide for Admins

KAPOST GALLERY Getting Started Guide for Admins KAPOST GALLERY Getting Started Guide for Admins Kapost Gallery Kapost Gallery Guide for Admins Are you ready to take your rock star marketing content to the next level? This guide will help you successfully

More information

WEBSITE INSTRUCTIONS. Table of Contents

WEBSITE INSTRUCTIONS. Table of Contents WEBSITE INSTRUCTIONS Table of Contents 1. How to edit your website 2. Kigo Plugin 2.1. Initial Setup 2.2. Data sync 2.3. General 2.4. Property & Search Settings 2.5. Slideshow 2.6. Take me live 2.7. Advanced

More information

Advanced Marketing Lab

Advanced Marketing Lab Advanced Marketing Lab The online tools for a performance e-marketing strategy Serena Pasqualetto serena.pasqualetto@unipd.it LESSON #1: AN OVERVIEW OF PERFORMANCE MARKETING About Serena Pasqualetto Serena

More information

FCA CERTIFIED WEBSITE PROGRAM

FCA CERTIFIED WEBSITE PROGRAM FCA CERTIFIED WEBSITE PROGRAM RESPONSIVE CORE WEBSITE PLATFORM RESPONSIVE WEBSITE PLATFORM Conversion Optimized VLP and VDP Inventory Feed Integration Analytics Dashboard Advanced SEO Tools Meta Titles

More information

Special Report. What to test (and how) to increase your ROI today

Special Report. What to test (and how) to increase your ROI today Special Report What to test (and how) to A well-designed test can produce an impressive return on investment. Of course, you may face several obstacles to producing that well-designed test to begin with.

More information

GoDaddy Blog: Learn How To Deploy Your Blog Globally - One Market at A Time

GoDaddy Blog: Learn How To Deploy Your Blog Globally - One Market at A Time GoDaddy Blog: Learn How To Deploy Your Blog Globally - One Market at A Time Christopher Carfi, ccarfi@godaddy.com Garth O Brien, gxobrien@godaddy.com Monica Catunda, mcatunda@godaddy.com #LocWorld38 GoDaddy

More information

Become Professional Digital Marketer With

Become Professional Digital Marketer With 1 Mob:- 2 Become Professional Digital Marketer With www.digitalgurucool.in We Transform Your Vision into Creative Results Digital Gurucool is an activity that plans to give proficient Digital Marketing

More information

Driving Traffic to Your Online Retail Site via Social, SEO and PPC. Amy Hobson Autumn Fair - 5th September 2018

Driving Traffic to Your Online Retail Site via Social, SEO and PPC. Amy Hobson Autumn Fair - 5th September 2018 Driving Traffic to Your Online Retail Site via Social, SEO and PPC Amy Hobson Autumn Fair - 5th September 2018 International Digital Marketing Experts Our Accreditations & Partners Some Of Our Clients

More information

Getting Started Guide

Getting Started Guide Getting Started Guide for education accounts Setup Manual Edition 7 Last updated: September 15th, 2016 Note: Click on File and select Make a copy to save this to your Google Drive, or select Print, to

More information

Apigee Edge Developer Training

Apigee Edge Developer Training Training Training DURATION: 4 or 5 days FORMAT: Instructor-led with labs DELIVERY: Public or Private class PREREQUISITES: None HOW IT WORKS: Days 1 4 cover the fundamentals of developing and securing s

More information

Data Science & . June 14, 2018

Data Science &  . June 14, 2018 Data Science & Email June 14, 2018 Attention. Source: OPTE Project How do you build repeat audience attention? EMAIL It s the best way to: own your audience cultivate relationships through repeatable

More information

The Development and Marketing of Responsive Websites. A Service Dedicated to Legal Where secureit makes the difference

The Development and Marketing of Responsive Websites. A Service Dedicated to Legal Where secureit makes the difference The Development and Marketing of Responsive Websites Service Dedicated to Legal Where secureit makes the difference Google recently changed their algorithms and they now check if a website is mobile-friendly

More information

Google Universal Analytics Integration Set-up

Google Universal Analytics Integration Set-up Google Universal Analytics Integration Set-up Ifbyphone s Google Universal Analytics Integration enables you to track your phone calls and push the data into the standard and custom reports in Universal

More information

SEO: SEARCH ENGINE OPTIMISATION

SEO: SEARCH ENGINE OPTIMISATION SEO: SEARCH ENGINE OPTIMISATION SEO IN 11 BASIC STEPS EXPLAINED What is all the commotion about this SEO, why is it important? I have had a professional content writer produce my content to make sure that

More information

Digital Marketing Overview of Digital Marketing Website Creation Search Engine Optimization What is Google Page Rank?

Digital Marketing Overview of Digital Marketing Website Creation Search Engine Optimization What is Google Page Rank? Digital Marketing Overview of Digital Marketing What is marketing and digital marketing? Understanding Marketing and Digital Marketing Process? Website Creation Understanding about Internet, websites,

More information

Wordpress & Theme Installation

Wordpress & Theme Installation Wordpress & Theme Installation At this point you have already completed all of the planning for your new website so it is time to start installing the software you need to run it. Today we will be installing

More information

Digital Marketing Proposal

Digital Marketing Proposal Digital Marketing Proposal ---------------------------------------------------------------------------------------------------------------------------------------------- 1 P a g e We at Tronic Solutions

More information

VISITOR SEGMENTATION

VISITOR SEGMENTATION support@magestore.com sales@magestore.com Phone: 084.4.8585.4587 VISITOR SEGMENTATION USER GUIDE Version 1.0.0 Table of Contents 1. INTRODUCTION... 3 Create unlimited visitor segments... 3 Show targeted

More information

Netvibes A field guide for missions, posts and IRCs

Netvibes A field guide for missions, posts and IRCs Netvibes A field guide for missions, posts and IRCs 7/2/2012 U.S. Department of State International Information Programs Office of Innovative Engagement Table of Contents Introduction... 3 Setting up your

More information

DIGITAL MARKETING TRAINING. What is marketing and digital marketing? Understanding Marketing and Digital Marketing Process?

DIGITAL MARKETING TRAINING. What is marketing and digital marketing? Understanding Marketing and Digital Marketing Process? DIGITAL MARKETING TRAINING CURRICULUM Overview of Digital Marketing What is marketing and digital marketing? Understanding Marketing and Digital Marketing Process? Website Creation Understanding about

More information

Your Telecom Lead Generation Campaign Checklist

Your Telecom Lead Generation Campaign Checklist Your Telecom Lead Generation Campaign Checklist No one likes investing time and money into a lead generation campaign that doesn't drive results for your business. Use this checklist to create campaigns

More information

Introduction to List Building. Introduction to List Building

Introduction to  List Building. Introduction to  List Building Introduction to Email List Building Introduction to Email List Building 1 Table of Contents Introduction... 3 What is email list building?... 5 Permission-based email marketing vs. spam...6 How to build

More information

Why Upgrade? Sitefinity: Version by Version Barrett Coakley

Why Upgrade? Sitefinity: Version by Version Barrett Coakley Why Upgrade? Sitefinity: Version by Version Barrett Coakley Speakers Barrett Coakley Senior Manager, Product Marketing Progress Sitefinity 2 Reasons to Upgrade Take advantage of product improvements Performance

More information

PYRAMID April 2018 Release

PYRAMID April 2018 Release PYRAMID 2018.03 April 2018 Release The April release of Pyramid brings a list of over 40 new key features and numerous functional upgrades, designed to make Pyramid s OS the leading solution for customers

More information

The Ultimate YouTube SEO Guide: Tips & Tricks on How to Increase Views and Rankings for your Online Videos

The Ultimate YouTube SEO Guide: Tips & Tricks on How to Increase Views and Rankings for your Online Videos The Ultimate YouTube SEO Guide: Tips & Tricks on How to Increase Views and Rankings for your Online Videos The Ultimate App Store Optimization Guide Summary 1. Introduction 2. Choose the right video topic

More information

Analyzing Google Analytics

Analyzing Google Analytics May 2018 Analyzing Google Analytics 1. Primary & Secondary Dimensions 2. Bounce Rate & Other Data Definitions 3. Events 4. Goals 5. Help & Training Difference Between Dimensions & Metrics Primary Dimensions

More information

ABOUT RATZ PACK MEDIA

ABOUT RATZ PACK MEDIA ABOUT RATZ PACK MEDIA With years of experience working in online marketing Azriel Ratz saw that too many businesses focused on the wrong things when getting into the industry. Most agencies focus on racking

More information

Why Search is the Most Underutilized Tool On Your Site

Why Search is the Most Underutilized Tool On Your Site February 26, 2015 HOW SEARCH IMPACTS YOUR BUSINESS GOALS Why Search is the Most Underutilized Tool On Your Site DON T NEGLECT YOUR AUDIENCE TYPES OF WEB USERS Browsers Sorters Searchers Spend more time

More information

PYRAMID Headline Features. April 2018 Release

PYRAMID Headline Features. April 2018 Release PYRAMID 2018.03 April 2018 Release The April release of Pyramid brings a big list of over 40 new features and functional upgrades, designed to make Pyramid s OS the leading solution for customers wishing

More information

GOOGLE ANALYTICS HELP PRESENTATION. We Welcome You to. Google Analytics Implementation Guidelines

GOOGLE ANALYTICS HELP PRESENTATION. We Welcome You to. Google Analytics Implementation Guidelines GOOGLE ANALYTICS HELP PRESENTATION We Welcome You to Google Analytics Implementation Guidelines 05/23/2008 Ashi Avalon - Google Analytics Implementation Presentation Page 1 of 28 1) What Is Google Analytics?

More information

HubSpot Inbound Certification. I. Essentials

HubSpot Inbound Certification. I. Essentials HubSpot Inbound Certification I. Essentials Remember, consumers don t want to be sold to, they want to be educated, and inbound tactics can deliver the kind of information your prospects need to help them

More information

How to Use Social Media Analytics

How to Use Social Media Analytics Echo & Co. Lecture Series How to Use Social Media Analytics Juan Gonzalez Partner & Managing Director Director of Client Services Echo & Co. March 2, 2015 Review: Digital Behavior The Digital Action Funnel

More information

Lambda Architecture for Batch and Stream Processing. October 2018

Lambda Architecture for Batch and Stream Processing. October 2018 Lambda Architecture for Batch and Stream Processing October 2018 2018, Amazon Web Services, Inc. or its affiliates. All rights reserved. Notices This document is provided for informational purposes only.

More information

CONVERSION TRACKING PIXEL GUIDE

CONVERSION TRACKING PIXEL GUIDE Conversion Tracking Pixel Guide A Step By Step Guide to Installing a conversion tracking pixel for your next Facebook ad. Go beyond clicks, and know who s converting. PRESENTED BY JULIE LOWE OF SOCIALLY

More information

understanding media metrics WEB METRICS Basics for Journalists FIRST IN A SERIES

understanding media metrics WEB METRICS Basics for Journalists FIRST IN A SERIES understanding media metrics WEB METRICS Basics for Journalists FIRST IN A SERIES Contents p 1 p 3 p 3 Introduction Basic Questions about Your Website Getting Started: Overall, how is our website doing?

More information

Google Analytics Health Check Checklist: Property Settings

Google Analytics Health Check Checklist: Property Settings Google Analytics Health Check Checklist: Property Settings One of the reasons Next Steps Digital exists is because we not only want to dispel common misconceptions about Google Analytics (and everything

More information

Table of Contents. Introduction 3. Step 1: Make Sense Out of the Data Avalanche 4. Advanced Marketing Measurements 6

Table of Contents. Introduction 3. Step 1: Make Sense Out of the Data Avalanche 4. Advanced  Marketing Measurements 6 Table of Contents Introduction 3 Step 1: Make Sense Out of the Data Avalanche 4 Advanced Email Marketing Measurements 6 Step 2: Craft Stories Out of Your Email Marketing Data 7 Campaign Data 101 8 Integrating

More information

Website Optimizer. Before we start building a website, it s good practice to think about the purpose, your target

Website Optimizer. Before we start building a website, it s good practice to think about the purpose, your target Website Optimizer Before we start building a website, it s good practice to think about the purpose, your target audience, what you want to have on the website, and your expectations. For this purpose

More information

Seven Things You Didn t Know You Could Do With Google Analytics

Seven Things You Didn t Know You Could Do With Google Analytics Seven Things You Didn t Know You Could Do With Google Analytics Introduction Google Analytics is a fantastic and powerful tool for tracking your website activity and using that data to inform and improve

More information