How SEO Experts Can Utilize ChatGPT For BigQuery With Examples via @sejournal, @vahandev

AI is shaping every field by making skills (such as coding or data visualization) accessible to everyone, which weren’t available in the past.

An AI operator who can run the right prompts can perform low- and medium-level difficulty tasks, allowing more focus on strategic decision-making.

In this guide, we will walk you through step by step how to use AI chatbots with ChatGPT as an example to run complex BigQuery queries for your SEO reporting needs.

We will review two examples:

It will also give you an overall idea of how you can use chatbots to reduce the burden when running SEO reports.

Why Do You Need To Learn BigQuery?

SEO tools like Google Search Console or Google Analytics 4 have accessible user interfaces you can use to access data. But often, they limit what you can do and show incomplete data, which is usually called data sampling.

In GSC, this happens because the tool omits anonymized queries and limits table rows to up to 1,000 rows.

Screenshot from GSC Screenshot from Google Search Console, May 2024

By using BigQuery, you can solve that problem and run any complex reports you want, eliminating the data sampling issue that occurs quite often when working with large websites.

(Alternatively, you may try using Looker Studio, but the purpose of this article is to illustrate how you can operate ChatGPT for BigQuery.)

For this article, we assume you have already connected your GSC and GA4 accounts to BigQuery. If you haven’t done it yet, you may want to check our guides on how to do it:

SQL Basics

If you know Structured Query Language (SQL), you may skip this section. But for those who don’t, here is a quick reference to SQL statements:

Statement Description
SELECT Retrieves data from tables
INSERT Inserts new data into a table
UNNEST Flattens an array into a set of rows
UPDATE Updates existing data within a table
DELETE Deletes data from a table
CREATE Creates a new table or database
ALTER Modifies an existing table
DROP Deletes a table or a database.

The conditions we will be using so you can familiarize yourself:

Condition Description
WHERE Filters records for specific conditions
AND Combines two or more conditions where all conditions must be true
OR Combines two or more conditions where at least one condition must be true
NOT Negates a condition
LIKE Searches for a specified pattern in a column.
IN Checks if a value is within a set of values
BETWEEN Select values within a given range
IS NULL Checks for null values
IS NOT NULL Checks for non-null values
EXISTS Checks if a subquery returns any records

Now, let’s dive into examples of how you can use BigQuery via ChatGPT.

1. How To Analyze Traffic Decline Because Of Google Algorithm Impact 

If you have been affected by a Google algorithm update, the first thing you should do is run reports on affected pages and analyze why you have been impacted.

Remember, the worst thing you can do is start changing something on the website right away in panic mode. This may cause fluctuations in search traffic and make analyzing the impact even harder.

If you have fewer pages in the index, you may find using GSC UI data satisfactory for analyzing your data, but if you have tens of thousands of pages, it won’t let you export more than 1,000 rows (either pages or queries) of data.

Say you have a week of data since the algorithm update has finished rolling out and want to compare it with the previous week’s data. To run that report in BigQuery, you may start with this simple prompt:

Imagine you are a data analyst experienced in Google Analytics 4 (GA4), Google Search Console, SQL, and BigQuery.
Your task is to generate an SQL query to compare 'WEB' Search Console data for the periods '2024-05-08' to '2024-05-20' and '2024-04-18' to '2024-04-30'. 
Extract the total clicks, impressions, and average position for each URL for each period. 
Additionally, calculate the differences in these metrics between the periods for each URL 
(where average position should be calculated as the sum of positions divided by the sum of impressions).

Details:

BigQuery project name: use_your_bigquery_projectname
Dataset name: searchconsole
Table name: searchdata_url_impression
Please provide the SQL query that meets these requirements.

Once you get an SQL code, copy and paste it into the BigQuery SQL editor, but I bet the initial code you will get will have errors. For example, table column names may not match what is in your BigQuery dataset.

Error in BigQuery SQL when column name doesn't match the dataset column.Error in BigQuery SQL when column name doesn’t match the dataset column.

Things like this happen quite often when performing coding tasks via ChatGPT. Now, let’s dive into how you can quickly fix issues like this.

Simply click on your dataset in the left-right panel, select all columns on the right side, and click Copy as Table.

How to select all columns of table in bigquery.How to select all columns of the table in BigQuery.

Once you have it, just copy and paste it as a follow-up prompt and hit enter.

Generate SQL again by taking into account that my table schema is as follows : 
"fullname mode type description
data_date DATE 
site_url STRING 
url STRING 
query STRING 
is_anonymized_query BOOLEAN 
is_anonymized_discover BOOLEAN 
country STRING 
search_type STRING 
device STRING 
is_amp_top_stories BOOLEAN 
is_amp_blue_link BOOLEAN 
is_job_listing BOOLEAN 
is_job_details BOOLEAN 
is_tpf_qa BOOLEAN 
is_tpf_faq BOOLEAN 
is_tpf_howto BOOLEAN 
is_weblite BOOLEAN 
is_action BOOLEAN 
is_events_listing BOOLEAN 
is_events_details BOOLEAN 
is_search_appearance_android_app BOOLEAN 
is_amp_story BOOLEAN 
is_amp_image_result BOOLEAN 
is_video BOOLEAN 
is_organic_shopping BOOLEAN 
is_review_snippet BOOLEAN 
is_special_announcement BOOLEAN 
is_recipe_feature BOOLEAN 
is_recipe_rich_snippet BOOLEAN 
is_subscribed_content BOOLEAN 
is_page_experience BOOLEAN 
is_practice_problems BOOLEAN 
is_math_solvers BOOLEAN 
is_translated_result BOOLEAN 
is_edu_q_and_a BOOLEAN 
impressions INTEGER 
clicks INTEGER 
sum_position INTEGER 
is_product_snippets BOOLEAN 
is_merchant_listings BOOLEAN 
is_learning_videos BOOLEAN "

This will fix the generated SQL according to the GSC table structure as follows:

WITH period1 AS (
 SELECT 
   url,
   SUM(clicks) AS clicks,
   SUM(impressions) AS impressions,
   IFNULL(SUM(sum_position) / NULLIF(SUM(impressions), 0), 0) AS avg_position
 FROM 
   `use_your_bigquery_projectname.searchconsole.searchdata_url_impression`
 WHERE 
   data_date BETWEEN '2024-05-08' AND '2024-05-20' 
 AND search_type = 'WEB'
  GROUP BY 
  url
), 
period2 AS (
 SELECT 
  url,
  SUM(clicks) AS clicks,
  SUM(impressions) AS impressions,
  IFNULL(SUM(sum_position) / NULLIF(SUM(impressions), 0), 0) AS avg_position
 FROM 
  `use_your_bigquery_projectname.searchconsole.searchdata_url_impression`
  WHERE 
  data_date BETWEEN '2024-04-18' AND '2024-04-30'
 AND search_type = 'WEB'
 GROUP BY 
 url
),
comparison AS (
 SELECT
  COALESCE(p1.url, p2.url) AS url,
  IFNULL(p1.clicks, 0) AS clicks_period1,
  IFNULL(p2.clicks, 0) AS clicks_period2,
  IFNULL(p1.impressions, 0) AS impressions_period1,
  IFNULL(p2.impressions, 0) AS impressions_period2,
  IFNULL(p1.avg_position, 0) AS avg_position_period1,
  IFNULL(p2.avg_position, 0) AS avg_position_period2,
  IFNULL(p1.clicks, 0) - IFNULL(p2.clicks, 0) AS clicks_diff,
  IFNULL(p1.impressions, 0) - IFNULL(p2.impressions, 0) AS impressions_diff,
  IFNULL(p1.avg_position, 0) - IFNULL(p2.avg_position, 0) AS avg_position_diff
 FROM
  period1 p1
 FULL OUTER JOIN
   period2 p2
 ON
  p1.url = p2.url
)
SELECT 
 url,
 clicks_period1,
 clicks_period2,
 clicks_diff,
 impressions_period1,
 impressions_period2,
 impressions_diff,
 avg_position_period1,
 avg_position_period2,
 avg_position_diff
