Posts

HTML Link Code: How to Create Hyperlinks on Your Site

HTML links (also called hyperlinks) are some of the most important functions of the internet. Google literally relies on them to find, crawl, index, and rank pages.

Links have a lot of power, both in terms of user experience and your site’s SEO.

So, understanding how to code HTML links properly is key if you want to create links that help (not hinder) your website’s performance.

The Components of an HTML Link

You create an HTML link using the anchor element: .

You then use attributes and values to change how the link functions.

Here’s what the complete HTML code for a clickable link looks like:

<a href="https://example.com" target="_blank" rel="noopener">Visit Example.com for more info.</a>

Let’s break that down:

  • The anchor tag (<a>) is the foundation of every link. It tells browsers “this is a clickable link.”
  • The href attribute defines where your link goes. This can be a web address, a file path, or even a specific section on the current page.
  • The target attribute controls how the link opens. The default is to open in the same window, but _blank makes it open in a new tab.
  • The rel attribute defines the relationship between the linking page and the linked page. It’s particularly important for SEO (more on that in the best practices section).
  • The anchor text is what users see and click. In the example above, it’s “Visit Example.com for more info.”
  • The closing tag (<a>) indicates where the link ends.

I’ll talk more about the role these elements play later in this guide. For now, let’s look at some of the most common ways to add HTML links.

How to Add Links with HTML Code

The basic method of adding links with HTML code involves placing the URL you want to link to within a link anchor tag. Just like the example above.

But here are a few of the most common use cases for adding links in HTML:

Text Links

Text links are the most common type of hyperlink you’ll create. You can use them to link to other pages on your site (internal links) or on other sites (external links).

Backlinko – SEO Strategy – Internal & External Link

Here’s the standard implementation:

<a href="https://example.com">Visit our website</a>

This creates a basic text link that users can click to navigate to the specified URL.

You can enhance text links with additional attributes for specific use cases. For example, here’s how you would set a link to open in a new tab:

<a href="https://example.com" target="_blank" rel="noopener noreferrer">Visit Example.com</a>

If it’s an affiliate link, you might use something like this:

<a href="https://example.com" target="_blank" rel="noopener noreferrer sponsored">Visit Example.com</a>

(More on these attributes later.)

Image Links to Make Images Clickable

Images can serve as powerful, eye-catching links that often attract more attention than plain text.

The basic structure for an HTML image link wraps an <img> tag inside an anchor tag:

<a href="https://example.com">
  <img src="logo.png" alt="Company Logo">
</a>

This transforms the entire image into a clickable link that navigates to the specified URL.

The “img src” attribute specifies the location of the image file. While the “alt” attribute specifies alternative text for the image.

Img src & alt attributes

For image links to be accessible and SEO-friendly, you should include descriptive alt text. Like this:

<a href="/product/camera"> 
  <img src="camera.jpg" alt="Canon EOS R6 Mark II Camera">
</a>

The alt text serves two critical purposes:

  • Screen readers will read it aloud for visually impaired users to understand the image’s content
  • It helps search engines understand the content of your image (which may help you rank in image search results)

You should only make your images clickable if they actually take the user somewhere useful. Like to the image’s source website.

It’s worth noting that for image links and a few of the other types below, you might implement them in different ways.

For example, here’s how we implement some image links here on Backlinko (using CSS classes):

Implemented image links using CSS classes

But here’s an image link on The Spruce:

The Spruce – Clickable image on the homepage

In this case, the image link is still contained within an <a> tag. But there are other elements (like <div>) and classes (like img-placeholder) as well.

How exactly you implement image links largely depends on your website setup. If you use WordPress, your theme and plugins will likely dictate how you code your image links.

Email Links

Email links use a special protocol that launches the user’s default email client. They’re perfect for making it easier for users to reach you.

Use the mailto: protocol to create email links:

<a href="mailto:contact@example.com">Email Us</a>

When a user clicks this link, it opens their default email program with the recipient field already populated.

Allbirds – Help Email

You can enhance email links with additional parameters too. Like this:

<a href="mailto:sales@example.com?subject=Product%20Inquiry&body=I%27m%20interested%20in%20learning%20more">Email Sales Team</a>

This pre-fills the subject line with “Product Inquiry” and adds initial text to the email body that says “I’m interested in learning more.”

(Note that you need to encode spaces and special characters, like %20 for a space.)

Pro tip: Make it clear what will happen when a user clicks the link with descriptive anchor text. This way, they won’t be confused when their email client opens.


Phone Links

For phone numbers, use the tel: protocol:

<a href="tel:+15555555555">Call (555) 555-5555</a>

When a user taps this link on their mobile device, it opens the phone dialer with the number ready to call.

For international phone numbers, always include the country code with a plus sign:

<a href="tel:+442071234567">Call our London office: +44 20 7123 4567</a>

You can also use the “sms” value to open up a text message:

<a href="sms:+442071234567">Send us a text</a>

As with email links, be clear in your anchor text for phone and SMS links about what will happen when the user taps the link.

Jump Links (Anchor Links) for Internal Page Navigation

Jump links, also known as anchor links, help users navigate to specific sections within the same page. They’re especially useful for long-form content.

If your site uses a table of contents (like this site does), it works using jump links in this way.

Table of content in post