FROM 
 comparison
ORDER BY 
 url;

Now, run it and enjoy the data either by exporting it into the CSV or Google Sheets.

How to run SQL in BigQueryHow to run SQL in BigQuery.

In case you have millions of URLs, you may not be able to work in Google Sheets or CSV export because the data is too big. Plus, those apps have limitations on how many rows you can have in a single document. In that case, you can save results as a BigQuery table and connect to it with Looker Studio to view the data.

But please remember that BigQuery is a freemium service. It is free up to 1 TB of processed query data a month. Once you exceed that limit, your credit card will be automatically charged based on your usage.

That means if you connect your BigQuery to Looker Studio and browse your data there, it will count against your billing every time you open your Looker dashboard.

That is why, when exports have a few tens of thousands or hundreds of thousands of rows, I like using Google Sheets. I can easily connect it to Looker Studio for data visualization and blending, and this will not count against my billing.

If you have ChatGPT Plus, you can simply use this custom GPT I’ve made, which takes into account table schemas for GA4 and Search Console. In the above guide, I assumed you were using the free version, and it illustrated how you can use ChatGPT overall for running BigQuery.

In case you want to know what is in that custom GPT, here is the screenshot of the backend.

Custom GPT with bigQuery table schemasCustom GPT with BigQuery table schemas.

Nothing complicated – you just need to copy tables from BigQuery as JSON in the step explained above and upload them into the custom GPT so it can refer to the table structure. Additionally, there is a prompt that asks GPT to refer to the JSON files attached when composing queries.

This is another illustration of how you can use ChatGPT to perform tasks more effectively, eliminating repetitive tasks.

If you need to work with another dataset (different from GA4 or GSC) and you don’t know SQL, you can upload the table schema from BigQuery into ChatGPT and compose SQLs specific to that table structure. Easy, isn’t it?

As homework, I suggest you analyze which queries have been affected by AI Overviews.

There is no differentiator in the Google Search Console table to do that, but you can run a query to see which pages didn’t lose ranking but had a significant CTR drop after May 14, 2024, when Google introduced AI Overviews.

You can compare the two-week period after May 14th with the two weeks prior. There is still a possibility that the CTR drop happened because of other search features, like a competitor getting a Featured Snippet, but you should find enough valid cases where your clicks were affected by AI Overviews (formerly Search Generative Experience or “SGE”).

2. How To Combine Search Traffic Data With Engagement Metrics From GA4 

When analyzing search traffic, it is vital to understand how much users engage with content because user engagement signals are ranking factors. Please note that I don’t mean the exact metrics defined in GA4.

However, GA4’s engagement metrics – such as “average engagement time per session,” which is the average time your website was in focus in a user’s browser – may hint at whether your articles are good enough for users to read.

If it is too low, it means your blog pages may have an issue, and users don’t read them.

If you combine that metric with Search Console data, you may find that pages with low rankings also have a low average engagement time per session.

Please note that GA4 and GSC have different attribution models. GA4 uses last data-driven or last-click attribution models, which means if one visits from Google to an article page once and then comes back directly two more times, GA4 may attribute all three visits to Google, whereas GSC will report only one.

So, it is not 100% accurate and may not be suitable for corporate reporting, but having engagement metrics from GA4 alongside GSC data provides valuable information to analyze your rankings’ correlations with engagement.

Using ChatGPT with BigQuery requires a little preparation. Before we jump into the prompt, I suggest you read how GA4 tables are structured, as it is not as simple as GSC’s tables.

It has an event_params column, which has a record type and contains dimensions like page_location, ga_session_id, and engagement_time_msec.  It tracks how long a user actively engages with your website.

event_params key engagement_time_msec is not the total time on the site but the time spent on specific interactions (like clicking or scrolling), when each interaction adds a new piece of engagement time. It is like adding up all the little moments when users are actively using your website or app.

Therefore, if we sum that metric and average it across sessions for the pages, we obtain the average engagement time per session.

Now, once you understand engagement_time_msec , let’s ask ChatGPT to help us construct a query that pulls GA4 “average engagement time per session” for each URL and combines it with GSC search performance data of articles.

The prompt I would use is:

Imagine you are a data analyst experienced in Google Analytics 4 (GA4), Google Search Console, SQL, and BigQuery.
Compose a SQL query that pulls the following data from Google Search Console for each URL for the previous 7 days, excluding the current day:

1. Clicks,
2. Impressions,
3. Average position (calculated as the sum of positions divided by the sum of impressions).

From GA4 BigQuery table unnest from event_params ga_session_id, engagement_time_msec and page_location.
Select only rows which have engagement_time_msec set as not null group all sessions with the same IDs and page_location and SUM engagement_time_msec and devides to SUM of sessions number 

Join GA4 and Google Search Console data by URLs for the same period. 
Additonally Optimize the query to pull from GA4's table partitions and not query the entire table.

Details:
1. BigQuery project name: use_your_bigquery_projectname 
2. GA4 dataset name: use_your_ga4_bigquery_dataset_name
3. GA4 table name: use_your_ga4_bigquery_table_name_under_dataset
3. Google Search Console dataset name: use_your_gsc_bigquery_table_name_under_dataset
3. Google Search Console table name: use_your_gsc_bigquery_table_name_under_dataset
4. Here is BigQuery tables schemas for GA4: [copy table schema here]
5. Here is BigQuery tables schemas for Google Search Console: [copy table schema here]


Once I copied and pasted into BigQuery, it gave me results with “average engagement time per session” being all nulls. So, apparently, ChatGPT needs more context and guidance on how GA4 works.

I’ve helped to provide additional knowledge as a follow-up question from GA4’s official documentation on how it calculates engagement_time_msec. I copied and pasted the document into the follow-up prompt and asked to refer to that knowledge when composing the query, which helped. (If you get any syntax error, just copy/paste it as a follow-up question and ask to fix it.)

As a result of 15 minutes of effort, I got the right SQL:


WITH
-- Step 1: Filter GA4 data for the last 7 days and unnest event_params
ga4_data AS (
  SELECT
    event_date,
    event_timestamp,
    (SELECT value.int_value FROM UNNEST(event_params) WHERE key = 'ga_session_id') AS ga_session_id,
    (SELECT value.int_value FROM UNNEST(event_params) WHERE key = 'engagement_time_msec') AS engagement_time_msec,
    (SELECT value.string_value FROM UNNEST(event_params) WHERE key = 'page_location') AS page_location
  FROM
    `your_bq_project_name.your_bq_ga4_dataset.events_*`
  WHERE
     _TABLE_SUFFIX BETWEEN FORMAT_DATE('%Y%m%d', DATE_SUB(CURRENT_DATE(), INTERVAL 8 DAY))
    AND FORMAT_DATE('%Y%m%d', DATE_SUB(CURRENT_DATE(), INTERVAL 1 DAY))
    AND (SELECT value.int_value FROM UNNEST(event_params) WHERE key = 'engagement_time_msec') IS NOT NULL
),

-- Step 2: Aggregate GA4 data by session ID and page location
aggregated_ga4_data AS (
  SELECT
    page_location,
    SUM(engagement_time_msec/1000) / NULLIF(COUNT(DISTINCT ga_session_id), 0) AS avg_engagement_time_msec
  FROM
    ga4_data
  GROUP BY
    page_location
),
-- Step 3: Filter GSC data for the last 7 days and select urls which had clicks
gsc_data AS (
  SELECT
    url,
    SUM(clicks) AS clicks,
    SUM(impressions) AS impressions,
    SUM(sum_position) / SUM(impressions) AS avg_position
  FROM
    `your_bq_project_name.searchconsole.searchdata_url_impression`
  WHERE
    data_date BETWEEN DATE_SUB(CURRENT_DATE(), INTERVAL 8 DAY) AND DATE_SUB(CURRENT_DATE(), INTERVAL 1 DAY)
    and 
    clicks > 0
  GROUP BY
    url
)

-- Joining Google Search Console data with GA4 data by page_location and url 
SELECT
  gsc.url,
  gsc.clicks,
  gsc.impressions,
  gsc.avg_position,
  ga4.avg_engagement_time_msec
FROM
  gsc_data AS gsc
LEFT JOIN
  aggregated_ga4_data AS ga4
ON
  gsc.url = ga4.page_location
ORDER BY
  gsc.clicks DESC;

This pulls GSC data with engagement metrics from GA4.

Search Console combined data with GA4Search Console combined data with GA4

Please note that you might notice discrepancies between the numbers in the GA4 UI and the data queried from BigQuery tables.

This happens because GA4 focuses on “Active Users” and groups rare data points into an “(other)” category, while BigQuery shows all raw data. GA4 also uses modeled data for gaps when consent isn’t given, which BigQuery doesn’t include.

Additionally, GA4 may sample data for quicker reports, whereas BigQuery includes all data. These variations mean GA4 offers a quick overview, while BigQuery provides detailed analysis. Learn a more detailed explanation of why this happens in this article.

Perhaps you may try modifying queries to include only active users to bring results one step closer to GA4 UI.

Alternatively, you can use Looker Studio to blend data, but it has limitations with very large datasets. BigQuery offers scalability by processing terabytes of data efficiently, making it ideal for large-scale SEO reports and detailed analyses.

Its advanced SQL capabilities allow complex queries for deeper insights that Looker Studio or other dashboarding tools cannot match.

Conclusion

Using ChatGPT’s coding abilities to compose BigQuery queries for your reporting needs elevates you and opens new horizons where you can combine multiple sources of data.

This demonstrates how ChatGPT can streamline complex data analysis tasks, enabling you to focus on strategic decision-making.

At the same time, these examples taught us that humans absolutely need to operate AI chatbots because they may hallucinate or produce wrong answers.

More resources: 


Featured Image: NicoElNino/Shutterstock

Google’s AI Overviews Go Viral, Draw Mainstream Media Scrutiny via @sejournal, @MattGSouthern

Google’s rollout of AI-generated overviews in US search results is taking a disastrous turn, with mainstream media outlets like The New York Times, BBC, and CNBC reporting on numerous inaccuracies and bizarre responses.

On social media, users are sharing endless examples of the feature’s nonsensical and sometimes dangerous output.

From recommending non-toxic glue on pizza to suggesting that eating rocks provides nutritional benefits, the blunders would be amusing if they weren’t so alarming.

Mainstream Media Coverage

As reported by The New York Times, Google’s AI overviews struggle with basic facts, claiming that Barack Obama was the first Muslim president of the United States and stating that Andrew Jackson graduated from college in 2005.

These errors undermine trust in Google’s search engine, which more than two billion people rely on for authoritative information worldwide.

Manual Removal & System Refinements

As reported by The Verge, Google is now scrambling to remove the bizarre AI-generated responses and improve its systems manually.

A Google spokesperson confirmed that the company is taking “swift action” to remove problematic responses and using the examples to refine its AI overview feature.

Google’s Rush To AI Integration

The flawed rollout of AI overviews isn’t an isolated incident for Google.

As CNBC notes in its report, Google made several missteps in a rush to integrate AI into its products.

In February, Google was forced to pause its Gemini chatbot after it generated inaccurate images of historical figures and refused to depict white people in most instances.

Before that, the company’s Bard chatbot faced ridicule for sharing incorrect information about outer space, leading to a $100 billion drop in Google’s market value.

Despite these setbacks, industry experts cited by The New York Times suggest that Google has little choice but to continue advancing AI integration to remain competitive.

However, the challenges of taming large language models, which ingest false information and satirical posts, are now more apparent.

The Debate Over AI In Search

The controversy surrounding AI overviews adds fuel to the debate over the risks and limitations of AI.

While the technology holds potential, these missteps remind everyone that more testing is needed before unleashing it on the public.

The BBC notes that Google’s rivals face similar backlash over their attempts to cram more AI tools into their consumer-facing products.

The UK’s data watchdog is investigating Microsoft after it announced a feature that would take continuous screenshots of users’ online activity.

At the same time, actress Scarlett Johansson criticized OpenAI for using a voice likened to her own without permission.

What This Means For Websites & SEO Professionals

Mainstream media coverage of Google’s erroneous AI overviews brings the issue of declining search quality to public attention.

As the company works to address inaccuracies, the incident serves as a cautionary tale for the entire industry.

Important takeaway: Prioritize responsible use of AI technology to ensure the benefits outweigh its risks.

New Google Lens Ads Mimic AI Search Results via @sejournal, @martinibuster

A keynote at Google’s Marketing Live event showed a new AI-powered visual search results that feature advertisements that engage users within the context of an AI-Assisted search, blurring the line between AI-generated search results and advertisements.

Google Lens is a truly helpful app but it becomes unconventional where it blurs the line between an assistant helping users and being led to a shopping cart. This new way of engaging potential customers with AI is so far out there that the presenter doesn’t even call it advertising, he doesn’t even use the word.

Visual Search Traffic Opportunity?

Google’s Group Product Manager Sylvanus Bent, begins the presentation with an overview of the next version of Google Lens visual search that will be useful for surfacing information and for help finding where to buy them.

Sylvanus explained how it will be an opportunity for websites to receive traffic from this new way to search.

“…whether you’re snapping a photo with lens or circling to search something on your social feed, visual search unlocks new ways to explore whatever catches your eye, and we recently announced a newly redesigned results page for Visual search.

Soon, instead of just visual matches, you’ll see a wide range of results, from images to video, web links, and facts about the knowledge graph. It gets people the helpful information they need and creates new opportunities for sites to be discovered.”

It’s hard to say whether or not this will bring search traffic to websites and what the quality of that traffic will be. Will they stick around to read an article? Will they engage with a product review?

Visual Search Results

Sylvanus shares a hypothetical example of someone at an airport baggage claim who falls in like with someone else’s bag. He explains that all the person needs to do is snap a photo of the luggage bag and Google Lens will take them directly to shopping options.

Screenshot Of Shopping Ads ad the top of a Google Lens visual search

He explains:

“No words, no problem. Just open Lens, take a quick picture and immediately you’ll see options to purchase.

And for the first time, shopping ads will appear at the very top of the results on linked searches, where a business can offer what a consumer is looking for.

This will help them easily purchase something that catches their eye.”

These are image-heavy shopping ads at the top of the search results and as annoying as that may be it’s nowhere near the “next level” advertising that is coming to Google’s new version of visual search where Google presents a paid promotion within the context of an AI Assistant.

Interactive Search Shopping

Sylvanus next describes an AI-powered form advertising that happens directly within search. But he doesn’t call it advertising. He doesn’t even use the word advertising. He suggests this new form of AI search experience is more than offer, saying that, “it’s an experience.”

He’s right to not use the word advertisement because what he describes goes far beyond advertising and blurs the boundaries between search and advertising within the context of AI-powered suggestions, paid suggestions.

Sylvanus explains how this new form of shopping experience works:

“And next, imagine a world where every search ad is more than an offer. It’s an experience. It’s a new way for you to engage more directly with your customers. And we’re exploring search ads with AI powered recommendations across different verticals. So I want to show you an example that’s going live soon and you’ll see even more when we get to shopping.”

He uses the example of someone who needs to store their furniture for a few months and who turns to Google to find short term storage. What he describes is a query for local short term storage that turns into a “dynamic ad experience” that leads the searcher into throwing packing supplies into their shopping cart.

He narrated how it works:

“You search for short term storage and you see an ad for extra space storage. Now you can click into a new dynamic ad experience.

You can select and upload photos of the different rooms in your house, showing how much furniture you have, and then extra space storage with help from Google, AI generates a description of all your belongings for you to verify. You get a recommendation for the right size and type of storage unit and even how much packing supplies you need to get the job done. Then you just go to the website to complete the transaction.