The basic structure requires two parts:

  1. An element with an id attribute that serves as the target
  2. A link that points to that id using a hash (#) symbol

For example, in our article on keyword mapping, which is a step-by-step list, we use jump links to make it easier for users to navigate.

First, we added “id” tags to the headings, like this:

<h3 id="add-keywords">3. Add the Keywords to Your Map</h3>

You don’t see this id attribute on the page, but it’s in the site’s code:

ID Tags added to the Headings

Then, in the second step of the list, which some users might not need to follow, we include a link to skip ahead to the third step (which has the id “add-keywords”).

The HTML link code looks like this:

<a href="#add-keywords">step 3</a>

And the link on the page looks like this:

Backlinko – Link to skip ahead

When a user clicks the link, the browser will instantly scroll to the element with the matching id (in this case, step 3). It’ll also update the URL in the address bar:

Updated URL in the address bar

Jump links are perfect for:

  • Tables of contents at the top of articles
  • “Back to top” links at the end of sections
  • FAQ pages where users want to jump to specific questions
  • Product pages with multiple information sections

Button Links for Calls to Action

HTML links over buttons combine the functionality of an <a> tag with the appearance of a button.

They’re perfect for calls to action that need to stand out and attract clicks.

The key difference between a button-style link and a regular link is that you’ll typically code HTML button links with CSS:

<a href="yourdomain.com/signup" class="button-link">Get Started</a>

This HTML looks like a standard text link, but with CSS, you can transform it:

.button-link {
  display: inline-block;
  padding: 10px 20px;
  background-color: #0066cc;
  color: white;
  text-decoration: none;
  border-radius: 4px;
  font-weight: bold;
  text-align: center;
}

.button-link:hover {
  background-color: #004080;
}

These styles create a rectangular button with:

  • Clear boundaries (background color and padding)
  • Rounded corners (border-radius)
  • Visual feedback on hover (background color change)

For mobile users, make sure your button-style links are large enough to easily tap:

@media (max-width: 768px) {
  .button-link {
    padding: 12px 24px;
    width: 100%; 
    margin-bottom: 10px;
  }
}

It’s worth noting that in a lot of cases, you won’t need to code button links yourself. If you’re using a CMS like WordPress, for example, you might use button templates of some kind.

Or perhaps, your developer will use CSS classes to create buttons rather than using HTML link codes.

CSS classes to create buttons

Download Links

Download links let your users easily save files from your website to their devices.

The basic HTML for a download link uses the download attribute:

<a href="report.pdf" download>Download PDF Report</a>

For files that browsers typically display rather than download (like PDFs), the download attribute ensures they’re saved instead of opened.

Many browsers will download other file types by default, without the need for a separate download attribute. This is often true for things like Excel and Word documents.

Note: Sometimes your server configuration will dictate whether a file will open or download by default. If you’re not sure, speak to your developer.


Other Important HTML Link Code for SEO

There are a few HTML link attributes you should be aware of for your site’s SEO. These don’t create hyperlinks, but they do go inside an HTML link element in the <head> portion of your page’s code.

This element looks like <link> rather than <a>.

Canonical Tags

Canonical tags (technically attributes) tell search engines which version of a page is the “primary” one when you have similar or duplicate content across multiple URLs. They help prevent duplicate content issues that can hurt your SEO.

But it’s good practice to implement them on all of your pages.

Backlinko uses canonicals

You implement canonical tags using a <link> element in the <head> section of your HTML:

<head>
<link rel="canonical" href="https://example.com/original-page">
</head>

This effectively tells search engines: “This page is a copy or variation of the page at the specified URL. Please attribute all ranking signals to that URL instead.”

Canonicalization can help when you have URL parameters for tracking, filtering, or sorting (e.g., ?source=email or ?sort=price).

URL Structure

Hreflang

The hreflang HTML link attribute helps search engines understand the language and regional targeting of your pages. This helps them understand which version of your page to display to users in search results.

As with canonical tags, you implement it using link elements in the <head> section of your HTML:

<head>
  <link rel="alternate" hreflang="en-us" href="https://example.com/en-us/page">
  <link rel="alternate" hreflang="es" href="https://example.com/es/page">
  <link rel="alternate" hreflang="fr" href="https://example.com/fr/page">
  <link rel="alternate" hreflang="x-default" href="https://example.com/">
</head>

These link elements tell search engines:

  • This page is available in English (US), Spanish, and French
  • The default version (for users speaking other languages) is at the root URL

The hreflang attribute uses language codes (like “en” for English) and optional region codes (like “us” for the United States).

Hreflang structure

Hreflang tags are only an issue for sites with different language versions and an international presence. They can be tricky to get right, so for more detailed info, check out our dedicated guide to hreflang tags.

HTML Link Code Best Practices

Following these best practices will ensure your links are effective, secure, and accessible to all users. And it’ll help improve your SEO too.

Syntax

Here’s the correct syntax for an HTML link:

<a href="url">Anchor Text</a>

Here are a few syntax rules to remember:

  • Always include the opening <a> and closing </a> tags
  • Add the href attribute along with a value (your URL)
  • Enclose attribute values in quotation marks
  • Don’t use spaces between the attribute, equals sign, and value

Anchor Text

Anchor text is the clickable text of your link. It’s the words users actually see and click on. It plays a crucial role in both user experience and SEO.

Good anchor text clearly tells users what to expect when they click a link. It also provided

Here’s an example of poor anchor text:

<a href="https://example.com/pricing">Click here</a>

And here’s an example of good, descriptive anchor text:

<a href="https://example.com/pricing">View our pricing plans</a>

The second example gives users (and search engines) clear information about where the link will take them.

When writing anchor text, follow these guidelines:

  • Make it descriptive and relevant to the destination
  • Keep it concise (typically 2-5 words)
  • Avoid generic phrases like “click here” or “read more”
  • Use keywords naturally, but don’t stuff them in

Title Attributes

There’s also a “title” attribute you can add to links. But you generally don’t need this if you use descriptive anchor text.

In fact, using it can reduce readability and accessibility if it just repeats the anchor text. Screen readers usually won’t read it out, and users hovering over the link will see a tooltip that may just block other content on the screen. Plus, it won’t display on mobile devices at all.

So, unless you can meaningfully add important information about the link, don’t use the title attribute. And instead just make your anchor text descriptive.

Aria Labels

ARIA (Accessible Rich Internet Applications) labels enhance accessibility by providing additional context for screen readers and other assistive technologies.

The aria-label attribute provides an accessible name for a link when the visible text isn’t descriptive enough, or for links over icons rather than text:

<a href="https://yourdomain.com/settings" aria-label="Go to settings">
  <svg><!-- settings icon --></svg>
</a>

In this example, a screen reader would announce “Go to settings” but the site would only visually display a settings icon.

Target

The target attribute determines how your link opens when a user clicks on it.

The default link behavior opens the link in the same tab (i.e., you go from the current page to the linked page).

The default value is “_self” but you don’t need to specify that.

If you want to open the link in a new tab, use the “_blank” target value:

<a href="https://example.com" target="_blank">Example</a>

You used to need to add rel=“noopener” to links with a blank target value for security reasons. But you no longer need to do this. (More on noopener below.)

Opening your link in a new tab is particularly useful when:

  • Linking to external websites
  • Providing reference material that users might want to check while staying on your page
  • Linking to downloads or resources that would disrupt the user’s current activity

Opinions vary on whether this is best for accessibility. Some believe this creates a disruptive user experience, especially on mobile and for those using assistive technologies (like screen readers).

For internal links that are part of the natural navigation flow, it’s usually best to stick with the default behavior (opening in the same tab).

Note: There used to be other target values (_parent and _top), but these are deprecated in HTML5.


Relationships (rel=)

The rel attribute defines the relationship between your current page and the page you’re linking to. It’s an important attribute that affects both security and SEO.

The default behavior is to not add any rel values. But here are a few of the most common ones:

Sponsored Links

You use the sponsored rel value when another brand has paid to have a link on your site.

For example, let’s say you have an affiliate link to a product you promote.

This is a form of paid or sponsored link, because you might earn money from purchases users make through that link. Google recommends you use the “sponsored” attribute for paid link placements:

<a href="https://example.com" rel="sponsored">Paid link</a>

Here’s an example of this on WireCutter, a popular product comparison website:

Wirecutter – Sponsored attribute for paid link

You would also use this attribute for links other companies have explicitly paid you to include on your site.

UGC Links

Use the user-generated content rel value on links in comments and forum posts. These are links you don’t necessarily control, and this tells Google that you don’t endorse them.

<a href="https://example.com" target="_blank" rel="ugc">External site you haven’t verified</a>

Reddit – UGC links

Nofollow Links

Use nofollow when none of the other rel values apply and you don’t want Google to associate your site with the one you’re linking to. Or when you don’t want Google to crawl the page you’re linking to.

<a href="https://example.com" rel="nofollow">Link to a site you don’t endorse</a>

Let’s say you’re not the one creating the links on your site so you can’t verify them before they go live. Maybe you have a team of writers, or you’re accepting guest posts.

But you know the links are not sponsored or in user-generated content. In this case, you’d use nofollow.

What About “noopener” and “noreferrer”?

The “noopener” rel value tells your browser to go to the target link without giving the new location access to the page with the link.

If you’re using target=“_blank” then modern browsers will essentially treat it as if you have added noopener. But you can also use it on other links you don’t necessarily trust but aren’t using the _blank target value for. Like those you’re also adding nofollow to.

Using the “noreferrer” value hides the origin of any traffic sent through that link in the analytics of the site you’re linking to.

You can combine multiple rel values by separating them with spaces:

<a href="https://example.com" rel="noopener noreferrer sponsored">Affiliate link</a>

Absolute vs. Relative URLs

When creating an HTML link, you need to decide whether to use an absolute or relative URL in the href attribute. Each has specific use cases and advantages.

Absolute URLs include the complete web address, starting with the protocol:

<a href="https://example.com/products/item1">Product page</a>

Relative URLs are shorter and reference locations relative to the current page:

<a href="/products/item1">Product page</a>

Generally, I’d recommend you use absolute URLs in most cases.

Using relative URLs can speed up production if you’re working with lots of them. Plus, if you move pages or domains but keep the same URL structure, your internal URLs should all continue working without you having to change them all to the new domain.

But honestly, unless you’re planning a major website migration at the time you’re setting up your site (unlikely), you aren’t likely to foresee and then benefit from this relatively minor advantage.

You might want to use relative URLs when working with a staging site that’s on a different domain from the site you’re developing.

In this case, it can avoid you or your developers having to rewrite all the internal links when you push your site live.

How to Check Your Site’s HTML Links

You can manually check the code of an HTML link in your browser with the inspect tool. Just right-click over the link you want to check and select “Inspect” to open up the developer console:

Backlinko – HTML Link

This is handy for quickly verifying your attributes and rel values.

But what if you want to check your links at scale?

That’s where a tool like Semrush’s Site Audit comes in.

Just plug your domain in, let the audit run, and head to the “Issues” tab. Then type in “link” to highlight any issues with your site’s HTML links.

Site Audit – Backlinko – Issues – Link

Go through and fix any issues to improve your site’s SEO and user experience.

Note: A free Semrush lets you audit up to 100 URLs. Or you can use this link to access a 14-day trial on a Semrush Pro subscription.


The post HTML Link Code: How to Create Hyperlinks on Your Site appeared first on Backlinko.

Read more at Read More

What AI gets wrong about your site, and why it’s not your fault: meet llms.txt 

AI tools are everywhere — from chatbots that answer customer questions to language models that summarize everything from documentation to legal text. But if you’ve ever asked a model like ChatGPT to explain your site, your product, or your API, the results might not feel quite right. In fact, sometimes they’re way off. And no, that’s not your fault. 

The disconnect between websites and LLMs 

Large language models (LLMs) like ChatGPT, Claude, or Gemini are trained to understand a wide range of content. But when they try to interpret your website at runtime, that is, when someone is actively asking them a question, they run into a few core problems: 

  • HTML is noisy. Navigation bars, cookie banners, modal popups, and analytics scripts clutter the page. 
  • Context windows are limited. Most websites are too large for an LLM to process all at once. 
  • Important details are spread across multiple pages or hidden in tables, code blocks, or comments. 
  • Markdown docs may exist, but the model often can’t locate them, or even know they exist. 

So, when you ask an AI tool to “explain what this company does” or “summarize this library API”, it often gets stuck. It either skips key context or grabs the wrong signals from cluttered markup. 

It’s not bad intent; it’s a design limitation. 

Why it’s not your SEO’s fault, either 

You’ve probably invested time and effort into search engine optimization. Maybe your robots.txt and sitemap.xml are in place. You’ve got meta tags, structured data, and clean internal links. Good, but LLMs don’t always work like Google. 

Traditional SEO helps your site get found. However, it doesn’t guarantee that AI tools will understand what a human user would. That’s where a new proposal comes in. 

Meet llms.txt: A simple way to help AI understand your site 

A growing number of developers and AI researchers are adopting a lightweight, human-readable standard called llms.txt.  

What is llms.txt? 

llms.txt is a plain Markdown file placed at the root of your site that provides language models with a summary of your project and direct links to clean, LLM-readable versions of important pages. It’s designed for inference-time use, helping AI tools quickly understand a site’s structure, purpose, and content without relying on cluttered HTML or metadata intended for search engines. 

What it does: 

  • Gives a short summary of your site or project 
  • Links to clean, LLM-ready Markdown versions of key pages 
  • Helps AI tools find exactly what matters, without parsing messy HTML

Is it widely supported? Not yet 

Right now, no major LLM provider officially supports llms.txt. Tools like GPTBot (OpenAI), Claude (Anthropic), and Google’s AI crawlers don’t reference or follow it as part of their crawling behavior. Some companies like Anthropic publish llms.txt files themselves, but there’s no evidence that any crawler is actively using them in retrieval or training. 

Still, it’s a low-effort, no-risk addition that helps prepare your site for a future where structured LLM access becomes more standardized. And LLM-facing tools, or even your own AI agents, can make use of it today. 

Example use cases: 

  • A dev library links to .md-formatted API docs and usage examples. 
  • A university site highlights course descriptions and academic policies. 
  • A personal blog offers a simplified timeline of key projects or topics. 

You control the content and the structure. LLMs benefit from curated, LLM-aware context. And users asking questions about your site get better answers. 

Using our Yoast SEO plugin? 

If you’re already using our Yoast SEO (free or Premium) plugin, generating a llms.txt file is easy. Just enable the feature in your settings, and the plugin will automatically create and serve a complete llms.txt file for your site. You can view it anytime at yourdomain.com/llms.txt. 

Get Yoast SEO Premium

Unlock powerful SEO insights with our Premium plugin, including advanced content features, AI optimization tools, and real-time data built for the next generation of search.

An LLM-friendly web isn’t the same as a Google-friendly web 

This doesn’t replace SEO. Think of llms.txt as a companion to robots.txt. It tells AI bots: “Here’s the good stuff. Skip the noise.” 

Sitemaps help crawlers find everything. llms.txt tells LLMs what to focus on. 

It’s especially useful for: 

  • Developers and open-source maintainers 
  • Product marketers looking to reduce support load 
  • Teams that want chatbots to pull answers from docs, not guess 

You don’t need a new CMS or tech stack 

All this requires is creating two things: 

  1. A basic llms.txt file in Markdown
  2. Ideally, you’d also have Markdown versions (.html.md) of key pages included alongside the originals, with the same URL plus .md added. 

No new tools, plugins, or frameworks needed, although some ecosystems are already adding support. 

Here’s an example of a file automatically built by Yoast SEO, as it has an llms.txt generator built in:

Generated by Yoast SEO v25.3, this is an llms.txt file, meant for consumption by LLMs. This is the (https://everydayimtravelling.com/sitemap_index.xml) of this website. 
 
# everydayimtravelling.com: Stories from our travels 
 
## Posts 
- [Test video](https://everydayimtravelling.com/test-video/) 
- [A Journey Through Portugal’s Wine Country: A Suggested Wine Tour Route](https://everydayimtravelling.com/a-wine-tour-through-portugal/) 
- [Travel essentials for backpackers FAQ](https://everydayimtravelling.com/travel-essentials-for-backpackers-faq/) 
 
## Pages 
- [Checkout](https://everydayimtravelling.com/checkout/) 
- [Contact us](https://everydayimtravelling.com/contact-us/) 
- [How we started this blog](https://everydayimtravelling.com/pagina-harry-potter/) 
- [My account](https://everydayimtravelling.com/my-account/) 
- [Cart](https://everydayimtravelling.com/cart/) 
 
## Categories 
- [Europe](https://everydayimtravelling.com/category/europe/) 
- [Asia](https://everydayimtravelling.com/category/asia/) 
- [South America](https://everydayimtravelling.com/category/south-america/) 
- [Food](https://everydayimtravelling.com/category/food/) 
- [Western Europe](https://everydayimtravelling.com/category/europe/west-europe/) 
 
## Tags 
- [Budget](https://everydayimtravelling.com/tag/budget/) 
Yoast SEO has an llms.txt generator onboard; you can find it in the API settings
Yoast SEO has an llms.txt generator onboard; you can find it in the API settings

Helping AI help you 

So, if AI is misinterpreting your website, producing erroneous summaries, or skipping critical content, there’s a reason, and it’s fixable. 

It’s not always your copy. Not your design or your metadata. It’s just that these language tools need a little guidance. In the future, llms.txt could be the way to give it to them, and you do so on your terms. 

Do you need help creating an llms.txt file or converting your existing content to Markdown for LLMs? Yoast SEO can automatically generate an llms.txt file for you. 

The post What AI gets wrong about your site, and why it’s not your fault: meet llms.txt  appeared first on Yoast.

Read more at Read More

New: Future proof your website for tomorrow’s visitors with Yoast SEO llms.txt

Increased usage of AI is changing how people discover businesses and services online. While your website may be optimized for traditional search engines, large language models (LLMs) process your website’s information differently. Our new feature, llms.txt offers to bridge the gap. Yoast SEO generates a file that highlights the most important, up-to-date content on your website as an invitation for LLMs to get the right picture. It’s automatic, requires no technical setup, and is ready in one click.

Helping AI understand your website

Unlike search engines that regularly crawl and index websites, LLMs like ChatGPT and Google Gemini work differently. They don’t store website content for future use. Instead, they gather information in real time when responding to user queries.

This means LLMs often only access a small portion of a website while looking for answers. This is especially true for large websites such as news platforms or ecommerce stores. This can lead to incomplete or even inaccurate AI-generated responses. Not ideal if you’re aiming to improve your visibility in LLM-generated answers as part of your marketing strategy.

If you want to better understand what LLMs tend to look for when accessing websites, this guide on optimizing content for LLMs offers a helpful overview.

What is an llms.txt file?

The llms.txt file gives LLMs a suggested, pre-prepared slice of your website, highlighting your most important and up-to-date content.

Think of it like a helpful guide at the entrance of a large department store. Imagine you’re walking in looking for socks. Someone greets you and hands you a store map that highlights where the socks are, along with other key departments like shoes, checkout, and customer service. You don’t have to use the map,  you can wander around on your own, but it makes it much easier to quickly find what you’re looking for.

In the same way, this file helps LLMs quickly identify the most relevant and useful parts of your website. While the models can still explore other areas, giving them clear guidance increases the chances that they’ll surface the right information in their responses.

How is it different from robots.txt?

robots.txt
  • Tells bots what not to access
  • Focuses on permission
  • Used for search engine indexing and crawling
  • Supported by traditional search engines

llms.txt

  • Suggests what AI should read
  • Focuses on guidance and clarity
  • Helps AI answer user questions more accurately
  • Designed for large language models like ChatGPT

How does Yoast SEO llms.txt work?

When you turn the feature on, it automatically generates an llms.txt file for your website, using a mix of relevant website data. It draws from:

  • Your most recently updated content
  • Technical SEO elements like your sitemap for context
  • Descriptions you’ve added about your website

This offers large language models a website summary to understand what your website is about and what content is most important.

Managing your llms.txt file

The plugin automatically creates and maintains the llms.txt file for you, refreshing every week. You can preview the file to ensure it accurately reflects your brand and prioritizes the right content before implementation.

Want full control or prefer to manage it yourself? Learn how to manually add an llms.txt file to your website by visiting our developer documentation.

At Yoast, our mission is SEO for everyone

Setting up an llms.txt file manually may only be accessible to a technical few. By automating the process, we make it easier for all website owners to benefit from this new technology, without needing to dive into code.

At Yoast, we believe that everyone should have a say in how their content is seen and used. Especially as AI plays a bigger role in how people discover information online. That’s why we’ve introduced this feature as opt-in, so you can decide if and when it makes sense for your website. We’ve seen early signs that this is something more website owners are starting to think about.

Just as robots.txt tries to help search engines understand what to index, llms.txt suggests which parts of your website large language models should pay attention to.If you’d like to see what an llms.txt file looks like in practice, you can view the live version on yoast.com.

The post New: Future proof your website for tomorrow’s visitors with Yoast SEO llms.txt appeared first on Yoast.

Read more at Read More

Search Everywhere Optimization Guide (+ Free Checklist)

Imagine you’re looking for after shave oil.

You type a few keywords into Amazon. A brand called Truly Beauty pops up. You’ve never heard of them.

Amazon – After shave oil – Truly – Results

So you go to YouTube to find the “best after shave oil”.

At the top of the results, someone has reviewed Truly Beauty’s product.

YouTube – Best after shave oil – Results

Okay, interesting…

Let’s stay on YouTube. Next, you type “truly beauty after shave oil” into the search.

YouTube – Truly Beauty after shave oil – Results

What the? The whole page has people reviewing Truly Beauty products!

Is this brand legitimate, or are all these ads in disguise?

Time to go to Reddit to get some unfiltered opinions.

You search for “after shave oil reviews reddit” and notice that once again, Truly Beauty shows up in the results.

Google SERP – After shave oil reviews Reddit

Sure enough, other people share your skepticism. But there’s some positive feedback too.

You decide to give them a try.

This kind of journey happens millions of times every day — across every industry, on every platform.

Side note: I run a men’s apparel brand, but I often research women’s beauty. It’s insanely competitive and usually way ahead in digital strategy.


If you’re in SEO, there’s a clear takeaway here:

You’re not just optimizing for Google anymore.

You need to show up across the entire decision-making journey. Wherever your audience searches, scrolls, or compares.

This is exactly what Truly Beauty figured out.

They didn’t just optimize for Google. They built visibility across the entire search ecosystem. Amazon for discovery. YouTube for social proof. Reddit for authentic reviews.

And it’s working amazingly well.

In this guide, I’ll break down how to optimize your brand for how people actually search today. With concrete examples. Including Truly Beauty’s strategy.

Free resource: To make things easier, I’ve created a checklist to track your progress


Let’s start with what’s really happening here.

The New Reality: Search Everywhere Optimization

What Truly Beauty did isn’t luck. It’s strategy.

They understood something most brands still miss:

Search has changed.

Today’s customers don’t follow a clean, Google-only path. They bounce from TikTok to YouTube, Reddit to Amazon, back to Google, then maybe ChatGPT for one last check.

Credit where it’s due: Rand Fishkin captured this evolution perfectly in his recent post.

Search Everywhere Optimization is about helping people find, evaluate, and trust your brand across every platform where discovery happens. That includes Google — but also YouTube, TikTok, Reddit, Amazon, LinkedIn, and even AI tools like ChatGPT.

Every one of those platforms can shape a decision. Miss one? You risk losing the customer to someone who showed up where you didn’t.

How People Search in 2025

Your job isn’t just to rank on Google.

It’s to help people find, evaluate, and trust your brand everywhere they search.

Some call this omnichannel SEO, cross-platform optimization, AEO (Answer Engine Optimization), or GEO (Generative Engine Optimization).

The way I see it:

Search Everywhere Optimization.

Because the search journey now includes everything from YouTube Shorts to AI summaries.

And your job is to build visibility, credibility, and conversion power across it all.

It’s not just about being found.

It’s about being trusted. On every platform where decisions happen.

That’s what makes Search Everywhere Optimization different — it evolves SEO beyond a siloed tactic into a full-funnel growth strategy.

So, you’re not just optimizing pages anymore.

You’re shaping how people find, evaluate, and trust what you offer across every stage of the journey, on every platform they turn to for answers.

Done right, Search Everywhere Optimization helps you:

  • Show up on high-engagement platforms where decisions start
  • Create content that resonates in the right format and context
  • Build trust through experience — design, messaging, and credibility
  • Turn search moments into conversions, leads, or long-term users

That’s the shift:

From rankings to relevance. From clicks to action. From Google-only to everywhere that matters.

Two Core Areas of Search Everywhere Optimization

To make Search Everywhere Optimization work, you need to understand where your audience is discovering products.

And how much control you have over those moments.

That’s where this framework comes in.

We divide the modern search experience into two key areas:

  • Managed experiences — where you control the content and presentation
  • Influenced experiences — where others shape the narrative, but your brand still shows up

This distinction helps you prioritize efforts across platforms you own… and platforms where you earn visibility.

Managed Experiences

These are touchpoints you can directly control.

Your website is still your most important owned asset. But you also manage your social media profiles, product listings, app store pages, and more.

Pinterest – Truly Beauty

This is where things gets tactical. You’re shaping the journey with:

  • Engaging content
  • Clear messaging
  • Cohesive visuals
  • Optimized flows and CTAs

On your website, you can go even deeper — refining structure, page speed, copy, and trust signals.

The goal? Deliver a fast, credible, and conversion-ready experience every time someone finds you through search.

Earned and Influenced Experiences

Now, let’s talk about where you don’t control the narrative.

These are the moments shaped by others: customers, creators, communities, algorithms.

Earned and influenced experiences are touchpoints you don’t directly control.

But they still shape how people perceive and trust your brand.

This includes:

  • Customer reviews
  • Reddit threads
  • YouTube mentions
  • Third-party comparisons
  • AI-generated responses in tools like ChatGPT

Illuminate Labs – Blog Health – Truly Beauty review

You can’t control these spaces… but you can influence them.

Search Everywhere Optimization is about increasing your visibility, credibility, and perceived value in places you don’t own.

That might mean:

  • Engaging in relevant conversations
  • Encouraging customer reviews
  • Partnering with trusted voices
  • Publishing helpful content that others cite

Truly Beauty does this well. Their TikTok is a managed asset. The brand controls the content, caption, and messaging.

This isn’t about control. It’s more about visibility, relevance, and credibility in places people already go to decide.

Luckily, you can help shape perception through helpful content, real engagement, and clear value.

You can pay influencers to review and interact with your product, publish high-quality guest posts. So, you don’t have full control over them, but you can light the fire.

For example, Truly Beauty has a strong presence across owned and earned/influenced platforms.

This includes the brand’s official TikTok account, an owned experience.

The brand controls the content, caption, and messaging.

TikTok account – Truly Beauty – Mobile

But when someone searches for Truly on TikTok and sees unsponsored reviews? That’s an influenced experience.

TikTok – Truly Beauty – Search

Both matter. Because both shape how people perceive your brand.

Search Everywhere Optimization ensures you show up in both worlds (managed and influenced) so you’re part of the journey no matter where it happens.

How Search Everywhere Optimization Builds on Traditional SEO

Traditional SEO has mostly focused on one thing — ranking on search engines like Google.

That still matters.

But it’s no longer enough.

Search Everywhere Optimization expands your SEO strategy beyond Google to include every platform where people search, compare, and decide.

So instead of optimizing just for rankings…

You’re optimizing the entire discovery journey.

This shift doesn’t replace SEO. It levels it up.

Here’s how they work together:

Traditional
SEO
Search Everywhere Optimization
Primary Goal Drive qualified traffic from Google and other search engines Help people find, evaluate, and take action across platforms
Tactics Focus on content, keywords, backlinks, and technical fixes Tailor messaging and format to each platform and stage of the journey
Performance Metrics Metrics include rankings, impressions, CTR, and conversions Metrics include engagement, watch time, scroll depth, reviews, and cross-platform performance

Think of it this way:

  • Traditional SEO gets you found on Google
  • Search Everywhere Optimization gets you chosen — everywhere

When you combine both, you create a strategy that moves with your audience.

Across platforms. Across formats. Across every step of their journey.

Step 1: Define Your Search Personas

Creating search personas lets you outline what your ideal audience wants and needs, and what drives their decisions.

This helps you design content and experiences based on real search behavior, rather than assumptions.

Creating search persona

Pro tip: Already have marketing personas? Add a “Search Behavior” section to show how your audience searches, discovers, and evaluates solutions online.


Start with Real People

Before you can build your personas, you need real-world insights.

Go straight to the source by asking existing customers questions like:

  • How they found you
  • What made them trust you
  • What they needed before taking action

Tools like Typeform let you create and distribute surveys.

Start with their ready-to-use consumer behavior templates to make the process fast and easy.

Typeform – Survey template

Loop in Sales and Support

No one knows buyer questions better than your frontline team.

Ask them:

  • What keywords or phrases do people use when they reach out?
  • Which platforms drive user discovery?
  • What’s unclear or confusing before people convert?

This input gives you practical insights you can’t get from keyword tools alone.

Layer in Data

Tools like Semrush’s Traffic & Market Toolkit let you analyze your target market’s demographics.

Here’s how it works:

Enter your domain and up to four competitors’ domains.

Click “Analyze.”

Traffic Analytics – Truly Beauty – Competitors

View the “Audience” report to get a breakdown of unique visitors to each domain by age and sex.

Traffic Analytics – Truly Beauty – Demographics – Audience

Then, scroll to the “Geo Distribution” report to see an overview of visits and unique visitors by country.

Traffic Analytics – Truly Beauty – Geo Distribution

Next, click “Audience Overlap” to learn about your audience’s online habits.

Traffic Analytics – Truly Beauty – Audience Overlap

Including their most-visited domains. This gives you insights into their preferences, pain points, and needs.

Traffic Analytics – Truly Beauty – Visited domains

Once you’ve gathered your data, organize everything into a clean visual persona.

Free tools like Semrush’s persona builder make this easy.

Semrush – Persona Wizard

Or just use a doc or spreadsheet — whatever helps you capture the key insights clearly.

By the end, you should know:

  • What your audience is trying to solve when they search
  • What blocks or gaps slow them down
  • What type of content or format resonates most

These insights give you a clear picture of who your searchers are and what matters to them.

Note: You can create multiple personas if your product serves more than one audience. For example, a beginner and a power user won’t search the same way or want the same content.


Step 2: Map the Full Search Journey

Map how each search persona moves from discovery to decision across platforms, questions, and content types.

We want to start by breaking the journey into three simple stages.

Quick note:

I’m showing these stages as a linear progression for simplicity. Real search journeys usually aren’t straightforward.

Users frequently jump between platforms and stages, circling back and moving forward unpredictably. This framework simply helps organize our understanding of the core phases searchers experience.

Journey 1

  • Discover: This is when someone first realizes a need or problem and starts looking for ideas, inspiration, or possible solutions
  • Compare: At this stage, they evaluate their options, which involves comparing features, reading reviews, or checking alternatives to decide what fits best
  • Act: This is when they’re ready to take action. Including making a purchase, signing up, booking a service, or taking the next step.

Expand this journey into more stages and variations as needed.

Like awareness, consideration, evaluation, or post-purchase.

Journey 2

For simplicity, we’ll stick with three core stages.

Then, for each stage, identify:

  • What they search for
  • Where they go to find answers
  • What content format they expect

Let’s say we’re mapping the search journey of a shopper discovering Truly Beauty.

A user might first come across this brand when searching for “best after shave oil” on TikTok.

TikTok – Best after shave oil – Truly

From there, they Google “after shave oil” and see Truly in the top results.

Google SERP – After shave oil reviews Reddit

Next, they visit the brand’s site to view product details, images, and pricing.

Truly Beauty products – Glazed Donut After Shave Oil

After that, they head to YouTube.

They search “truly after shave oil review” to find reviews from real people.

YouTube – Search – Truly after shave oil review

Finally, they visit Amazon, search for the product, and check reviews again before placing their order.

Amazon – Truly product – Customer reviews

This is a simplified version of your audience’s actual journey.

In reality, searchers might visit more platforms during the discovery and compare stages — spanning days or even weeks.

This is why it helps to map the complete journey.

Like this:

Complete Journey

Have more than one persona or product category? Create a separate map for each.

Many platforms offer free customer journey map templates, such as Canva and Miro.

Customer Journey Map – Web

Step 3: Identify Gaps and Prioritize Touchpoints

Here’s where you’ll identify what your brand is missing across the search journey and what to fix first.

Using your journey map from Step 2, go through each stage and ask:

  • Are we visible everywhere our audience searches?
  • Does our content actually help them move forward?

Let me walk you through an example.

I conducted a quick manual audit for Truly Beauty across multiple platforms.

On TikTok and Instagram, they consistently appear for branded searches like “Truly Beauty.”

And product-specific searches like “vanilla baby body oil.”

Instagram – Search – Vanilla baby body oil

Next, I examined user-generated forums to see if people discuss the brand organically.

On Reddit, I found some positive threads where users recommend Truly products.

Comment on Reddit – Truly Beauty

And some negative threads, too.

Overall, Truly Beauty could have a stronger presence in earned and influenced spaces.

Reddit – Posts – Truly Beauty

I then analyzed Truly’s product pages.

Their website features several conversion elements:

  • Social proof (ratings and reviews)
  • Clear pricing and purchase options
  • Subscription incentives
  • Trust badges

Truly Beauty products – Vanilla Baby Luxury Body Oil

Their Amazon listings maintain this strategy while adapting to the marketplace’s format.

This way, they create a consistent purchase experience regardless of where customers shop.

Amazon listings – Truly

You’ll want to adjust this process based on your specific industry, audience, and platforms.

The key is documenting all touchpoints where your audience searches.

Once you’ve audited all platforms, organize your findings in a simple spreadsheet.

Include a “Status” column to label your presence on each platform:

  • Optimized
  • Weak
  • Missing

Here’s an example to show how you might organize your audit insights.

Feel free to structure it however works best for you.

SXO – Backlinko Google Sheet

Bonus: We added the above audit template to our downloadable checklist to help you complete this step. Download it now, if you haven’t already.


Now, it’s time to decide which platforms need attention first:

In Truly Beauty’s case, they could strengthen their presence in earned spaces.

Responding to positive and negative feedback builds trust with potential customers.

This might mean recommending products where appropriate.

And addressing any user concerns and complaints.

Prioritize your own gaps based on:

  • Where users likely drop off or switch to competitors
  • High-intent moments like evaluation or decision stages
  • Platforms your audience already trusts and uses to make decisions

This focused approach ensures you tackle the most impactful improvements first.

Step 4: Build a Content Plan Aligned with Search Intent

A key part of any strategy is planning content for each search stage and platform.

Use your audit insights from Step 3 to build a content plan that satisfies user needs.

Improve Your Existing Content

Before creating new content, maximize what you already have.

Check Google Analytics or Google Search Console (GSC) for pages that are underperforming.

For example, in GSC, look for:

  • Posts with high impressions but low CTR
  • Pages that rank for relevant keywords, but not as high as they should

Google Search Console – Pages with high impressions & low CTR

Consider this Truly Beauty blog post as an example.

Truly Beauty – Blog post

It already targets commercial keywords, like “best moisturizer for mature skin.”

But it ranks on page 4, 5, and beyond.

This means it’s nearly invisible in search.

Organic Research – Truly Beauty – Organic Search Positions

So, how do you fix that?

Check what they include that you don’t, like additional examples, FAQs, or expert commentary.

Then, improve the content by:

  • Updating it with fresh info, product comparisons, or reviews
  • Adding structure that matches search intent (like “best of” lists, buyer’s guides, etc.)
  • Enhancing formatting for scannability — with subheadings, bullets, and visuals
  • Filling gaps with missing subtopics or angles competitors cover

For instance, Truly Beauty could improve this post by adding:

  • A side-by-side comparison with other moisturizers
  • Tips from skincare experts
  • More visuals (like product images, charts, or before/after shots)

These updates would help align the content with what searchers expect. And give it a better shot at ranking.

Create New Content

Creating new content for every platform should be an ongoing part of your strategy.

For each platform, ask:

  • Is the user trying to learn, compare, or act?
  • What format do they expect — video, reviews, short posts, or product pages?
  • What would build trust or answer their next question?

Semrush’s Topic Research Tool helps you find new content ideas.

Open the tool and enter a topic. Like “best body scrub for glowing skin.”

Then, select your target location and click “Get content ideas.”

Topic Research – Best body scrub for glowing skin

Click on a relevant subtopic.

And go through the “Questions” column to see what users are actively searching for.

For example, Truly Beauty could turn common questions into helpful content that drives conversions.

Like “What are some good homemade body scrubs?” and “How do you make a homemade scrub?”

Topic Research – Best Body Scrub for Glowing Skin – Content Ideas

Analyzing competitor content can also help you come up with great topic ideas.

Look at top-performing content across platforms where your audience searches.

Pay special attention to:

  • Content themes
  • Hooks
  • Formats
  • Captions
  • Hashtags

For instance, Truly Beauty’s audience might search “best body scrubs for glowing skin” on TikTok.

The brand could explore top-performing videos around that phrase.

And analyze what makes them successful.

TikTok – Best Body Scrub for Glowing Skin

Then, they could use what they find to create videos that mirror those formats — while tailoring them to their product and audience.

(And you can, too.)

Repurpose Content

Don’t let great content live in one place.

The most efficient strategy turns one strong piece into many platform-specific assets.

Start with your highest-performing content.

Then, adapt it to match how your audience consumes information on different platforms.

Truly Beauty – Blog – Best foods for skin

For example, Truly Beauty could transform their “12 Best Foods for Your Skin” blog post into the following:

  • Email newsletter
  • Pinterest infographic
  • Facebook and Instagram carousels
  • TikTok, Instagram Reels, and YouTube Shorts
  • Twitter/X or Bluesky thread

One idea → multiple formats → broader discovery.

This way, you can easily scale content across the entire search experience for every platform.

Long Form Content

Step 5: Optimize Owned Touchpoints

When someone lands on your site, they expect it to:

  • Load fast
  • Feel trustworthy
  • Make it easy to take the next step

In fact, search engines like Google look at user experience signals when ranking pages.

That’s why this step focuses on performance, structure, and clarity, so your site works for users and ranks highly.

Improve Site Performance

Slow-loading pages lead to higher bounce rates, missed conversions, and lower rankings.

Use PageSpeed Insights to analyze your site.

And view your Core Web Vitals scores, which are Google user experience metrics.

These metrics measure user responsiveness, visual stability, and the speed at which your main content loads.

For example, Truly Beauty’s website failed the Core Web Vitals assessment on both mobile and desktop.

PageSpeed Insights – Truly Beauty

The good news?

PageSpeed Insights also shows exactly what’s slowing your site down and how you can fix the issues.

So, Truly Beauty can improve site performance by taking steps like reducing JavaScript execution time and minimizing main-thread work.

PageSpeed Insights – Truly Beauty – Diagnostics

For a deeper look at your site’s speed and usability, use Semrush’s Site Audit tool.

Note: A free Semrush account allows you to crawl up to 100 URLs using Site Audit. Or you can use this link to access a 14-day trial on a Semrush Pro subscription.


Enter your domain and configure the tool to set up your first crawl.

Once your report is ready, you’ll see a “Site Performance” score in the “Overview” tab.

For instance, Truly Beauty has a site performance score of 95%.

Click “View details” for more information.

Site Audit – Truly Beauty –Overview – Site Performance

Here, you’ll see the average load speed of your site.

Truly Beauty has an average page load speed of 0.31 seconds, which is outstanding.

Site Audit – Truly Beauty – Site Performance

You’ll also learn if Site Audit detected any issues with your site, categorized by priority:

  • Errors: Highest priority
  • Warnings: Medium priority
  • Notices: Lowest priority

Click “Learn more” for details on how to fix each issue.

Site Audit – Truly Beauty – Site Performance Issues – Learn more

Once you’ve addressed the issues, re-run the audit.

You’ll likely see improved site speed and performance (if you’ve correctly fixed the issues).

These technical improvements will strengthen your search experience optimization efforts.

And improve the experience for your users.

Add Trust Elements

Trust elements give users the confidence to take action, whether that’s making a purchase, booking a demo, or signing up.

Add them anywhere users evaluate options or make decisions.

Including product pages, landing pages, checkout screens, pricing pages, and even comparison blog posts.

Trust elements include:

  • Star ratings or review counts
  • Customer testimonials
  • Author bios with credentials
  • Security badges or payment icons
  • User-generated content, like photos or quotes

For example, Truly Beauty shows a variety of trust elements on its product pages.

Like ratings, reviews, and customer-submitted photos.

Truly Beauty – Variety of trust elements

This creates a compelling social proof ecosystem that reduces purchase anxiety and enhances your brand perception.

Clean Up Structure and Layout

Messy layouts confuse users and slow them down.

In contrast, a clean and consistent structure makes your page easier to read, navigate, and act on.

Take a look at how formatting impacts readability on mobile:

Hard-to-skim vs. Easy-to-skim Paragraphs

Which one do you think is more readable?

Shorter paragraphs and clear spacing make content easier to scan and understand.

Here’s how to improve your site’s structure and layout:

  • Break up long paragraphs into shorter chunks
  • Use clear, descriptive headings to guide the flow
  • Keep visual design consistent: fonts, spacing, and colors
  • Make key elements like CTAs, pricing, or product features easy to spot

For example, this Truly Beauty blog post does some things well.

Including scannable headings, bullet lists, and plenty of white space.

Truly Beauty – Blog – Good practices

But they could increase the font size to make the content easier to read and skim.

Step 6: Strengthen Your Presence Across Discovery Channels

Some of the most important search moments happen off your website.

In this step, you’ll focus on optimizing how you appear on social media sites, niche forums, and more.

Optimize Your Profiles

Your profile should instantly tell visitors who you are and why they matter to you.

So, review your bio, visuals, and links on every priority platform.

Each one should reflect your brand clearly and feel native to how people use that platform.

Truly Beauty’s Instagram bio is short and clear. But there’s room for improvement.

It doesn’t highlight what sets the brand apart, including a strong hook or call to action.

Instagram – Truly Beauty – Bio

They also don’t have pinned posts.

And their Highlight covers aren’t clear or consistent with their brand visuals.

Instagram – Truly Beauty – No pinned posts

Conversely, makeup brand Too Faced does a great job here.

Their Instagram bio is short but expressive:

Instagram – Too Faced – Bio

Their Instagram Highlights are organized by category — from new product drops to event looks.

Instagram – Too Faced – Highlights

They even include multiple links and a “Shop” button to drive action directly from the page.

Instagram – Too Faced – Shop button & links

On TikTok, Too Faced takes a different but equally strategic approach.

The brand uses playlists to categorize videos by product type.

TikTok – Too Faced – Playlists

And the pinned posts showcase high-performing videos with bold thumbnails and direct product demos.

Which is perfect for TikTok’s users, who prefer short, visual content before buying.

TikTok – Too Faced – Pinned videos

Engage with Followers

Getting questions or comments on your social media posts?

This is a great opportunity to engage with your audience and offer helpful information.

Truly Beauty engages with users in the comments.

And responds to feedback, answers questions, and shows appreciation for its customers.

Instagram – Truly Beauty – Comments engagement

This kind of interaction builds trust and shows followers there’s a real team behind the brand.

Collaborate with Trusted Voices

Want a fast way to build credibility?

Partner with the creators your audience already trusts.

Find the voices influencing those spaces — and team up.

Truly Beauty works with influencers to promote products.

Instagram – Truly Beauty – Influencers

But when it comes to creator partnerships, makeup brand Morphe takes this strategy to another level.

They regularly collaborate with beauty creators to launch products, demo looks, and drive buzz.

Like this influencer collab that got them over 2.4K likes and 60+ comments:

Instagram – Morphe Brushes – Influencer collab

Step 7: Monitor, Measure, and Optimize

You can’t optimize what you don’t track.

To improve your performance over time, you need visibility into how people discover and engage with your content, products, or services.

And what happens next.

Start by identifying which metrics you want to prioritize.

Here are some examples:

  • Google: Rankings, click-through rate (CTR), impressions
  • YouTube: Watch time, average view duration
  • TikTok: Engagement rate, profile clicks
  • Amazon: Conversion rate, product search visibility
  • Instagram: Post engagement rate, profile visits, bio link clicks
  • Reddit: Upvotes, comment volume, brand mentions
  • Your website: Goal conversion rate, bounce rate, scroll depth, time on page

Then, choose the right tools to track these metrics.

Google Analytics 4 and Google Search Console provide essential data to track your SEO performance and user experience improvements.

For instance, on GA4, you can navigate to “Reports” > “Acquisition” > “Traffic Acquisition” to view your site’s traffic sources.

GA – Traffic Acquisition report

YouTube Studio, TikTok Insights, and Instagram Insights provide platform-specific data.

Like views, watch time, and subscribers.

YouTube Studio – Analytics

Use what you learn to improve weak content and fix UX issues.

You may also want to add specialized tools for social media and website performance.

Like heat mapping, session recording, and conversion analysis.

Clarity – Microsoft – Heatmaps

Ready to Improve Every Search Touchpoint?

The search journey in 2025 isn’t linear anymore. And your strategy shouldn’t be either.

The brands that win won’t be the ones with the most blog posts.

They’ll be the ones who show up with the right content, in the right format, on the right platform — at the moment it matters.

To make that happen, you need a strategy built for how people actually search.

Use our free checklist to turn what you’ve learned into a clear, actionable strategy.

Next up: Check out our definitive guide to on-page SEO, a crucial component of any effective SEO strategy.


The post Search Everywhere Optimization Guide (+ Free Checklist) appeared first on Backlinko.

Read more at Read More

Site Kit by Google insights in your Yoast SEO Dashboard

Ever feel frustrated having to jump between different apps just to check your site’s SEO performance? We’ve simplified things for you. Yoast now seamlessly integrates insights from Site Kit by Google (Google Analytics and Search Console) right into your Yoast Dashboard, giving you one clear view to manage your website’s SEO effectively.

Here’s why you’ll love this:

Connect once, get instant clarity: Easily link your Yoast Dashboard and Site Kit by Google just once, avoiding multiple logins and complex workflows.

Instantly see where to focus your efforts: Efficiently recognize your best opportunities to boost visibility and rankings, allowing you to prioritize SEO tasks effectively.

Stay effortlessly informed: The Yoast Dashboard integration with Site Kit by Google connects your analytics and search data seamlessly in one place, so you can quickly see important metrics like organic traffic, impressions, clicks, and bounce rates without switching tabs.

How to connect your Site Kit by Google to the Yoast SEO Dashboard

  1. Update your Yoast plugin to the latest version.
  2. Go to your Yoast Dashboard in WordPress.
  3. Follow the steps in the Site Kit installation widget.
  4. Start reviewing insights directly in your Yoast Dashboard.

Connect Site Kit by Google to your Yoast Dashboard today and simplify your SEO workflow!

Disclaimer!

Please note that we’re rolling out this new feature in phases. This means that you might not see the Site Kit integration in your Yoast Dashboard yet. Eventually, this integration will be available to everyone, so stay tuned!

The post Site Kit by Google insights in your Yoast SEO Dashboard appeared first on Yoast.

Read more at Read More

Integrating human insight with AI-generated content: How to maintain E-E-A-T

Now that so many people use AI tools to create content, the questions about the credibility of those tools keep popping up. Can you really make AI-generated content and still meet Google’s E-E-A-T standards? Of course, the answer is yes, but there’s a limit to what you should let these tools do. Incorporating human insights in AI content can help uphold these standards.

AI is a tool, not a replacement for you

AI helps you move faster and do more, but it can’t replace humans (yet). Do you want readers to trust your content and have it seen as a reliable source in traditional and AI-driven search? Then, you need to have people involved in every stage of the content production process.

In this article, we’ll discuss how to combine AI content with human editing to maintain experience, expertise, authoritativeness, and trustworthiness. But we’ll also discuss what happens if you don’t do that.

AI can help you start, but humans make it credible

AI tools like ChatGPT, Claude, and Gemini are trained on enormous data sets. These tools are very good at outlining topics, summarizing facts, and writing initial, high-level drafts of articles. However, the benefits stop there, and going much further will present a risk.

You must remember that AI does not have the intent, context, or experience in your industry. With all the low-quality content that’s spit out daily, that matters more than ever. Google, using the AI Overviews and AI Mode, is trying to surface content that shows real insights from real people.

But why does human involvement matter so much? AI is great, but it often misses nuances and is prone to add filler to your content. It’s also very good at oversimplifying topics. And, because of the way these systems were taught, they cannot pick up evolving best practices or shifts that happen in the real world.

What’s more, if you let the AI run wild, it can even produce content that’s factually wrong. These hallucinations are so confidently written that they sound like they are true, which makes it harder to detect misinformation.

What to do?

It’s fine to use AI, but use it to help you structure content or brainstorm, and don’t publish anything directly. Always use real editors with real knowledge of the topics to fact-check, correct the tone, and make sure the message is on point. This helps you improve trustworthiness in E-E-A-T. You should show that you wrote your content with good intent and oversight.

Our Principal SEO, Carolyn Shelby, wrote The Role Of E-E-A-T In AI Narratives: Building Brand Authority For Search Success for Search Engine Journal. That article provides more insight into this topic.

Carolyn also wrote an insightful post on how to optimize content for AI LLM comprehension using Yoast’s tools.

Relying too much on AI can lead to risk

Remember that AI-generated content is not perfect. In fact, if you use it without having actual people working on it, it could hurt your visibility or reputation. In the end, this could hurt your business. But what are some of those risks when you over-rely on AI content?

False authority and misinformation

Search online and you’ll find many stories describing how AI wrote things that are just plain wrong. AI can misstate facts, make up statistics, and even come up with well-known experts that don’t exist. Publishing content like this in your brand’s name can damage your trustworthiness. What’s more, when search engines or visitors lose trust, it’s very hard to regain that.

Outdated or incomplete information

While there are many developments on this front, with grounding/RAG and LLMs connected to search, most models aren’t updated in real-time. These models often don’t know the latest insights until you specifically tell them. It’s easy to create outdated AI content when you don’t keep a very close eye on this.

Content redundancy

As you know, AI tools get data from existing sources, which will lead to content that looks a lot like content that’s already out there. If your content only repeats those same things, it’s very easy for search engines to ignore your site. It will be hard for Google to see your site as an authority on the topic.

Legal and compliance issues

There are many topics and industries that are very risky to publish on, for instance, the medical, financial, and legal fields. If your AI tool spits out incorrect advice and you publish without a human doing the fact-checking, your business could be found liable in court.

Trust breakdown with your audience

Remember that your readers are also developing a nose for AI content. When they sense that something sounds too generic or disconnected, they might move on to your competitor’s content, if that’s real. This will especially hurt industries that thrive on expertise and trust.

Add experience to strengthen the E’s

The biggest update of E-E-A-T was the addition of Experience. This is Google’s way of recognizing content created by people who have done or experienced what they wrote about. AI does not have this experience; real human beings do.

So, how do you do this? Be sure to include real stories from your team, clients, or projects, ideally with real names, results, and lessons learned. Give internal experts, such as engineers, consultants, or practitioners, a voice and direct input in your content. Don’t forget to interview team members and customers and use their perspectives in your content.

Giving your content more context can also make it stand out more, even in AI search. For instance, instead of simply writing “Solar panels reduce energy bills,” write, “After installing 28 commercial panels, our client in Portland, Oregon, cut annual costs by 35% — enough to pay off the system three years early.”

Make it easy for Google (and your audience) to trust you

Google’s systems, including AI Overviews and AI Mode, look at a lot more than just the words on your page. Google looks at all of the signals surrounding your business and yourself. These signals can help it understand if you and your content are trustworthy.

Improving your credibility signals for users and search engines starts by adding clear bylines with author bios that link to real credentials. This way, it’s easier to find out who is behind the content and why it makes sense for them to write about the topic. Support this with proper structured data, like schema markup for authors, products, reviews, and what else makes sense. Search engines use this to understand your content.

Remember to cite high-quality sources when referring to data instead of vague phrases like “research shows.” Also, set up a system to gather and use reader feedback so you can immediately fix things when they are unclear or plain wrong. Try everything to build and maintain trust while keeping content quality high.

Keep an eye on your Knowledge Graph. Try to get your brand and your experts or owners recognized as entities in search through structured data, Wikidata, Google Publisher Center, or by getting other citations. Think of authority and trust in E-E-A-T as something more visible, both to users and large language models (LLMs).

Always show who’s behind the content

AI content isn’t “real”. You, as a writer, are real. The best way to make your content real is by showing who wrote or reviewed it. Plus, you should show what makes them qualified to write about it. Transparency supports user trust and sets content apart from generic, anonymous posts.

Now, you don’t need a PhD from Harvard to be recognized as an expert for E-E-A-T, but you do need real-world, verifiable experience. In addition, you should publish author bios on your site with specific roles and industry backgrounds. You can also add an editorial or “reviewed by” credit for topics that your experts have fact-checked and edited.

Many big publishers have content guidelines and/or review policies that are available to read at any time. In those guidelines, you might have something simple, like what kind of disclosure you use when you’ve used AI to create a piece of content. That might be something simple like: “This article was drafted using generative AI and reviewed by [Editor Name], [Job Title] at [Company Name].”

Final thoughts

AI is a helpful tool for quickly generating content, but it shouldn’t replace real experiences, insights, or proper editing. Without the human element, you’ll miss the quality and trustworthiness needed to succeed with your content.

If you want your brand to be mentioned in AI search results and stand out amongst the competition, you need to make it clear that there are real people behind this content — real people with real knowledge and experiences.

Feel free to use AI where it can to speed up your work. But do make sure that the essential parts that your readers and search engines will value most are always human.

Google’s guidance on using AI-generated content (for quick reference)
The bottom line is that using AI is fine as long as the final content is accurate, original, clearly labeled when necessary, and actually helpful to users.

  • Generative AI can support research and help structure original content—but using it to mass-produce low-value pages may violate Google’s spam policies, especially those related to scaled content abuse.
  • Content must meet Google’s Search Essentials and spam policy standards, even when AI tools are involved.
  • Focus on accuracy, originality, and value—this includes metadata like </code> tags, meta descriptions, structured data, and image alt text.</li>
  • Always ensure your structured data aligns with both general and feature-specific guidelines, and validate your markup to remain eligible for rich results.
  • Add transparency by explaining how the content was created—especially if automation was involved. This could include background details and appropriate image metadata.
  • Ecommerce sites must follow Google Merchant Center’s policies, including correctly tagging AI-generated product data and images (e.g., using IPTC metadata).
  • Review Search Quality Rater Guidelines sections 4.6.5 and 4.6.6 to understand how low-effort or unoriginal AI-generated content may be evaluated by Google’s systems.

Source

The post Integrating human insight with AI-generated content: How to maintain E-E-A-T appeared first on Yoast.

Read more at Read More

The beginner’s guide to SEO reporting

When you work on your site’s SEO, reflecting on those efforts should be part of your ongoing strategy. Whether it’s for a client, your manager, or your team, creating an SEO report is the best way to do so. This helps you justify your efforts, keep track of performance and figure out what needs to be tackled next. And it’s not as hard as you would think. In this blog post, we’ll explain what SEO reporting is and take you through the process step by step.

Search engine optimization (SEO) helps drive more traffic to your site and improve your brand image. It should be part of anyone’s marketing strategy whose goal is to grow their (online) audience. Originally focused on performance in organic search, SEO now entails much more than that. It helps you build a strong brand name, become an authority in your field, and be visible on the platforms where your audience can be found. All this is to increase customer loyalty and grow your business.

What is SEO reporting exactly?

SEO reporting is best described as evaluating your online marketing efforts and presenting the outcomes in a report. This can be a report you create for yourself, your team, management, or a client. Often, a company has a specific template they use to do SEO reporting regularly (for example, every month). This can be in the form of a slide deck, online document, Excel sheet, or online dashboard. But it can also be any other reporting tool you feel comfortable with or your company uses for presentations.

In an SEO report, you will find metrics related to a website’s performance and other marketing activities related to SEO. This helps you track how your SEO strategy is performing and where tweaks are needed. That’s why an important part of any SEO report is the interpretation of metrics and conclusions that come out of that.

What to include in your SEO report

Whether you’re creating an SEO report for internal use, or for your client(s), it’s good to have a template. This allows you to compare recent findings with earlier ones, regardless of the frequency with which you’ll be reporting. Of course, you can make changes to this template along the way. But having a template saves you time and helps you recognize bigger issues and opportunities over time.

Naturally, it depends on your business goals what should be in your SEO report. The most important thing is that your SEO report reflects your (or your client’s) goals. This is to understand how your marketing efforts are contributing to reaching these goals and what actions need to be taken. But there are a few basics that most of us will want to include.

A general data overview

Start with an overview of the most important data for your business or website. This gives you an idea of how you’re doing right away. Especially when you’re reporting regularly, this overview will tell you or your client how the website (and online business) is performing. You can also choose to include data from the previous period (or the previous year) for comparison.

Website data to include:

  • The number of site visitors
  • Number of purchases (or other actions you want people to take)
  • A visualization of your traffic over the selected period 
  • Keyword rankings for a few important pages
  • A traffic overview by source or medium 
  • The type of visitors (new or returning)
example of a overview in an SEO report
Example of a general overview in an SEO report

Data on (content) performance

The general overview gives a quick insight into the current state of play, but to figure out how you got there, you must go into more detail. That’s why your report should include a closer look at content performance. Make sure to include data on your most important pages, such as product pages, popular blog posts, or other landing pages that attract a lot of people. 

Collect data such as page views, visitors, engagement, event count, revenue, and traffic sources. You don’t have to include everything, as this will be overwhelming and will probably cause people to lose interest. Look at the data of your most important pages, pick out the numbers that stand out (growth or decline) and add those to your report. It can be tempting to focus solely on the positive numbers but also include the negative ones to paint a realistic picture. This speaks to your credibility, makes it easier to spot issues before they get out of hand and helps the company in the long run.

Other elements to include here are an overview of new backlinks to the website, stats related to site health and the Core Web Vitals, and an overview of keyword rankings. But do remember that keyword rankings can change on a daily basis, and obsessing over individual drops in rankings isn’t going to help your overall SEO. Use these averages to get an idea of whether your overall rankings are dropping and what you can do to get your organic traffic back up again.

Activities previous period

When you have had a look at the data, it’s time to summarize what has gone out that month (or period of your choice). Use this section to highlight how many posts have gone out on social media, how the audience has interacted with those, what blog posts have been written or updated, and how your running ads are performing. But you can also include other online or offline marketing activities to show what has been done. 

Where possible, you can tie this in with any peaks in traffic or engagement. Or it can help you explain why some areas have gotten less attention than others. Either way, use this to make sense of the data and to highlight the hard work that has been put in by the team.

A summary with recommendations

Always end your SEO report with specific action points that come out of that month’s evaluation. It helps to start with a summary of the ‘highs and lows’ that were brought up in the report so far. For example, if you have noticed a noticeable drop in rankings, and therefore organic traffic, to one of your most important pages, it will make sense to focus on getting to the bottom of that in the coming weeks. And making improvements based on your findings. Or if a new type of social media post did very well, another action point could be to create a series of those and see if you can keep this success going. 

But this last part is also a moment of reflection on a bigger level. Are you still on track with the business goals, or any specific SEO goals you’ve set for yourself? And don’t forget to go through the action points you thought up in the previous SEO report. Were you able to get those done? Are a few of them still in progress? Or are there any blockers that you need help with? Make sure to end with an action plan for the upcoming month and a team (or client) that’s on board with everything discussed.

Creating an SEO report: step by step

Now that you know what to include, let’s talk about how to get started with your SEO reporting. Before you start pulling together the data, it’s important to set clear KPIs and create a setup that works for your company.

1. Set up your KPIs

The first step is to define KPIs, which stands for key performance indicators. These should be measurable goals, based on the marketing goals and/or business objectives within the company. To give a simple example, if one of the marketing goals is to grow traffic to your website, a corresponding KPI can be to increase your organic traffic by 10% that year. Other popular KPIs are conversion rate, overall rankings, click-through rates, bounce rate, page load time, and branded/non-branded traffic.

Make these KPIs realistic, especially when you’re setting expectations with a client, and reflect on the progress in your SEO reports to stay on track. I would suggest not focusing too much on maintaining certain rankings or data on specific pages. Rankings are heavily subjected to external factors and can change daily, and zooming in on one page too much can make you lose perspective. Of course, a drop in traffic for an important page is something to keep an eye on and can be a reason to make some adjustments. But keep the overall KPIs in mind and be aware of the bigger picture, while tweaking what’s needed without obsessing.

2. Set up the structure for your report

Choose a tool for your SEO reporting. This can be a presentation tool that your team often uses, an information-gathering tool such as Excel or an Analytics dashboard, or one that your client is familiar with. Just make sure that you can set it up yourself and make tweaks when needed. 

Add the sections that we’ve discussed above: a general overview, data on performance, marketing activities, and a summary with recommendations. I would suggest looking at your KPIs to figure out exactly what you want to show in the general overview and data on performance section. So, if your main KPI is growing your conversion rate, make sure that you add the data on this KPI to the general overview.

Test drive your new report by filling in this month’s data (or whatever period of time you choose). See the next step on how to tackle this. But this will help you figure out if the setup works for you in its current form. Always tweak when needed, whether that’s right now or a few months along the line. This report should work for you, you shouldn’t be jumping through hoops to get it to make sense. 

3. Gather and fill in the data

It’s time to start retrieving the data you need. There are a few tools you can use. For the general overview and data on performance, you can mainly rely on Google Analytics and Google Search Console. To get an easy overview of your marketing activities for that month, your own marketing calendar and the platforms that you posted on will give you the insights that are needed.

Data on website performance

For the general overview and data on performance, we are going to use Google Analytics and Search Console. Here you’ll find data such as visitor numbers, engagement, number of purchases (you will have to set this as an event), visualizations of your traffic, keyword rankings, traffic overview by source/medium, and type of visitors. Stats related to site health and your Core Web Vitals can also be found in Google Search Console. Lastly, if you want to get an overview of your backlinks, Semrush can provide you with that. 

A screenshot of the ‘performance on search results’ section in Google Search Console

While you’re putting those numbers into your report, remember to be mindful of how you present them. Don’t just throw everything in there and overwhelm (yourself and) others with raw data. Highlight important data and make visualizations of certain data to break up the wall of text. You can also just copy and paste a few graphs and add those in. Using a graph to show overall traffic or pie chart to show traffic by source/medium can already make a big difference.

Write down what speaks to you while filling in the data. What has been a success this month and what are areas that need more attention? And if you see something that you can’t explain right away (f.e. a drop in traffic, or a post that has an enormous amount of views), try to figure out what happened there so you can answer questions that people will inevitably ask about them.  

Data on marketing activities

If you keep a marketing calendar, this is a great way to reflect on what you’ve published in the last month. Use this to summarize how many blog posts, social media posts, videos, newsletters and other marketing-related activities you’ve worked on. This includes other activities such as attending events, workshops, appearances you’ve made, or perhaps even print media.

When it comes to blog posts you’ve published, you could highlight one that stands out and use data from Analytics and Search Console to explain how it’s performing so far. Or you could just add the numbers up and give an idea of the overall effect of this content. Keep in mind that content needs some time to get noticed by people, so don’t fret if it hasn’t done that much yet. 

Also, use this section to evaluate your social media posts and videos that you’ve uploaded to channels such as YouTube. I would recommend going to the platforms where you’ve posted content and using their analytics tools to see how well they’ve performed. This shows you what content works best and helps you draw conclusions from data from the source itself. 

For other marketing activities that have happened that month, it really depends on the activity how to mention it in your report. If it’s an offline event or workshop, try to get some feedback from (potential) customers on their experience. When it comes to print media, you could try and get some idea of the effect by how many people have contacted you after seeing it. Just make sure to think about these things beforehand, to get an idea of the effect of these activities.

4. Evaluate and take action

When you’ve added the relevant data and summarized your marketing efforts, it’s time to properly evaluate. Go through your report and write down any patterns, issues, successes and opportunities. Add these to your overall summary and compare these findings to the ones you found last month (or the months before that) to recognize bigger issues and successes. This will allow you to properly evaluate your findings and turn them into actionable recommendations and action points.

When you’ve completed your SEO report and know what actions come out of it, it’s a good idea to present it internally. Or to your client. This helps them understand what you (and the team) have been working on and will probably spark a discussion that helps you figure out what to pick up first. Finally, after sharing this report with the relevant people and agreeing on next steps, make sure to plan these so they don’t get lost. Make a realistic plan for yourself or the team and pick up the action points to set everything in motion. And plan in the next SEO report to keep this cycle going!

Conclusion

Any good SEO report, whether this is for yourself or a client, starts with clear KPIs. Make sure to get those done before you start evaluating your SEO efforts. This will allow you to set up a proper template for the report and figure out what data you need to look at. Use the right tools to get the data you need, but don’t get lost in trying to report on everything. Show the relevant data and present this to the relevant parties to get everyone on board. Use all of this to figure out what your next steps are and follow up on the action points to make sure you keep focusing on the right things. Happy SEO reporting!

Read more: How to track website traffic: how many people are visiting your site? »

The post The beginner’s guide to SEO reporting appeared first on Yoast.

Read more at Read More

Turning data into actionable insights: a data-driven SEO strategy

Modern SEO is all about data. Rankings can change overnight, user behavior as well, and search engines increasingly use AI to power the search results. To be able to respond, your decisions should be dictated by real, measurable insights. This article offers a practical way to turn SEO data into actionable insights.

The role of data in modern SEO

The search landscape is more complex than ever, so you need all the help you can get. By analyzing data, SEOs and business owners can learn and understand what works and what doesn’t. Metrics from tools like Google Analytics and Search Console provide glimpses of how visitors behave, keyword usage, and page performance. Using data to make decisions takes the guesswork out of the SEO work.

Good data gives you a clear picture of user engagement. For instance, tracking engagement time, engagement rates, and click-through rates will reveal whether content meets audience needs. These are crucial data insights that uncover gaps that might hinder performance. Data-driven insights help you understand what to focus on and what to prioritize.

Data doesn’t just identify issues, but also opportunities. Trends in keyword performance or a shift in traffic sources can lead to new content ideas or a new market to target. This is data-driven marketing, as you are making decisions based on evidence instead of hunches. These insights will lead to strategies focused on real user behaviors, which should lead to better results.


The goal isn’t to find interesting stats — it’s to find what you can do next. In SEO and AI-driven search, the data that matters is the data that leads to action: fix this page, shift that content, change how you’re showing up. If your insights don’t lead to decisions, they’re just noise.

Carolyn Shelby – Principal SEO at Yoast


A Yoast example

Let’s take a simple example from Yoast. We noticed one of our articles (What is SEO?) was gradually losing traffic and slipping in the rankings for key terms. The content hadn’t been updated for a while, so we took a closer look. We analyzed the search results and compared our article with those from competitors. We looked at intent, structures, relevance, and freshness. It was easy to see that our article lacked depth and context in key areas.

We wrote a good brief for the article and detailed the work needed. Then, we rewrote sections, updated examples, improved internal linking, and made it generally easier to read. We also added new custom graphics and on-topic expert quotes from our in-house Principal SEO, Alex Moss.

After republishing, the article quickly regained visibility. Plus, it climbed back towards the top of the search results, which brought in extra traffic. This was a clear reminder for us; when data shows a drop, improving the quality of the content backed by a good analysis can still win.

And an example of going from data to actionable insights to results

Turning data into insights

You need a process to quickly and systematically turn raw data into valuable insights. Eventually, you’ll get these insights once you ask the right SEO questions, gather the data, analyze it, and plan accordingly. 


Start with your goals, then ask: what’s holding us back? Actionable insights live in the gap between where you are and where you’re trying to go. That gap is different for every site and that’s what makes good analysis so powerful.

Carolyn Shelby – Principal SEO at Yoast


Step 1: What do you want to know?

Start by writing down the SEO questions you want answered. Do you want to improve performance, get more organic traffic, or better engagement? Analyze a traffic drop? For instance, an online store owner might want to understand why certain product pages don’t convert as well as expected. Thinking these things through before you start digging into the data makes it easier to focus on the metrics that matter.

Step 2: Gather the relevant data

Collect the data you need using tools like Google Analytics, Semrush, Wincher, Ahrefs, or other platforms that can power your data-driven SEO strategy. If you’d like to investigate a product page with subpar performance, you’ll look at page views, click-through rates, average engagement times, and engagement rates in GA4. Data like this should give you an idea to find and address the issues. 

Step 3: Analyze and spot trends

Dive into the data and try to spot patterns and trends. For example, an educational site might notice that articles on a particular topic get a lot of traffic but low engagement. Digging deeper might find that the titles of the articles attract visitors, but for some reason, the content doesn’t keep them interested. Trends like these help turn that data into insights that you can act upon. You can also use things like segmentation to find differences between groups of people from specific regions, who could engage wildly differently with your content. 

Step 4: Turn findings into actions

Once you’ve pinpointed the issues, it’s time to decide what you want to do. For instance, if you’ve found that an article has a low engagement rate because of the time it takes to load the page, you could fix the images and scripts on the page. Or, if you find that some keywords get traffic, but no conversions, you might need to improve the CTA on the page. Or it might be a search intent mismatch to fix. This is the thing that turns the insights from data into actionable insights.  

This is a nicely structured way of getting the insights needed to inform your data-driven SEO strategy. You can use every piece of information you find to improve your work as you go. This will not only help you understand the data but also make it easier to make the improvements needed to reach your SEO and business goals. 

An example: Addressing brand performance in LLMs

For this example, think of a tech publisher named Digital Mosaic. It’s a reputable source for in-depth news from the tech industry. Recently, their marketing team noticed something off. Users interacting with AI search engines and large language models (LLMs) like Google Gemini or ChatGPT rarely saw mentions of the Digital Mosaic brand. In other words, even when asked for the latest tech insights, the AI-driven sources and answers often omitted Digital Mosaic in favor of other options. 

After finding the issue, the team started analyzing data from various analytics platforms, brand mention trackers, and user surveys. They found their SEO and content work was pretty good, but the content was not properly optimized to help LLMs surface it. The data showed that their content lacked the language and brand signals needed to help LLMs understand the brand’s authority. 

When they found this, the teams got to work to improve how LLMs perceive their content:

Improving brand signals

The content team added clearer brand signals to their content, and each post received better metadata and structured data. The goal was to clearly tie the brand to the content to help LLMs recognize the sources. 

Changes in content

Next, the team restructured certain articles to include branded segments, such as “Digital Mosaic Exclusive Analysis” or “Today’s Tech Insights by Digital Mosaic”. This makes the brand more visible to users and gives LLMs a chance to associate the content with the brand, coming from a trusted source.

Investing in partnerships and collaboration 

The publisher set up a series of collaborations with well-known tech influencers and other outlets. They made co-branded content and were mentioned in many podcasts and webinars. This helped improve the brand’s presence in online conversations. LLMs love to look for what’s available on third-party sites about brands while generating responses. 

Rinse and repeat 

The team reviewed the changes’ performance to see if the LLMs would improve brand mentions. They used AI tools, like AI brand monitoring tools, to monitor and simulate the LLM outputs to see if the work was effective. Based on their findings, they would fine-tune their work and continue to improve performance. 

Within a few months, the results were encouraging. LLMs were increasingly showing content from and mentioning Digital Mosaic, and the brand’s footprint in LLMs was steadily improving. This did not just help visibility and increase the brand’s authority in the industry, but also led to a new source of traffic from AI search interfaces.

This fictional example shows how a publisher can use data insights to overcome a very specific challenge. Mixing traditional SEO solutions with new technologies helped Digital Mosaic turn data into actionable insights. Not only did it help the brand’s visibility right now, but it also prepared it for the AI-powered future.

Read more: How to optimize content for AI LLM comprehension using Yoast’s tools. 

Tools and techniques to get data insights

You need the right tools to turn data into actionable insights. This will be a mix of the tools we all know and love, and more specific ones to understand user behavior and site performance. 

We all start with Google Analytics 4 and Search Console. GA4 tracks many metrics, including user engagement, event counts, and traffic sources. Properly set up, it gives you a good overview of how users use your site. Search Console shows how your site performs in the SERPs, including keyword rankings, indexing status, and crawl errors. 

Tools like Ahrefs and Semrush provide information about backlinks, rankings, and search trends. These search marketing tools also have many features for competitive analysis and keyword research. You’ll get a big database of historical data, so you can spot and interpret trends over time. This data helps you with your data-driven marketing on all fronts. 

Looker Studio is a great tool to tie various data sources together and build dashboards
Looker Studio is a great tool to tie various data sources together and build dashboards

Advanced techniques and technologies

The are so many options to dive ever-deeper into your data to find the insights you need. Beyond the basics, you can use:

  • Segmentation: It could help to break up your data into specific audience segments. For instance, you could look at visitor behavior based on demographics, location, or the type of device they use. Segmenting data helps you understand why certain groups behave differently. For instance, if mobile users show lower engagement than desktop users, there might be something wrong with your mobile site.  
  • Trend analysis: Don’t just focus on looking at data for a specific day. It’s often better to look at metrics over different time periods. Look at the monthly or quarterly performance. This gives you an idea of the long-term impact of changes. 
  • Build dashboards to visualize data: Make a dashboard with data from various sources. Use tools like Looker Studio to combine Google data with SEO tools like Semrush and Ahrefs. This will give you reports that will show all key data at a glance. A dashboard makes it easier to understand data and communicate it with other team members or management. 
  • Big data: Big data is becoming increasingly important for data-driven SEO. Huge data sets can provide insights that smaller sets can overlook. They allow you to examine user behavior, search trends, and site performance at scale. With machine learning and automation, you can use big data to get better and faster results to inform your SEO strategy.

Iterative optimization and reporting

SEO is an ongoing process, and you’ll have to adjust course regularly. Don’t treat your site’s performance as a snapshot, but as something dynamic that evolves over time. Regularly looking at your data keeps you on top of things, from changes in user behavior to emerging search trends. 

Make it a routine

Schedule when you review data. This might be daily checks for urgent work or weekly to track short-term changes. For long-term trends, do monthly or quarterly deep dives. Route analysis helps you spot patterns that might not be so obvious at first glance. 

Test and experiment

With an iterative optimization approach, you test what works. For example, you could A/B test different page layouts, CTA buttons, or various meta titles. You might also try different content formats to see what gets more engagement. These tests will get you the data and insights needed to make the most of your SEO work.   

Feedback loop

A true feedback loop helps validate your improvements. After turning data into actionable insights, implement the changes in your content or technical SEO work. Keep updating your data to see if you need to refine your strategy. If a new tactic works, adopt it as a standard practice. But if it doesn’t work as intended, find out why and try a variation of it. Measuring trial and error and adopting your tactics makes you flexible and responsive.

Internet marketing tools like Wincher give key data points about your content's performance, like rankings
Internet marketing tools like Wincher give key data points about your content’s performance

Towards a data-driven SEO strategy

Using the knowledge you gain from turning data into actionable insights can greatly improve your SEO performance. Be sure to structure the data-gathering process: ask the right questions, collect the right data, analyze the trends, and create a system that turns those insights into action. 

What you change on your site isn’t even that important; it might be updating metadata, improving content, or diving into technical SEO aspects. If only what you do is the correct answer to the questions you wanted to have answered. 

Every insight can lead to big improvements in rankings and user engagement. Use this data-driven marketing approach to make the right decisions that will keep your SEO strategy effective in the future.

The post Turning data into actionable insights: a data-driven SEO strategy appeared first on Yoast.

Read more at Read More

How to track website traffic: how many people are visiting your site?

Just like most other website owners, you want your website to attract customers. But how can you see who visits your website? And how can you use this knowledge to increase website traffic over time? Luckily, there are loads of tools that can help you. Let’s get you started with the right one for your website without the need to become a data expert!

What is website traffic?

The term website traffic refers to the number of internet users visiting your website. Traffic can arrive from wide-ranging sources, such as directly typing in your website address, through other websites that link to your site, organic traffic (meaning they come to your site from the search results), paid traffic (people who click on your online ads), through your social media, and other channels. The total number of these users visiting your website combined is what we call website traffic.

How to check how many people enter a website

There are online tools that can help you make sense of your website traffic. These tools provide you with lots of different metrics, but we’ll go into the most important ones when it comes to website traffic.

Tools to track website visits

Numerous tools can help you track your website traffic. We’ll look at a few well-known tools that provide you with the insights you need.

Google Analytics

Google Analytics is the go-to tool for a lot of website owners when it comes to getting insights into their audience and website performance. What’s great about Analytics is that you can use it for free and it gives you loads of detailed insights. All the metrics mentioned above can be found in Analytics and give you the possibility to dive into visitor behavior and page performance. It allows you to mark key events, to track if people are performing the actions you want them to. 

The homepage gives an overview of data that Analytics deems relevant to you, based on your behavior in the tool. Some reports provide the metrics mentioned and much more, all focused on understanding your audience. Explorations allows you to create your own ‘reports’ to dive into one specific question you have or element you want a deeper understanding of. When you have Google Ads running, Analytics also provides insights into your ads and what actions to take there.

Screenshot Google Analytics 4
Screenshot of Google Analytics 4, found on Google’s blog

You will have to connect Analytics to your website, but luckily, there are tools out there that help you with that. Also, Google explains how to do this properly in their guide for beginners, which also gives you more information on this tool. One downside of Analytics, if you can call it that, is that all the information provided there can be overwhelming for some. They do expect you to find your way and figure out what data is relevant for your website. This makes it difficult to stay focused on the right things and not get lost in the woods.

Google Search Console

Another tool provided by Google, free of charge, is Google Search Console. Although there is some overlap with Analytics, this tool is focused more on showing your visibility in different parts of the Google ecosystem. Similar to Semrush, it’s very helpful when working on the performance of your pages and increasing website traffic. So if increasing organic traffic to your website is a big part of your marketing strategy, make sure to add this tool to your favorites. 

We have a beginner’s guide to Search Console, that goes into the details and explains how to set up an account. 

A screenshot of the ‘performance on search results’ section in Google Search Console

I wanted to mention this tool as it can help you boost your website traffic when used correctly. But if you’re mainly looking for a tool that provides you insights into your current website traffic, I would recommend investing your time in another tool first (f.e. Analytics). Search Console is great for figuring out what parts of your website you should work on, but if you want to take a step back and get familiar with your website stats first, then this might be for a later time.

Semrush

Semrush is another online tool that shows you how many people visit your site.e. This platform is used by a lot of people working on their website visibility. To give an idea, you can use Semrush to get data on your site’s performance, but it also allows you to do keyword research and compare yourself to competitors. 

Like Analytics, it provides a lot of information. But it does depend on your subscription on how extensively you can use this tool. There is a free version that may get you the data you need when starting out. It offers a site audit (of 100 pages), position tracking (for 10 keywords), personal recommendations, and traffic data such as visits, conversion, and bounce rate.

Semrush SEO dashboard
A screenshot of the ‘SEO Dashboard’ section in Semrush, from Semrush’s knowledge base

If you want to give Semrush a try, simply create a free account and fill in your website where the tool asks for your main domain. This will give you insights right away. You will notice that not all the data is available, and getting access to some more detailed stats will require an upgrade. But especially when you want to work on your SEO, Semrush gives you a lot of relevant information.

Metrics on website traffic

Every tool comes with different data, but there are a few relevant metrics that you will find in most of them. I’ll explain a few of them that will help you figure out who’s visiting your website and what they’re doing while on your pages.

Number of users

First of all, there’s the number of users. The number of total users tells you how many people have visited your website or a specific page in the selected period. In addition to the total number, you might also see the following metrics: active users, new users and/or returning users. 

Active users are the number of people who engaged with your page in that date range. Then there’s the difference between new users (the number of people who are first-time visitors of your site) and returning users (the number of people who have visited your site before).

Number of sessions

When a user opens your website, they start a new session. All the interactions that take place during the time they spend on your website are part of that one session. There’s no limit to how long a session can last, but it typically ends after 30 minutes of inactivity. If the user interacts with the website after that time or comes back at a later time, this will count as a different session.

Pageviews

When you encounter the metric pageviews, it tells you how many times a page is loaded or reloaded in a browser. Each time a user visits a page, it counts as one pageview—even if they refresh the page or navigate back to it multiple times. This metric helps measure how often your content is being viewed, regardless of how many unique users are visiting.

Source/medium

Source/medium tells you how users arrive at your website. The source is the specific origin of your traffic (e.g., Google, Facebook.com), while medium describes the general category of that source (e.g., organic, cpc, referral). Together, they give you insight into what channels are driving the most traffic and which ones could do better.

Engagement and events

Engagement rate is the percentage of sessions that were actively engaged, meaning users spent at least 10 seconds on the site, had a conversion event, or viewed two or more pages. It helps measure how meaningful or valuable a user’s interaction is. 

Events, on the other hand, track specific user actions—like clicks, downloads, video plays, or form submissions—providing detailed insight into how users interact with your content. Metrics related to engagement and events give you an idea of whether people are engaging with your pages and taking the actions you want them to take.

Other interesting metrics

Those metrics give you a lot of information about your website traffic, but of course, most tools offer you other interesting metrics as well. You could also look at the bounce rate, which tells you the percentage of users that leave after viewing just one page. The average session duration shows you how much time users spend on your site. Traffic by device gives an overview of how many of your users visit your website through desktop, mobile and/or tablet. Finally, top (performing) pages tells you which pages get the most visits.

Why you should know who visits your website

As I touched on in the previous paragraphs, data on your website traffic gives you insight into the behavior of your website visitors. Understanding who visits your website, and how they interact with it, helps you make more informed decisions about your website. It’s not just about counting clicks or visitors. It’s about uncovering trends, identifying growth opportunities, and optimizing the user experience to increase conversions, engagement, or other goals.

Are you visible on the right channels?

Knowing where your visitors come from, whether that’s organic search, social media, direct traffic, referrals, or paid ads, helps you measure the effectiveness of your marketing efforts. For example, if you’re investing heavily in social media campaigns but see little traffic from those platforms, that might mean it’s time to reevaluate your social strategy. On the other hand, high traffic from a specific channel might indicate a strong presence you can build on. This insight allows you to allocate your time and resources more strategically.

Pages that perform (or don’t)

Website data shows you how people are interacting with your pages, which tells you what your top-performing pages are and what pages need improving. Your top-performing pages might show high engagement, conversions, or time on site, indicating content that resonates with visitors. Pages that underperform can show you where users are dropping off or losing interest. This insight is invaluable for identifying what content needs updating, restructuring, or even retiring to improve your overall site performance.

Website performance over time

Tracking your traffic trends over days, weeks, or months allows you to assess the health of your online presence. Are you seeing growth? Seasonal spikes? Or sudden drops in traffic to your website? These patterns help you understand what’s working, what’s not, and how external factors might be affecting you. It also gives you a baseline to measure the success of any changes you’ve made to your website or other marketing activities.

Understanding your audience

Essentially, looking at the data that tells you who is visiting your website helps you get a deeper understanding of your audience and how your website is doing. This doesn’t mean you should be obsessing over these numbers daily, but having a monthly evaluation to go over everything helps you make informed decisions. Decisions that will improve your (online) presence and attract more people to your website.

Which tool is the best choice for you?

These tools are just the tip of the iceberg, but they are a great starting point when you want to keep track of your website visits over time. So, which one should you start using? If you’re looking for one tool that provides you with detailed insights into your website traffic (and therefore audience), I would recommend setting up Google Analytics first. It is the tool that’s focused on tracking website traffic and has the biggest variety of data.

To conclude

In this blog post, we discussed the importance of gaining insight into your website traffic. This can help you understand your audience and their behaviour and it helps you make improvements to your website. There are loads of tools out there, but the ones mentioned above are a great starting point. So make sure to choose one and get a grip on your website traffic!

Read more: How to measure the success of your content SEO strategy? »

The post How to track website traffic: how many people are visiting your site? appeared first on Yoast.

Read more at Read More

Web Design and Development San Diego

Top ways to ensure your content performs well in Google’s AI experiences on Search

As a site owner, publisher or creator, you may be wondering how to best succeed in our AI search
experiences, such as AI Overviews and our new AI Mode.
The underpinnings of what Google has long advised carries across to these new experiences. Focus
on your visitors and provide them with unique, satisfying content. Then you should be well
positioned as Google Search evolves, as our core goal remains the same: to help people find
outstanding, original content that adds unique value. With that in mind, here are some things to
consider for success in Google Search all around, including our AI experiences.

Read more at Read More