And this is taking the definition of a helpful ad to the next level. It does everything but physically pick up your stuff and move it, and that is cool.”

Step 1: Search For Short Term Storage

The above screenshot shows an advertisement that when clicked takes the user to what looks like an AI-assisted search but is really an interactive advertisement.

Step 2: Upload Photos For “AI Assistance”

The above image is a screenshot of an advertisement that is presented in the context of AI-assisted search.  Masking an advertisement within a different context is the same principal behind an advertorial where an advertisement is hidden in the form of an article. The phrases “Let AI do the heavy lifting” and “AI-powered recommendations” create the context of AI-search that masks the true context of an advertisement.

Step 3: Images Chosen For Uploading

The above screenshot shows how a user uploads an image to the AI-powered advertisement within the context of an AI-powered search app.

The Word “App” Masks That This Is An Ad

Screenshot of interactive advertisement for that identifies itself as an app with the words

Above is a screenshot of how a user uploads a photo to the AI-powered interactive advertisement within the context of a visual search engine, using the word “app” to further the illusion that the user is interacting with an app and not an advertisement.

Upload Process Masks The Advertising Context

Screenshot of interactive advertisement that uses the context of an AI Assistant to mask that this is an advertisement

The phrase “Generative AI is experimental” contributes to the illusion that this is an AI-assisted search.

Step 4: Upload Confirmation

In step 4 the “app” advertisement is for confirming that the AI correctly identified the furniture that needs to be put into storage.

Step 5: AI “Recommendations”

The above screenshot shows “AI recommendations” that look like search results.

The Recommendations Are Ad Units

Those recommendations are actually ad units that when clicked takes the user to the “Extra Space Storage” shopping website.

Step 6: Searcher Visits Advertiser Website

Blurring The Boundaries

What the Google keynote speaker describes is the integration of paid product suggestions into an AI assisted search. This kind of advertising is so far out there that the Googler doesn’t even call it advertising and rightfully so because what this does is blur the line between AI assisted search and advertising. At what point does a helpful AI search become just a platform for using AI to offer paid suggestions?

Watch The Keynote At The 32 Minute Mark

Featured Image by Shutterstock/Ljupco Smokovski

Google To Prioritize AI Overviews Ads Over Organic Search via @sejournal, @martinibuster

Speakers at Google’s Marketing Live event demonstrated how they will utilize user search queries and AI Overviews content to show interactive shopping ads that will push organic search results even lower, stating that Google is “focused on opening up new opportunities for your business.

Google: We’re Not Building A Better Search Engine

The first speaker, Philipp Schindler, SVP & Chief Business Officer at Google, said out loud what Googlers normally don’t when he said that the purpose of search results is to show advertising.

He made the remark in the context of a new AI video tool that will help YouTube creators make more content.

At the 18:19 minute mark of the event, Schindler boasted:

“We’ve been collaborating with some really talented film makers, musicians and artists, and the results have been simply incredible. Soon we’ll bring video to shorts, opening up a whole new world of creative possibilities for you and your brands. Just imagine every creator with the power of AI in their pocket.

So what does all of this mean for you? More creators creating more quality content attracts more viewers, which means more reach, engagement and ROI for you. We’re not just building a better search engine or a better YouTube. We’re focused on opening up new opportunities for your business.”

Screenshot Of Google Marketing Event

The statement that Google is using AI Overviews and Search to build reach and ROI for advertisers is not the only one. The next two speakers made the same point.

Search And Shopping Ads In AI Overviews

The next speaker was Vidhya Srinivasan, VP/GM, Advertising at Google. She begins by describing how search experiences will drive traffic to websites. Then quickly switches gear to show how interactive advertising will push organic search listings literally beyond the view of users who are making the search queries.

At the 30 minute mark of the video, Srinivasan explained:

“AI overviews will appear in search results when they are particularly helpful beyond what search offers today. As we continue to test and evolve the search experience, we are going to stay super focused on sending valuable traffic to publishers and creators. But then, more avenues for user exploration leads to more choice and more choice leads to more opportunities for advertisers.

You may have noticed that we already show ads above and below AI overviews. These ads are matched to the user’s search query. We will now start testing, Search and Shopping ads ads in AI overviews for users in the US.

What is also new with this is we are going to match these ads not just to the query context, but also to the information within the AI Overviews. And, as always, ads will be clearly labeled.”

1. AI Overviews – No Organic Listings

2. Scroll Down For Shopping Ads

She next went on to describe an example of wrinkled clothes while traveling and turning to Google Search to find ways to prevent the wrinkles. She shows a search activity for travel hacks and shows how organic search results are pushed beneath the AI Overviews feature and new Search and Shopping ads that contain product images and pop out far more than any search results do.

She explained how the new AI Overviews shopping ads will be there to convert searchers:

“With the AI overview, I quickly found some common travel hacks that sounded promising. As I browsed the many options that showed up, I found a really nice fix, a wrinkle release spray that I’d never heard of before. So perfect. I want to try that.

Now, with this feature, I can just click on this ad right away, right there, and buy it.

So as you can see, we’re just making it easier and faster for consumers so that they can take action right away. So this is just one example of how we are using Gen AI. There are many more, and we’re going to start with more applications in search ads.”

3. Targeted Ads Based On AI Overviews

Google Search Is The Bait

Google search engineers are using the most advanced technology and data to create the most useful search results of any time in Google’s history, this is the best it’s ever been. But according to the people who are really in charge at Google, the purpose of Search is not “to organize the world’s information and make it universally accessible and useful” but to build more “reach, engagement and ROI” for advertisers. Sam Altman was right to call what Google is doing dystopian.

SEOs Were Social Engineered

Social engineering is the management of people’s behavior in order to get them to perform a certain way.  Google got a huge chunk of the web ecosystem bought into concepts like Core Web Vitals and also Experience, Expertise, Authoritativeness and Trustworthiness in order to satisfy users that Google apparently never intended for them.

It’s not the fault of the Googlers who put their hearts into perfecting search. They do a good job. But it’s clear that Google’s mission is no longer to make information accessible and useful. Perhaps what can only feel like a dystopian horror, Google succeeded in social-engineering the search community and publishers to focus on creating  helpful content so that those on the advertising side can use it to build more ROI for advertisers.

It’s not just SEOs and publishers that were used for the benefit of advertisers.

Watch the Google Marketing Live Keynote 2024

Featured Image by Shutterstock/pikselstock

7 Ways AI Took My Job [To The Next Level] via @sejournal, @CallRail

With AI-powered call attribution, you can gain valuable insights into which channels are driving the most conversions.

How Call Attribution Works

  • Step 1: Assign – Select unique call tracking numbers to assign to each campaign or listing.
  • Step 2: Track – Potential customers see your ad or listing and call the associated phone number.
  • Step 3: Forward –The calls ring directly into your main business phone, regardless of which number they use.
  • Step 4: Analyze – Because they used one of your tracking numbers, you instantly know which ad or campaign inspired them to call.

With AI-powered call tracking, gone are the days of wondering how your digital marketing efforts are tied to high-value inbound calls.

For agencies, this helps prove the real value of your services and extend the life of your client relationships.

2. AI Can Help You Save Time On Manually Reviewing Calls

Listening to and analyzing phone calls manually can be time-consuming and inefficient for agencies.

However, it’s an important part of understanding the customer experience and sales team performance.

With AI-powered call analysis tools, you get quality, keyword-tagged transcriptions with near-human-level accuracy.

Not only can this technology help you save over 50% of the time spent listening to phone calls, but it can also help you deliver actionable recommendations to clients and drive better results.

Conversation Intelligence, for instance, is trained on over 1.1M hours of voice data and enables real-time analysis for instantaneous results.

This advanced tool provides opportunities for you to improve your strategy through the following granular insights:

  • Spotting disparities in the industry-specific lingo your sales team uses, compared to the lingo your prospects are using to describe their business challenges and goals.
  • Identifying trends or gaps in your service offerings based on what your prospects are asking for.
  • Identifying frequently asked questions and other important topics to address through content marketing.
  • Setting goals for lead qualification — not just the quantity of leads generated for your business.

Conversational AI is perfectly suited to summarize the content of long conversations – however, the call summaries still require a human to read them and determine the main takeaways.

But if you work in a bustling small business, it’s unlikely you’d have the bandwidth for tasks such as call transcription, summaries, keyword spotting, or trend analysis.

Rather than displacing human labor, conversational AI is assisting businesses in taking on tasks that may have been overlooked and leveraging data that would otherwise remain untapped.

3. AI Can Help You Lower Cost Per Lead / Save Money On Tools & Ad Spend

Ever wonder why certain campaigns take off while others fall flat? It’s all in the data!

Even failed campaigns can offer invaluable insights into your client’s audience and messaging.

But if you can’t spot the underperformers quickly enough, you risk wasting your ad budget on ineffective tactics.

The quicker you can identify what’s working and what’s not, the quicker you can pivot and adjust your marketing strategy.

With AI-powered tools, agencies can access instant insights that enable them to reduce wasteful spending and improve overall campaign efficiency.

How To Deliver More Value With AI

  • Make a bigger impact in less time: AI-powered technology creates a force multiplier within your agency, allowing you to make more of an impact with the same level of inputs you’re already using.
  • Unlock actionable insights from call data: AI is revolutionizing the way companies leverage call data by enabling them to gain insights at scale. As a result, businesses can increase their ROI and deliver greater value to their clients by analyzing hundreds of calls efficiently.
  • Foster alignment with data-driven strategies: By analyzing customer conversations with AI, businesses can align their marketing strategy with data-driven recommendations, enhancing overall coherence. Additionally, the ability to create triggers based on specific phrases enables automated analysis and reporting, further streamlining the alignment process.
  • Drive effectiveness with rapid insights: Leveraging Conversation Intelligence enables agencies to deliver better insights faster, increase conversion rates, refine keyword strategies, and develop robust reporting capabilities.

With the right AI-powered tools, you can access the insights you need to ensure maximum ROI for your clients.

4. AI Can Help You Improve Overall Agency Efficiency

Are you spending too much valuable time on tasks that produce minimal results?

Many agencies find themselves bogged down by routine, administrative tasks that don’t contribute much to their bottom line.

But with AI automation, agencies can streamline their operations and redirect their energy towards more strategic endeavors.

From email scheduling and social media posting to data entry and report generation, AI can handle a wide array of tasks with precision and efficiency – giving you time to focus on high-impact activities that drive growth and deliver tangible results.

Ways Your Business Can Benefit From Automation

  1. Automatically transcribe your calls to boost close rates: See how your team is handling difficult objections and ensure that they’re delivering your businessʼ value proposition in an effective manner.
  2. Score calls based on quality and opportunity: Take the time-consuming work out of scoring your calls and determine which campaigns drive the best calls to your business.
  3. Classify calls by your set criteria: Qualify, score, tag, or assign a value to the leads that meet your criteria, automatically.
  4. Automatically redact sensitive information: Protect your customers by removing billing or personal information. Keep your data safe and secure through complete HIPAA compliance.
  5. Monitor your teamsʼ performance: Use Conversation Intelligence as a valuable sales training tool to ensure your team doesn’t miss any key messaging marks.
  6. Know your customersʼ needs: Identify conversation trends in your phone calls and stay privy to evolving customer needs.
  7. Improve your digital marketing strategy: Use AI-powered insights to inform your digital marketing strategy and boost your online presence.

By automating mundane tasks, agencies can optimize workflows, increase productivity, and improve efficiency across the board.

Looking for 5 – 7? Download The Full Guide

Rather than fearing AI, the future belongs to those who embrace it.

By strategically combining human creativity with artificial intelligence, you can unlock capabilities that transcend what either could achieve alone.

Want to discover even more ways to level up your agency with AI?

Get the full guide here.

Google’s AI Vision Driven By Panic, Not User Needs: Former Product Manager via @sejournal, @MattGSouthern

A 16-year Google veteran is raising concerns about the company’s current focus on AI, labeling it a “panic reaction” driven by fear of falling behind competitors.

Scott Jenson, who left Google last month, took to LinkedIn to critique the tech giant’s AI projects as “poorly motivated and driven by this mindless panic that as long as it had ‘AI’ in it, it would be great.”

Veteran’s Criticism Of Google’s AI Focus

Jenson stated that Google’s vision of creating an AI assistant for its ecosystem is “pure catnip” fueled by the fear of letting someone else get there first.

He parallels the ill-fated Google+ product, which he calls a “similar hysterical reaction” to Facebook’s rise.

Jenson wrote:

“This exact thing happened 13 years ago with Google+ (I was there for that fiasco as well). That was a similar hysterical reaction but to Facebook.”

Lack Of User-Driven Motivation

Jenson argues that Google’s strategy lacks motivation driven by genuine user needs, a sentiment echoed by a recent Gizmodo article that described this year’s Google I/O developer conference as “the most boring ever.”

The article, which Jenson linked to in his post, criticized Google for failing to clarify how Gemini’s new AI technology would integrate into its existing products and enhance the user experience.

See Jenson’s full post below:

Can You Turn Off Google’s AI Overviews?

One prime example of Google’s AI overreach is the AI overviews feature, which generates summaries to directly answer search queries by ingesting information from across the web.

This controversial move has sparked legal battles, with publishers accusing Google of violating intellectual property rights and unfairly profiting from their content without permission.

Turning Off AI Overviews

While Google doesn’t provide an official setting to turn off AI overviews, a viral article from Tom’s Hardware suggests using browser extensions.

Alternatively, you can configure Chrome to go directly to web search results, bypassing the AI-generated overviews.

Here are the steps:

  • Open Chrome settings by clicking the three dots in the top-right corner and selecting “Settings” from the menu.
  • In the Settings window, click on the “Search Engine” tab on the left side.
  • Under the “Search Engine” section, click “Manage search engines and site search.”
  • Scroll down to the “Site search” area and click “Add” to create a new entry.

In the new entry, enter the following details:

  • Name: Google (Web)
  • Shortcut: www.google.com
  • URL: {google:baseURL}/search?udm=14&q=%s
  • Click “Add
Screenshot from: chrome://settings/searchEngines, May 2024.

Lastly, click the three dots next to the new “Google (Web)” entry and select “Make default.”

Screenshot from: chrome://settings/searchEngines, May 2024.

After following these steps, Chrome will now default to showing regular web search results instead of the AI overview summaries when you perform searches from the address bar.

Tensions Over Data Usage

The controversy surrounding AI overviews creates tension between tech companies and content creators over using online data for AI training.

Publishers argue that Google’s AI summaries could siphon website traffic, threatening independent creators’ revenue streams, which rely on search referrals.

The debate reflects the need for updated frameworks to balance innovation and fair compensation for content creators, maintaining a sustainable open internet ecosystem.


FAQ

What concerns has Scott Jenson raised about Google’s AI focus?

Scott Jenson, a former Google product manager, has expressed concerns that Google’s current AI focus is more of a “panic reaction” to stay ahead of competitors rather than addressing user needs. He critiques Google’s AI initiatives as poorly motivated and driven by a fear of letting others get ahead.

How does Scott Jenson compare Google’s AI strategy to past projects?

Jenson parallels Google’s current AI focus and the company’s response to Facebook years ago with Google+. He describes both as “hysterical reactions” driven by competition, which, in the case of Google+, resulted in a product that failed to meet its objectives.

Why are content creators concerned about Google’s AI overviews?

Content creators worry that Google’s AI overviews, which generate summaries by ingesting web content, could reduce site traffic. They argue that this practice is unfair as it uses their content without permission and impacts their revenue streams that rely on search referrals.

How can users turn off Google’s AI overviews in Chrome?

Although no official setting exists to disable AI overviews, users can use a workaround by enabling a specific Chrome setting.

Here are the steps:

  • Open Chrome settings by clicking the three dots in the top-right corner and selecting “Settings” from the menu.
  • In the Settings window, click on the “Search Engine” tab on the left side.
  • Under the “Search Engine” section, click “Manage search engines and site search.”
  • Scroll down to the “Site search” area and click “Add” to create a new entry.

In the new entry, enter the following details:

    • Name: Google (Web)
    • Shortcut: www.google.com
    • URL: {google:baseURL}/search?udm=14&q=%s
    • Click “Add

This will force Chrome to skip AI-generated overviews and show the classic list of web links.


Featured Image: Sira Anamwong/Shutterstock

Using AI Ethically In SEO via @sejournal, @wburton27

AI can help brands and marketers be more efficient and productive and do things quicker, but it is not perfect and does have some drawbacks.

With the rise and adoption of AI into SEO workflows, processes, and tools, SEO pros must take an ethical approach to artificial intelligence.

What exactly does an ethical approach to AI mean?

An ethical approach involves using AI technologies transparently, fairly, and responsibly while respecting user privacy and ensuring the accuracy and integrity of information.

We are all aware that using AI is imperfect and can be full of inaccurate, biased, fluffy information, etc., which can cause many problems for agencies and marketers that rely on AI to create content.

With the March core update, sites that use AI content that was not edited, original, or helpful lost a substantial portion of organic traffic.

Here are some ways we can use AI to be more ethical.

Be Transparent And Provide Disclosure

Do not use generative AI to create content for publishing. If you use generative AI in parts of your process, you should be fully transparent to the brands you work with about how you use AI in your SEO practices.

Maintain Accuracy And Integrity

If you’re going to use AI, you should take a human-led approach to writing long-form content. Humans should always do the content creation, but AI can be helpful for brainstorming, organizing, rewording, transcription, and reworking content. In each case, outputs must be checked for originality using Copyscape or the tool of your choice.

Additionally, the information must be trustworthy and accurate. With the HCU being incorporated into the March core update, it’s more important than ever to focus on people-first content rather than content that is not helpful, useful, or satisfying the end user’s intent.

Be Original and Useful

With Google focusing on a good user and people-first content experience, we should not rely on AI content because of the inadequacy in training data, and a lack of originality. AI could be great for compiling a list of notes from people with first-hand experience and pulling them into a cohesive article, for example, but not to produce the list and facts, even with fact-checking.

Follow Compliance With Search Engine Guidelines

It’s imperative that we follow search engine guidelines and ethical standards.

AI should not be used to engage in practices like keyword stuffing, cloaking, or creating doorway pages. Instead, it should support the creation of high-quality and useful content.

Take a look at Google AI Principles – Google AI.

Promote Positive Impact

Ethically using AI in SEO also means considering the broader impact on society. This entails promoting trustworthy, useful content that contributes positively to users’ knowledge and well-being.

Develop Safely & Respect Privacy

If you build your own tools and platforms with AI, ensure you have strong security protocols and practices to prevent causing any harm.

Always assess your technologies before launching them into the production environment to ensure they are safe and secure. Ensure to continue monitoring it after it is released to the general public.

LLMs are not secure. It may be necessary to get legal advice before implementing certain types of AI, like generative AI, in processes that include user/customer information. Updating a privacy policy may not be enough.

Never put proprietary and confidential information into a generative AI chatbot like ChatGPT.  Most LLMs save all user inputs and the information could be used to generate responses to other users.

Respect Intellectual Property & Originality

One of the biggest issues with AI is intellectual property (IP). If I create some content using ChatGPT, who owns it?

We need to ensure that when AI recommends content, it is original and not taken from anywhere else. This can be problematic because some AI platforms don’t list the source of the information unless you specify chatbots to do so.

ChatGPT can tell you where the content sources are coming from if you list them in your prompt. For example, I asked ChatGPT to write me a 750-word blog post on the top things to do in NY and list the sources, and it did.

 listing top sightseeing spots in new york city with descriptions, hyperlinks, and a dialog boxScreenshot from ChatGPT, April 2024

If you’re getting some information from ChatGPT, you need to credit the source and ensure they’re not copying other people’s content. Also, setting clear rules for using AI in making content can help avoid legal problems and ensure you’re fair and honest.

I checked the content that I created in ChatGPT, and according to Copyscape, it is full of similar text.

Screenshot of a web search page displaying results for historic public parks in new york city. the results highlight multiple links and brief summaries about parks like the high line and hamilton park.

Screenshot from Copyscape, April 2024

Note: Please keep in mind that asking LLMs to cite sources doesn’t guarantee you’re citing the right content or that the content is original. The best and safest way to avoid accidental plagiarism is for humans to do the research and write the content.

Google Is Not About Content That Is Artificial And Lacking In Originality

With the rapid growth of AI-based tools entering the market and AI being incorporated into a lot of platforms and being used in daily SEO tasks,  it is extremely important for us to adhere to ethical AI principles to ensure that the use of AI in SEO supports a fair, equitable, and user-focused search ecosystem.

Google has always been about quality and original content that offers value to end users and not content that is fully artificial, offers no value, lacks trust, is thin, duplicate, lacks originality, etc.

In order to compete in today’s competitive and ever-changing SERPs, focusing on improving E-E-A-T is more important than ever before because it is a quality signal that shows Google and end users that you’re the subject matter expert and authority in your niche.

It’s highly recommended to have thought leaders and experts in your niche create your content and show their expertise on your site.

Additionally, it’s important to focus on user experience and ensure that your site loads quickly, is easy to navigate, and helps users find exactly what they came to your site for.

More resources: 


Featured Image: aniqpixel/Shutterstock

As Chatbots And AI Search Engines Converge: Key Strategies For SEO

A lot is happening in the world of search right now, and for many, keeping pace with these changes can be overwhelming.

The rise of chatbots and AI assistants – like ChatGPT and its new model GPT-4o, along with Google’s rollout of AI Overviews and Search Generative Experience (SGE) – is blurring the lines between chatbots and search engines.

New AI-first entrants, such as Perplexity and You.com, also fragment the search space.

While this causes some confusion and necessitates that marketers pivot and optimize for multiple types of “engines,” it also presents a whole new array of opportunities for SEO pros to optimize for both traditional and AI-driven search engines in a new multisearch universe.

This evolution raises a broader question – perhaps for another day – about redefining what we call SEO to encompass terms like Artificial Intelligence Optimization (AIO) and Generative Engine Optimization (GEO).

Currently, every naming convention seems subject to change, which is something to consider as I write this article.

Either way, this evolution opens up tremendous opportunities for disruption in the overall search landscape.

What Is A Chatbot Or AI Assistant?

chatbot definitionScreenshot from Wikipedia, May 2024

At the most basic level, chatbots use natural language processing (NLP) and large language models (LLMs) that are trained to extract data from online information, sources, and specific datasets. They then classify and fine-tune text and visual outputs based on a user’s prompt or question.

Chatbots are often used within specific applications or platforms, such as customer service websites, messaging apps, or ecommerce sites. They are designed to address specific queries or tasks within these defined contexts.

Right now, we see many crossovers between LLM-based chatbots and search engines. Rapid developments in these areas can cause confusion.

In this article, we’ll focus on the development of AI models in chatbots and their relation to search, with an inferred reference between chatbots and AI assistants.

The Evolution Of Chatbots And AI Models

Since ChatGPT emerged in November 2022, we’ve seen a significant boom in chatbots and AI assistants. Now, generative AI allows users to interact directly with AI and engage in human-like conversations to ask questions and complete various tasks.

For example, these AI tools can assist with SEO tasks, create content, compose emails, write essays, and even handle coding and programming tasks.

As they evolve, chatbots become multimodal (MMLLMs), improving capabilities beyond text to include images, audio, and more.

LLMs and LLMMsImage from 2024 AI Index Report from Stanford University, May 2024

For those interested in digging deeper into these models, the 2024 AI Index Report from Stanford University is a great resource for SEJ readers.

While many chatbots and AI models serve similar purposes, they also have distinct applications and use cases, such as content creation, image generation, and voice recognition.

Here are a few examples with some interesting differentiators and points:

  • ChatGPT: Conversational AI for research, ideation, text, image content, and more.
  • Google Gemini and Gemma: Uses Google’s LLM to connect and find sources within Google.
  • Microsoft Bing: Uses ChatGPT for conversational web search in Bing.
  • Anthropic Claude: Various AI models for content generation, images, and coding.
  • Stability AI: Suite of models and AI assistants for text, image, audio, and coding.
  • Meta Llama3: Utilizes Facebook’s social graph, its own Llama 3 model, and real-time data from Google.
  • Microsoft’s Copilot: AI assistant for business creativity and productivity apps.
  • Amazon LLM and Codewhisperer: Enhances customer and employer experiences.
  • Perplexity AI: Provides quick answers, sources of information, and citations.

Perplexity AI (which I will touch on later in this article) acts more like a search engine than many other chatbots and AI assistants.

Beyond their primary use cases, many companies are making their models available to a wider audience and broader ecosystems, allowing users to customize their own AI assistants.

For example, Amazon’s Bedrock enables AWS customers to use Anthropic and other LLMs, including Amazon’s own model, to create custom AI agents. Companies like Lonely Planet, Coda, and United Airlines are already using it.

On May 13, OpenAI launched its new flagship model, GPT-4. This model is a combination of AI technologies, bringing together what OpenAI calls “text, vision, and audio.” It also opens up access to its application programming interface (API), allowing developers to build their own applications.

All of this convergence has a lot of people wondering.

What’s The Difference Between Chatbots And Search Engines?

The first thing to note is that both chatbots and search engines are designed to provide information.

Search engines and some chatbot models share many similarities, which means their definitions can blur, and the relationships between them converge and collide.

However, at the moment (but it is changing), there is still a distinct difference between the two:

Search Engines

  • Search engines are better for exploring a wide range of topics.
  • They provide diverse perspectives from multiple sources.

Chatbots

  • Chatbots are better for quick answers, task completion, and personalized interactions.
  • They enhance the efficiency of the average searcher, making them much more effective at finding information.
Search engines vs chatbotsImage from author, May 2024

As more overlays and overlaps occur, the definitions of what constitutes a chatbot, an AI assistant, and a search engine may need to be redefined.

How Chatbots And Search Engines Work Together

Conversational search is a key area where search engines increasingly integrate chatbot features to provide a more interactive search experience.

You can ask questions in natural language, and the search engine may respond with direct answers or engage in a dialogue to refine your query.

Chatbots and AI assistants often utilize search engine technology to access information from the web, enhancing their ability to provide accurate and comprehensive answers.

This integration allows chatbots to go beyond their programmed knowledge base and tap into a broader range of information.

Here are a few examples:

  • Google: Integrates its own chatbot features into its search engine through SGE, providing direct answers and engaging in conversational search for some queries.
  • Bing: Incorporates a chatbot called “Bing Chat” that uses ChatGPT, conversational AI, and search technology to answer questions and provide information.
  • YouChat: A search engine that provides conversational responses to queries and allows for follow-up questions.
  • Meta: Utilizes its social graph and Google’s real-time data in its chatbot/AI assistant.
  • Perplexity AI: A chatbot that functions like a search engine, focusing on informational sources, sites, and citations.

These examples illustrate how the lines between chatbots and search engines are blurring. Thousands more instances show this convergence, highlighting the evolving landscape of digital search and AI.

How “Traditional” Search Engines Are Evolving As AI-First Entrants Arrive

The rise of generative AI and chatbots has caused significant upheaval in the traditional search space.

Traditional search engines are evolving into “answer engines.” This transformation is driven by the need to provide users with direct, conversational responses rather than just a list of links.

The line between chatbot engines and AI-led search engines is becoming increasingly blurred.

While AI in search is not a new concept, the introduction of generative AI and chatbots has necessitated a seismic shift in how search engines operate. For the first time, users can interact with AI in a conversational way, prompting giants like Google and Microsoft to adapt.

On May 14 at Google IO, Google announced the roll-out of AI Overviews as it integrates AI features into its search engine. It is also making upgrades to SGE.

The ultimate goal is to enhance its ability to provide direct answers and engage in conversational search. This evolution signifies Google’s commitment to maintaining its leadership in the search space by leveraging AI to meet user expectations.

In a recent interview on Wired Magazine titled It’s the End of Google Search As We Know It, Google Head of Search, Liz Reid, was clear that:

“AI Overviews like this won’t show up for every search result, even if the feature is now becoming more prevalent.”

As my co-founder, Jim Yu, states in the same article:

“The paradigm of search for the last 20 years has been that the search engine pulls a lot of information and gives you the links. Now the search engine does all the searches for you and summarizes the results and gives you a formative opinion.”

Beyond Google, we are seeing a rise in new, AI-driven search engines like Perplexity, You.com, and Brave, which act more like traditional search engines by providing informational sources, sites, and citations.

These platforms leverage generative AI to deliver comprehensive answers and facilitate follow-up questions, challenging the dominance of established players.

Meta is also entering the fray by utilizing its social graph and real-time data from Google in its AI assistant, further contributing to the convergence of search and AI technologies.

At the same time, according to Digiday, TikTok is starting to reward what it calls “search value.”

Going forward, it’s important to remember that people have diverse needs, and we turn to different platforms for specific purposes.

Just as we go to Amazon for products, Yelp for restaurant suggestions, and YouTube for videos, the rise of AI will only amplify this trend. Each search engine will find its niche, leveraging its strengths to cater to particular user requirements.

ChatGPT is an intriguing case that stands out not for its research capabilities but for its prowess in content creation. While it excels in crafting high-quality content, its research functionalities fall short.

Effective research relies on real-time data, which platforms like ChatGPT currently lack. As we move forward, we expect to see search engines specialize even further, each excelling in specific areas based on its unique strengths and features.

What Does It All Mean For Marketers?

This fast-moving landscape and the convergence of search and AI presents both challenges and opportunities for marketers.

Optimizing for one engine is no longer sufficient; it’s essential to target multiple platforms – each with unique users, demographics, and intents.

Here’s how marketers can adapt and thrive in this dynamic environment.

Optimizing For Different Platforms

Google

  • Strength: Dominates the traditional search space with a vast user base and comprehensive data sources.
  • Tip: Focus on core technical SEO, including schema markup and mobile optimization. Google’s Search Generative Experience means direct answers are becoming more prevalent, so structured data and high-quality content are vital.

Perplexity AI

  • Strength: Provides detailed citations and emphasizes source material, driving referral traffic back to original sites.
  • Tip: Ensure your content is authoritative and well-cited. Being a reliable source will increase the likelihood of your site being referenced, which can drive traffic and enhance brand trust.

ChatGPT

  • Strength: Excels in conversational AI, making it suitable for quick answers and personalized interactions.
  • Tip: Create engaging, concise content that answers common questions directly. Utilize conversational language in your SEO strategy to match the style of ChatGPT interactions.

Key Strategies For Marketers

From optimizing technical SEO to harnessing the power of semantic understanding and creativity, these strategies provide a roadmap for success in the era of AI-driven search.

Core Technical SEO

Basics like site speed, mobile-friendliness, and proper schema markup remain crucial. Ensuring your site is technically sound helps all search engines index and rank your content effectively.

Semantic Understanding

Search engines and conversational AI are increasingly focused on semantic search. Optimize for natural language queries and long-tail keywords to match user intent more accurately.

Content And Creativity

High-quality, creative content is more important than ever. Unique, valuable content that engages users will stand out in both traditional and AI-driven search results.

Expanded Role Of SEO

SEO now encompasses content creation, branding, public relations, and AIO. Marketers who can adapt to these roles will be more successful in the evolving search landscape.

Be The Source That Gets Cited

Ensure your content is authoritative and well-researched. Being a primary source will increase the likelihood of citations that drive traffic and enhance credibility.

Get Predictive

Anticipate follow-up questions and provide comprehensive answers. This will not only improve user experience but also increase the chances of your content being highlighted in AI-driven search results.

Brand Authority

Focus on areas where your brand excels. AI search engines prioritize authoritative sources, so build and maintain your reputation in key areas to stay competitive.

The Best Content That Provides The Best Experience Wins

Ultimately, the quality of your content will determine your success. Invest in creating the best possible user experience, from engaging visuals to informative text.

Key Takeaways

Today, search encompasses a dual purpose: It can serve as a standalone assistant-based application or integrate into search engines for AI-led conversational experiences.

This fusion presents marketers with a unique opportunity to elevate their brands by creating accurate and authoritative content that positions them as trusted sources in their respective fields.

Ranking on the first page and being recognized as the go-to source cited by AI engines is no less important than 10 or 20 years ago but is exponentially more difficult.

The good news is that whether it’s Google’s AI engine or newcomers like Perplexity, brands that establish themselves as authorities in their niche stand to benefit immensely.

Marketers need to embrace creativity and collaboration across omnichannel teams. Ensure that your website is visible and accessible to all types of engines, whether traditional or AI-driven.

I’d like to leave you with a few questions to consider as you find your way forward in this complex environment. Pardon the pun, but no one has all the right answers yet.

  • Are chatbots morphing into search engines?
  • How do social platforms differentiate as younger generations look to them as search engines?
  • How would you define a search engine?
  • Who will win the race for user loyalty – traditional search engines infused with AI or new entrants built on generative AI from the beginning?
  • How would you redefine your role as an SEO – are you AI first?

While you consider that, stay proactive and adaptable and position yourself and your company to leverage the diversity and complexity of the search ecosystem to your advantage. In a world of ChatGPT, chatbots, and AI in search, you’re not optimizing for one channel, such as Google or Bing.

Successful optimization in this multifaceted landscape calls for a holistic approach. It’s not about keyword rankings or click-through rates; it’s about unraveling the intricacies of each platform and adjusting your strategies accordingly.

This means optimizing your content for conversational search, tapping into the capabilities of AI to tailor user experiences, and seamlessly integrating across different channels and devices.

Leverage the strengths of each platform to amplify your message by use case and engage with your audience on a deeper level, and you’ll ultimately drive more meaningful results for your business.

More resources: 


Featured Image: Memory Stockphoto/Shutterstock

New Google AI Overviews Documentation & SEO via @sejournal, @martinibuster

Google published new documentation about their new AI Overviews search feature which summarizes an answer to a search query and links to webpages where more information can be found. The new documentation offers important information about how the new feature works and what publishers and SEOs should consider.

What Triggers AI Overviews

AI Overviews shows when the user intent is to quickly understand information, especially when that information need is tied to a task.

“AI Overviews appear in Google Search results when our systems determine …when you want to quickly understand information from a range of sources, including information from across the web and Google’s Knowledge Graph.”

In another part of the documentation it ties the trigger to task-based information needs:

“…and use the information they find to advance their tasks.” “

What Kinds Of Sites Does AI Overviews Link To?

An important fact to consider is that just because AI Overviews is triggered by a user’s need to quickly understand something doesn’t mean that only queries with an informational need will trigger the new search feature. Google’s documentation makes it clear that the kinds of websites that will benefit from AI Overviews links includes “creators” (which implies video creators), ecommerce stores and other businesses. This means that far more than informational websites that will benefit from AI overviews.

The new documentation lists the kinds of sites that can receive a link from the AI overviews:

“This allows people to dig deeper and discover a diverse range of content from publishers, creators, retailers, businesses, and more, and use the information they find to advance their tasks.”

Where AI Overviews Sources Information

AI Overviews shows information from the web and the knowledge graph. Large Language Models currently need to be entirely retrained from the ground up when adding significant amounts of new data. That means that the websites chosen to be displayed in Overviews feature are selected from Google’s standard search index which in turn means that Google may be using Retrieval-augmented generation (RAG).

RAG is a system that sits between a large language model and a database of information that’s external to the LLM. This external database can be a specific knowledge like the entire content of an organization’s HR policies to a search index. It’s a supplemental source of information that can be used to double-check the information provided by an LLM or to show where to read more about the question being answered.

The section quoted at the beginning of the article notes that AI Overviews cites sources from the web and the Knowledge Graph:

“AI Overviews appear in Google Search results when our systems determine …when you want to quickly understand information from a range of sources, including information from across the web and Google’s Knowledge Graph.”

What Automatic Inclusion Means For SEO

Inclusion in AI Overviews is automatic and there’s nothing specific to AI Overviews that publishers or SEOs need to do. Google’s documentation says that following their guidelines for ranking in the regular search is all you have to do for ranking in AI Overviews. Google’s “systems” determine what sites are picked to show up for the topics surfaced in AI Overviews.

All the statements seem to confirm that the new Overviews feature sources data from the regular Search Index. It’s possible that Google filters the search index specially for AI Overviews but offhand I can’t think of any reason Google would do that.

All the statements that indicate automatic inclusions point to the likely possibility that Google uses the regular search index:

“No action is needed for publishers to benefit from AI Overviews.”

“AI Overviews show links to resources that support the information in the snapshot, and explore the topic further.”

“…diverse range of content from publishers, creators, retailers, businesses, and more…”

“To rank in AI Overviews, publishers only need to follow the Google Search Essentials guide.

“Google’s systems automatically determine which links appear. There is nothing special for creators to do to be considered other than to follow our regular guidance for appearing in search, as covered in Google Search Essentials.”

Think In Terms Of Topics

Obviously, keywords and synonyms in queries and documents play a role. But in my opinion they play and oversized role in SEO. There are many ways that a search engine can annotate a document in order to match a webpage to a topic, like what Googler Martin Splitt referred to as a centerpiece annotation. A centerpiece annotation is used by Google to label a webpage with what that webpage is about.

Semantic Annotation

This kind of annotation links webpage content to concepts which in turn gives structure to a unstructured document. Every webpage is unstructured data so search engines have to make sense of that. Semantic Annotation is one way to do that.

Google has been matching webpages to concepts since at least 2015. A Google webpage about their cloud products talks about how they integrated neural matching into their Search Engine for the purpose of annotating webpage content with their inherent topics.

This is what Google says about how it matches webpages to concepts:

“Google Search started incorporating semantic search in 2015, with the introduction of noteworthy AI search innovations like deep learning ranking system RankBrain. This innovation was quickly followed with neural matching to improve the accuracy of document retrieval in Search. Neural matching allows a retrieval engine to learn the relationships between a query’s intentions and highly relevant documents, allowing Search to recognize the context of a query instead of the simple similarity search.

Neural matching helps us understand fuzzier representations of concepts in queries and pages, and match them to one another. It looks at an entire query or page rather than just keywords, developing a better understanding of the underlying concepts represented in them.”

Google’s been doing this, matching webpages to concepts, for almost ten years. Google’s documentation about AI Overviews also mentions that showing links to webpages based on topics is a part of determining what sites are ranked in AI Overviews.

Here’s how Google explains it:

“AI Overviews show links to resources that support the information in the snapshot, and explore the topic further.

…AI Overviews offer a preview of a topic or query based on a variety of sources, including web sources.”

Google’s focus on topics has been a thing for a long time and it’s well past time SEOs lessened their grip on keyword targeting and start to also give Topic Targeting a chance to enrich their ability to surface content in Google Search, including in AI Overviews.

Google says that the same optimizations described in their Search Essentials documentation for ranking in Google Search are the same optimizations to apply to rank in Google Overview.

This is exactly what the new documentation says:

“There is nothing special for creators to do to be considered other than to follow our regular guidance for appearing in search, as covered in Google Search Essentials.”

Read Google’s New SEO Related Documentation On AI Overviews

AI Overviews and your website

Featured Image by Shutterstock/Piotr Swat