Optimizing Interaction To Next Paint (INP): A Step-By-Step Guide via @sejournal, @DebugBear

This post was sponsored by DebugBear. The opinions expressed in this article are the sponsor’s own.

Keeping your website fast is important for user experience and SEO.

The Core Web Vitals initiative by Google provides a set of metrics to help you understand the performance of your website.

The three Core Web Vitals metrics are:

This post focuses on the recently introduced INP metric and what you can do to improve it.

How Is Interaction To Next Paint Measured?

INP measures how quickly your website responds to user interactions – for example, a click on a button. More specifically, INP measures the time in milliseconds between the user input and when the browser has finished processing the interaction and is ready to display any visual updates on the page.

Your website needs to complete this process in under 200 milliseconds to get a “Good” score. Values over half a second are considered “Poor”. A poor score in a Core Web Vitals metric can negatively impact your search engine rankings.

Google collects INP data from real visitors on your website as part of the Chrome User Experience Report (CrUX). This CrUX data is what ultimately impacts rankings.

Image created by DebugBear, May 2024

How To Identify & Fix Slow INP Times

The factors causing poor Interaction to Next Paint can often be complex and hard to figure out. Follow this step-by-step guide to understand slow interactions on your website and find potential optimizations.

1. How To Identify A Page With Slow INP Times

Different pages on your website will have different Core Web Vitals scores. So you need to identify a slow page and then investigate what’s causing it to be slow.

Using Google Search Console

One easy way to check your INP scores is using the Core Web Vitals section in Google Search Console, which reports data based on the Google CrUX data we’ve discussed before.

By default, page URLs are grouped into URL groups that cover many different pages. Be careful here – not all pages might have the problem that Google is reporting. Instead, click on each URL group to see if URL-specific data is available for some pages and then focus on those.

Screenshot of Google Search Console, May 2024

Using A Real-User Monitoring (RUM) Service

Google won’t report Core Web Vitals data for every page on your website, and it only provides the raw measurements without any details to help you understand and fix the issues. To get that you can use a real-user monitoring tool like DebugBear.

Real-user monitoring works by installing an analytics snippet on your website that measures how fast your website is for your visitors. Once that’s set up you’ll have access to an Interaction to Next Paint dashboard like this:

Screenshot of the DebugBear Interaction to Next Paint dashboard, May 2024

You can identify pages you want to optimize in the list, hover over the URL, and click the funnel icon to look at data for that specific page only.

Image created by DebugBear, May 2024

2. Figure Out What Element Interactions Are Slow

Different visitors on the same page will have different experiences. A lot of that depends on how they interact with the page: if they click on a background image there’s no risk of the page suddenly freezing, but if they click on a button that starts some heavy processing then that’s more likely. And users in that second scenario will experience much higher INP.

To help with that, RUM data provides a breakdown of what page elements users interacted with and how big the interaction delays were.

Screenshot of the DebugBear INP Elements view, May 2024

The screenshot above shows different INP interactions sorted by how frequent these user interactions are. To make optimizations as easy as possible you’ll want to focus on a slow interaction that affects many users.

In DebugBear, you can click on the page element to add it to your filters and continue your investigation.

3. Identify What INP Component Contributes The Most To Slow Interactions

INP delays can be broken down into three different components:

  • Input Delay: Background code that blocks the interaction from being processed.
  • Processing Time: The time spent directly handling the interaction.
  • Presentation Delay: Displaying the visual updates to the screen.

You should focus on which INP component is the biggest contributor to the slow INP time, and ensure you keep that in mind during your investigation.

Screenshot of the DebugBear INP Components, May 2024

In this scenario, Processing Time is the biggest contributor to the slow INP time for the set of pages you’re looking at, but you need to dig deeper to understand why.

High processing time indicates that there is code intercepting the user interaction and running slow performing code. If instead you saw a high input delay, that suggests that there are background tasks blocking the interaction from being processed, for example due to third-party scripts.

4. Check Which Scripts Are Contributing To Slow INP

Sometimes browsers report specific scripts that are contributing to a slow interaction. Your website likely contains both first-party and third-party scripts, both of which can contribute to slow INP times.

A RUM tool like DebugBear can collect and surface this data. The main thing you want to look at is whether you mostly see your own website code or code from third parties.

Screenshot of the INP Primary Script Domain Grouping in DebugBear, May 2024

Tip: When you see a script, or source code function marked as “N/A”, this can indicate that the script comes from a different origin and has additional security restrictions that prevent RUM tools from capturing more detailed information.

This now begins to tell a story: it appears that analytics/third-party scripts are the biggest contributors to the slow INP times.

5. Identify Why Those Scripts Are Running

At this point, you now have a strong suspicion that most of the INP delay, at least on the pages and elements you’re looking at, is due to third-party scripts. But how can you tell whether those are general tracking scripts or if they actually have a role in handling the interaction?

DebugBear offers a breakdown that helps see why the code is running, called the INP Primary Script Invoker breakdown. That’s a bit of a mouthful – multiple different scripts can be involved in slowing down an interaction, and here you just see the biggest contributor. The “Invoker” is just a value that the browser reports about what caused this code to run.

Screenshot of the INP Primary Script Invoker Grouping in DebugBear, May 2024

The following invoker names are examples of page-wide event handlers:

  • onclick
  • onmousedown
  • onpointerup

You can see those a lot in the screenshot above, which tells you that the analytics script is tracking clicks anywhere on the page.

In contrast, if you saw invoker names like these that would indicate event handlers for a specific element on the page:

  • .load_more.onclick
  • #logo.onclick

6. Review Specific Page Views

A lot of the data you’ve seen so far is aggregated. It’s now time to look at the individual INP events, to form a definitive conclusion about what’s causing slow INP in this example.

Real user monitoring tools like DebugBear generally offer a way to review specific user experiences. For example, you can see what browser they used, how big their screen is, and what element led to the slowest interaction.

Screenshot of a Page View in DebugBear Real User Monitoring, May 2024

As mentioned before, multiple scripts can contribute to overall slow INP. The INP Scripts section shows you the scripts that were run during the INP interaction:

Screenshot of the DebugBear INP script breakdown, May 2024

You can review each of these scripts in more detail to understand why they run and what’s causing them to take longer to finish.

7. Use The DevTools Profiler For More Information

Real user monitoring tools have access to a lot of data, but for performance and security reasons they can access nowhere near all the available data. That’s why it’s a good idea to also use Chrome DevTools to measure your page performance.

To debug INP in DevTools you can measure how the browser processes one of the slow interactions you’ve identified before. DevTools then shows you exactly how the browser is spending its time handling the interaction.

Screenshot of a performance profile in Chrome DevTools, May 2024

How You Might Resolve This Issue

In this example, you or your development team could resolve this issue by:

  • Working with the third-party script provider to optimize their script.
  • Removing the script if it is not essential to the website, or finding an alternative provider.
  • Adjusting how your own code interacts with the script

How To Investigate High Input Delay

In the previous example most of the INP time was spent running code in response to the interaction. But often the browser is already busy running other code when a user interaction happens. When investigating the INP components you’ll then see a high input delay value.

This can happen for various reasons, for example:

  • The user interacted with the website while it was still loading.
  • A scheduled task is running on the page, for example an ongoing animation.
  • The page is loading and rendering new content.

To understand what’s happening, you can review the invoker name and the INP scripts section of individual user experiences.

Screenshot of the INP Component breakdown within DebugBear, May 2024

In this screenshot, you can see that a timer is running code that coincides with the start of a user interaction.

The script can be opened to reveal the exact code that is run:

Screenshot of INP script details in DebugBear, May 2024

The source code shown in the previous screenshot comes from a third-party user tracking script that is running on the page.

At this stage, you and your development team can continue with the INP workflow presented earlier in this article. For example, debugging with browser DevTools or contacting the third-party provider for support.

How To Investigate High Presentation Delay

Presentation delay tends to be more difficult to debug than input delay or processing time. Often it’s caused by browser behavior rather than a specific script. But as before, you still start by identifying a specific page and a specific interaction.

You can see an example interaction with high presentation delay here:

Screenshot of the an interaction with high presentation delay, May 2024

You see that this happens when the user enters text into a form field. In this example, many visitors pasted large amounts of text that the browser had to process.

Here the fix was to delay the processing, show a “Waiting…” message to the user, and then complete the processing later on. You can see how the INP score improves from May 3:

Screenshot of an Interaction to Next Paint timeline in DebugBear, May 2024

Get The Data You Need To Improve Interaction To Next Paint

Setting up real user monitoring helps you understand how users experience your website and what you can do to improve it. Try DebugBear now by signing up for a free 14-day trial.

Screenshot of the DebugBear Core Web Vitals dashboard, May 2024

Google’s CrUX data is aggregated over a 28-day period, which means that it’ll take a while before you notice a regression. With real-user monitoring you can see the impact of website changes right away and get alerted automatically when there’s a big change.

DebugBear monitors lab data, CrUX data, and real user data. That way you have all the data you need to optimize your Core Web Vitals in one place.

This article has been sponsored by DebugBear, and the views presented herein represent the sponsor’s perspective.

Ready to start optimizing your website? Sign up for DebugBear and get the data you need to deliver great user experiences.


Image Credits

Featured Image: Image by Redesign.co. Used with permission.

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

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

How Call Attribution Works

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

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

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

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

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

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

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

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

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

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

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

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

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

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

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

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

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

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

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

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

How To Deliver More Value With AI

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

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

4. AI Can Help You Improve Overall Agency Efficiency

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

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

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

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

Ways Your Business Can Benefit From Automation

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

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

Looking for 5 – 7? Download The Full Guide

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

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

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

Get the full guide here.

Top 15 Ways To Secure A WordPress Site via @sejournal, @inmotionhosting

Thankfully, there are plenty of steps you can take to protect your WordPress website.

Easy WordPress Security Basics

When setting up your WordPress site security, there are some basic things you can do to beef up your protection.

Below, we will take a look at some of the first things you should do to help protect your website.

1. Implement SSL Certificates

Secure Sockets Layer (SSL) certificates are a standard technology that establishes an encrypted connection between a web server (host) and a web browser (client). This connection ensures all data passed between the two remains private and intrinsic.

SSL certificates are an industry-standard used by millions of websites to protect their online transactions with their customers, and obtaining one should be one of the first steps you take to secure your website.

2. Require & Use Strong Passwords

Along with obtaining an SSL certificate, one of the very first things you can do to protect your site is use strong passwords for all your logins.

It might be tempting to create or reuse a familiar or easy-to-remember password, but doing so puts both you and your website at risk. Improving your password strength and security decreases your chances of being hacked. The stronger your password, the less likely you are to be a victim of a cyberattack.

When creating a password, there are some general password best practices you should follow.

If you aren’t sure if you are using a strong enough password, you check the strength of one by using a free tool like this helpful Password Strength Checker.

3. Install A Security Plugin

WordPress plugins are a great way to quickly add useful features to your website, and there are several great security plugins available.

Installing a security plugin can add some extra layers of protection to your website without requiring much effort.

To get you started, check out this list of recommended WordPress security plugins.

4. Keep WordPress Core Files Updated

As of 2024, there are an estimated 1.09 billion total websites on the web with more than 810 million of those sites using WordPress.

Because of its popularity, WordPress websites are oftentimes a target for hackers, malware attacks, and data thieves.

Keeping your WordPress installation up to date at all times is critical to maintain the security and stability of your site.

Every time a WordPress security vulnerability is reported, the core team starts working to release an update that fixes the issue.

If you aren’t updating your WordPress website, then you are likely using a version of WordPress that has known vulnerabilities.

There is especially no excuse for using an outdated version of WordPress since the introduction of automatic updates.

Don’t leave yourself open to attack by using an old version of WordPress. Turn on auto updates and forget about it.

If you would like an even easier way to handle updates, consider a Managed WordPress solution that has auto updates built in.

5. Pay Attention To Themes & Plugins

Keeping WordPress updated ensures your core files are in check, but there are other areas where WordPress is vulnerable that core updates might not protect such as your themes and plugins.

For starters, only ever install plugins and themes from trusted developers. If a plugin or theme wasn’t developed by a credible source, you are probably safer not using it.

On top of that, make sure to update WordPress plugins and themes. Just like an outdated version of WordPress, using outdated plugins and themes makes your website more vulnerable to attack.

6. Run Frequent Website Backups

One way to protect your WordPress website is to always have a current backup of your site and important files.

The last thing you want is for something to happen to your site and you do not have a backup.

Backup your site, and do so often. That way if something does happen to your website, you can quickly restore a previous version of it and quickly get back up and running.

Intermediate WordPress Security Measures That Add More Protection

If you’ve completed all the basics but you still want to do more to protect your website, there are some more advanced steps you can take to bolster your security.

Let’s take a look at what you should do next.

7. Never Use The “Admin” Username

Never use the “admin” username. Doing so makes you susceptible to brute force attacks and social engineering scams.

Because “admin” is such a common username, it is easily-guessed and makes things much easier for scammers to trick people into giving away their login credentials.

Much like having a strong password, using a unique username for your logins is a good idea because it makes it much harder for hackers to crack your login info.

If you are currently using the “admin” username, change your WordPress admin username.

8. Hide Your WP Admin Login Page

On top of using a unique username another thing you can do to protect your login credentials is hide your WordPress admin login page with a plugin like WPS Hide Login.

By default, a majority of WordPress login pages can be accessed by adding “/wp-admin” or “/wp-login.php” to the end of a URL. Once a hacker or scammer has identified your login page, they can then attempt to guess your username and password in order to access your Admin Dashboard.

Hiding your WordPress login page is a good way to make you a less easy target.

9. Disable XML-RPC

WordPress uses an implementation of the XML-RPC protocol to extend functionality to software clients.

Most users don’t need WordPress XML-RPC functionality, and it’s one of the most common vulnerabilities that opens users up for exploits.

That’s why it’s a good idea to disable it. Thanks to the Wordfence Security plugin, it is really easy to do just that.

10. Harden wp-config.php File

The process of adding extra security features to your WordPress site is sometimes known as “hardening” because you are essentially giving your site some extra armor against hackers.

You can “harden” your website by protecting your wp-config.php file via your .htaccess file. Your WordPress wp-config.php file contains very sensitive information about your WordPress installation including your WordPress security keys and the WordPress database connection details, which is exactly why you don’t want it to be easy to access.

11. Run A Security Scanning Tool

Sometimes your WordPress website might have a vulnerability that you had no idea existed. That’s why it’s wise to use some tools that can find vulnerabilities and even fix them for you.

The WPScan plugin scans for known vulnerabilities in WordPress core files, plugins and themes. The plugin also notifies you by email when new security vulnerabilities are found.

Strengthen Your Server-Side Security

So you have taken all the above measures to protect your website but you still want to know if there is more you can do to make it as secure as possible.

The remaining actions you can take to beef up your security will need to be done on the server side of your website.

12. Look For A Hosting Company That Does This

One of the best things you can do to protect your site from the very get-go is to choose the right hosting company to host your WordPress website.

When looking for a hosting company, you want to find one that is fast, reliable, and secure, and will support you with great customer service.

That means they should have good, powerful resources, maintain an uptime of at least 99.5%, and use server-level security tactics.

If a host can’t check those basic boxes, they are not worth your time or money.

13. Use The Latest PHP Version

Like old versions of WordPress, outdated versions of PHP are no longer safe to use.

If you aren’t on the latest version of PHP, upgrade your PHP version to protect yourself from attack.

14. Host On A Fully-Isolated Server

Fully-isolated virtual private servers have a lot of advantages and one of those advantages is increased security.

The physical isolation offered from a cloud-based VPS is inherently secure, protecting your website against cross-infection from other customers. Combined with robust firewalls and DDoS protection, your data remains secure against potential threats and vulnerabilities.

Looking for the perfect cloud environment for your WordPress website? Look no further.

With InMotion Hosting’s Platform i, you receive unparalleled security features including managed server updates, real-time security patching, web application firewalls, and DDoS prevention, along with purpose-built high-availability servers optimized for fast and reliable WordPress sites.

15. Use A Web Application Firewall

One of the final things you can do to add extra security measures to your WordPress website is use a web application firewall (WAF).

A WAF is usually a cloud-based security system that offers another layer of protection around your site. Think of it as a gateway for your site. It blocks all hacking attempts and filters out other malicious types of traffic like distributed denial-of-service (DDoS) attacks or spammers.

WAFs usually require monthly subscription fees, but adding one is worth the cost if you place a premium on your WordPress website security.

Make Sure Your Website & Business Is Safe & Secure

If your website is not secure, you could be leaving yourself open to a cyber attack.

Thankfully, securing a WordPress site doesn’t require too much technical knowledge as long as you have the right tools and hosting plan to fit your needs.

Instead of waiting to respond to threats once they happen, you should proactively secure your website to prevent security issues.

That way if someone does target your website, you are prepared to mitigate the risk and go about your business as usual instead of scrambling to locate a recent backup.

Get Managed WordPress Hosting featuring robust security measures on high-performance servers, complete with free SSL, dedicated IP address, automatic server updates, DDoS protection, and included WAF.

Learn more about how Managed WordPress Hosting can help protect your website and valuable data from exposure to hackers and scammers.

Google Universal Analytics 360 Sunsetting Soon: Migration Tips & Top Alternative Inside via @sejournal, @PiwikPro

This post was sponsored by Piwik PRO. The opinions expressed in this article are the sponsor’s own.

This year, Google will finally phase out Universal Analytics 360, requiring paid users to switch to Google Analytics 360.

This is not something you can skip or postpone, and the clock is ticking.

The new analytics differ significantly from the previous version, and you can’t migrate data between them, so the transition can be challenging for organizations.

Since you’ll be starting from scratch, now is a good time to explore other options and determine if there are better solutions for your needs.

The three main areas to consider when deciding if you want to stay with Google or move to another platform are: the migration process, privacy and compliance, and ease of use.

When Is Google Universal Analytics 360 Sunsetting?

July 1, 2024 is when Google will phase out Universal Analytics 360.

What Should I Do Next?

Google encourages you to migrate to Google Analytics 360 as quickly as possible.

If you don’t, you could:

  • Lose critical advertising capabilities.
  • Lose the ability to export historical data.
  • Face delays in setting up Google Analytics 360.

    How To Migrate To Your Next Analytics Platform

    Moving to a new platform is much more than just implementation; it is vital to plan your migration properly. Below are five steps to help you through the entire process.

    Step 1. Evaluate Your Stack & Resources

    Before you switch analytics tools, take the time to evaluate your entire stack, not just the tool you’re changing. Ensure that your stack is up-to-date and meets your current business needs. Migrating to a new analytics vendor almost always requires more people and more time than originally estimated. It’s a good occasion to remove redundant tools from your stack; it might also allow you to integrate with new ones that can help you run your analytics and collect data more comprehensively.

    Step 2. Tidy Your Data

    Over time, data collection may get messy, and you find yourself tracking data that isn’t relevant to your business. A migration gives you a chance to clean up your data taxonomy. Ensure that your new tool allows you to use the same categories of data as the previous one. Pay close attention to any data that needs to be collected automatically, like location data (country, region, city), and device details (device type, browser). Finally, make sure the SDKs you need are supported by your new tool.

    Step 3. Implement A New Platform

    This step involves setting up the tracking code that collects data about visitors to your website or app and making any necessary modifications. Remember to set up tags to gather more detailed data through events or connect third-party tools.

    Speed Up The Transition: If you switch to Piwik PRO, you can use a migration tool to easily transfer your settings from Universal Analytics (GA3) and Google Tag Manager.

    Step 4. Evaluate Tour New Data

    Once you’re done implementing your new platform, you should run it parallel to your existing tool for a few months before finalizing the migration. During this time, you can audit your new data and correct any errors. In this manner, you can retain your historical data while simultaneously generating new data segments on the new platform.

    Step 5. Provide Training For Your Team

    All end users need training to comprehend the platform’s operations, retrieve necessary data, and generate reports. This step is frequently missed as it falls at the end of the project.

    Upon finishing this step, you will be set to switch to your new platform fully. If you find the migration process challenging, consider getting help from outside sources. Some analytics vendors offer hands-on onboarding and user training, which accelerates product adoption.

    Is Switching To Google Analytics 360 Worth The Hassle?

    You might be thinking, “Migrating to the successor of UA 360 won’t be a walk in the park,” especially if you work for a large organization.

    In addition to subscription and data migration costs, you may also need to train your staff or increase fees for external marketing agencies that will face new challenges.

    While Analytics 360 has incredible use cases, there may be other tools that better suit your needs.

    Switching to alternative solutions may be a good option for you.

    How To Pick A Replacement For Universal Analytics 360

    To decide whether to choose a new platform or stick with Google, consider a few important factors:

    1. Because GA 360 is a different software, your marketing and analytics departments will need to allocate extra resources to learn the new platform. You will also need the support of analysts, developers, and data architects to help you reconstruct reports based on the data architecture of the chosen platform. Choosing a solution with similar features and user experience to UA 360 can be a good option, because it saves resources, making onboarding faster and easier.
    2. You will also need to redesign your entire customer journey, because the data model in GA360 has changed from sessions to events. This process can be more challenging and costly than choosing a session-based platform or one that offers you freedom of choice.
    3. Another important consideration is the level of support offered by the vendor. This can greatly affect the quality of the migration and onboarding to a new platform. Although Google Analytics is currently the most popular tool for analyzing web traffic, the level of support it provides is limited. Other companies like Piwik PRO can offer more in this area, including personalized onboarding, product implementation, training, and dedicated customer support at every step.

    Consideration 1: Think About Privacy & Compliance

    Organizations around the world are increasingly concerned with data privacy and compliance. A 2023 Thomson survey found that 80% of business professionals acknowledge the importance of compliance as a crucial advisory function for their organizations. Gartner, on the other hand, predicts that, by 2025, 60% of large enterprises will use at least one privacy-enhancing computing (PEC) technique in analytics, business intelligence, and/or cloud computing.

    This is due to a growing number of new regulations that place greater control over personal data at the forefront. The EU’s General Data Protection Regulation (GDPR) and the California Consumer Privacy Act (CCPA) are two of the most prominent examples. The landscape has been further complicated by events such as the Schrems II case, Brexit, and China’s Personal Data Protection Law. Data protection is also increasingly important in some sectors, such as healthcare, where regulations like HIPAA are mandatory.

    If your company operates globally or has ambitions to do so, the first thing to consider is who has full ownership of the data, where the servers hosting the data are located, and who owns them. Google Analytics 360 only offers cloud deployment in an unknown location, which means that data might be transferred between data centers in the Americas, Europe, and Asia. This makes it difficult to know exactly where the data is stored and ownership is unclear. For now, the issue of data transfers between the US and the EU has been resolved by the EU-US Privacy Shield framework agreement, but the future stays unclear. Last year, NOYB, led by Max Schrems, announced that it would soon appeal this decision to the Court of Justice of the European Union (CJEU).

    To meet privacy and compliance requirements in different countries and industries, choose a platform that allows you to customize your hosting plan and set specific parameters for data collection and analysis. Platforms like Piwik PRO Analytics Suite enable you to store your data on servers in Europe, the US, and Asia, based on your preferences. This translates into flexibility and security of your data.

    Consideration 2: Ease Of Use & Integration

    This may sound counterintuitive, but the new GA 360 might be too complex for many. While it offers numerous advanced functions for data analysts, it lacks features specifically designed for marketers. As a result, marketers may need help in configuring the system to efficiently use the data.

    On the other hand, in GA 360, the data model shifts from session-based to event-based. This is especially important if your teams depend on UA 360 behavioral reporting, benchmarking, and e-commerce flow reports, as these features are unavailable in the new release. You also need to revise all the reports for all the stakeholders.

    Conversely, Piwik PRO strongly emphasizes simplicity and enables marketers to quickly access the necessary data. Additionally, the data model combines both session-based and event-based structures. This approach ensures that you can start working with the data faster and deliver the reports that stakeholders are used to. Another big advantage of Piwik PRO is its model for working with raw data, which is a valuable source of knowledge about users and provides richer reporting in more contexts. Google Analytics does not provide raw data exports, so you have to use various services and tools to accomplish this. To be fair, however, exporting large raw data packets with Piwik PRO software may take longer than with Google solutions.

    The new GA 360 is most effective when used mainly with products from the Google ecosystem. When considering data activation, Google Ads is the most suitable option. When it comes to Piwik PRO, you still have this option, but integrating with other solutions is much easier. The platform offers four modules: Analytics, Tag Manager, Consent Manager and Customer Data Platform (CDP). The CDP module, available in the paid plan, lets you create detailed customer profiles and categorize your data into various audience segments. You can activate them to provide a personalized experience and run effective campaigns across multiple channels.

    The landscape of modern analytics is constantly changing. On the one hand, there are ongoing discussions about privacy and compliance regulations, while on the other, companies are trying out various methods to collect and analyze data. In the end, your choice of analytics platform will impact the performance of your marketing and sales efforts. So take the time to explore, and you may find other solutions that better suit your organization’s needs.

    Piwik PRO is a solid choice to explore for your next primary analytics solution. Book a personalized demo of the Enterprise version and see the benefits of introducing Piwik PRO Analytics Suite in your organization.


    Image Credits

    Featured Image: Image by Piwik PRO Used with permission.

    How To Address Middle And Bottom Of Funnel Pain Points via @sejournal, @alexanderkesler

    The B2B marketplace has evolved rapidly in recent years due to various global factors, with the pandemic and economic turbulence being the top drivers.

    As a result, there has been a notable change in both marketer and buyer priorities in recent years.

    Speaking with our clients and partners, I have observed that in 2024, marketers’ top priorities have shifted from personalized outreach to generating sales-ready leads and driving pipeline opportunities.

    This likely results from a more evident objective of proving return on investment (ROI), and pressuring marketers to effectively guide prospective clients through the discovery and purchase journey more efficiently.

    However, this focus is understandable given the benefits of a stable pipeline with middle (MOFU) and bottom (BOFU) of the funnel leads.

    Not only does it offer a consistent avenue for sustained growth, but it also allows sales teams to capitalize on the best opportunities for conversion.

    In this guide, I present playbooks we implemented at INFUSE and recommend for B2B organizations in 2024 to effectively address the most common MOFU and BOFU pain points to increase conversions.

    The Evolution Of The B2B Buyer

    The increasing complexity of the buyer’s journey – a result of buyers taking a largely defensive position in an effort to de-risk their portfolios – has resulted in expanded B2B buying committees, extended sales cycles, and more discerning buyers across buying committees of organizations of all sizes and complexities.

    This shift is unsurprising, considering that 83% of buyers initiate first contact with vendors. It suggests that sellers learn about buying processes on the buyer’s terms.

    Buying committees are also increasingly younger, with many now comprising Millennials and Gen Z. These generations demonstrate unique buying behaviors compared to their predecessors; they are more independent, tech-native, and display a greater need for autonomy in their client journeys.

    In fact, research shows that approximately 70% of the buyer’s journey is now done completely independently, without ever engaging with sales.

    These young buyers have also prioritized cloud purchases, particularly due to the effortless integration of low/no-code solutions that allow organizations to build on their purchases in their own time as resources allow.

    Addressing Middle-Of-The-Funnel (MOFU) Pain Points

    Below is a list of the four most common middle-of-the-funnel pain points and strategies to address these challenges:

    1. Lack Of Personalization

    Conversions often stall due to a lack of understanding of the key needs buyers face in MOFU, as well as identifying the right timing and messaging to increase velocity to the bottom of the funnel.

    Below are four tactics to address this pain point effectively:

    Utilize Accurate Targeting With Segmentation

    Ensure that prospective buyers are correctly segmented throughout their buyer’s journey.

    Adjust targeting as their pain points and goals change to ensure aligned messaging. This can be streamlined with the use of data analytics tools to identify and categorize audiences based on their unique behaviors.

    Make Use Of Data Throughout The Buyer’s Journey

    It is normal for prospective clients to move freely in their buyer’s journey, often skipping phases or going back to research as needed.

    Be sure to continually assess their position using behavioral data and other feedback mechanisms to ensure they receive the correct nurturing for their funnel stage.

    Implement Feedback Mechanisms To Understand Prospect Challenges

    Set up regular feedback loops via surveys, focus groups, and social listening tools to gather insights.

    These can be used to make adjustments and optimize nurturing to target buyers at the right time with relevant messaging on the platforms or channels they frequent.

    Find The Right Go-To-Market (GTM) Motion To Lead Your Nurturing And Funnel Efforts

    GTM models act as a blueprint for molding an organization’s frameworks.

    This involves determining target buyer personas, establishing interdepartmental data processes, and coordinating efforts to ensure a seamless revenue cycle.

    Often, organizations have several GTM motions running simultaneously, which can be beneficial to accelerate velocity with certain buyer segments, hone in on the right product-market fit, or test a new market or solution.

    2. Limited Budgets

    Budgets will consistently remain a focal point, particularly in a time of high expectations – not only for vendors, but internally within organizations and buying committees.

    Committee members are tasked with making carefully considered purchases that yield tangible returns, underscoring the importance of budget consciousness.

    Below are three tactics to address this pain point effectively:

    • Create a tiered pricing structure per persona designed to evolve alongside their budget and requirements. This allows for strategic upsells and cross-sells, maximizing revenue and catering to diverse needs.
    • Provide referral programs to accommodate their budgetary requirements (with incentives) while encouraging clients to stimulate top-of-funnel demand.

    3. Incorrect Content Or Messaging

    When buyers receive content or messaging that is not relevant to their pain points, role, or stage in the buyer’s journey, it diminishes their interest and trust in the brand.

    In fact, 47% of buyers reported that the key driver behind opening emails was relevant messaging.

    Below are three tactics to address this pain point effectively:

    • Deliver the right content to the right audience by tailoring messaging to suit the specific pain points and buyer’s journey stage of each prospect. Utilize customer relationship management systems (CRMs), data analytics, surveys, and other sources of buyer data to build highly personalized nurturing programs.
    • Ensure your content is demand-ready by understanding the role of core decision-makers in the buying process and tailoring your content accordingly. In addition, ensure that your messaging is adjusted to the channels they frequent.
    • Keep your brand top of mind by engaging buyers early with relevant content that addresses their evolving pain points. Providing answers to frequently asked questions and highlighting distinctive value propositions are essential for driving high engagement rates at the top of the funnel. This, in turn, facilitates the transition toward conversions in the subsequent phases, fostering sustained interest.

    4. Single Channel Engagement

    Buyers utilize more channels than ever, with the majority engaging with brands on 10 or more channels.

    This trend is evident in current B2B buyer behavior, as prospective clients consult a variety of sources before making buying decisions. As a result, organizations that rely solely on single-channel engagement risk overlooking crucial audience segments.

    Below are two tactics to address this pain point effectively:

    • Omnichannel engagement is a necessity. B2B buyers increasingly seek a seamless omnichannel journey, with 87% preferring a personalized and consistent experience across all channels. To meet this demand, it is important to integrate your sales and marketing efforts across multiple touchpoints, ensuring consistency and continuity throughout the buyer’s journey.
    • Email-only does not work anymore. While email remains a fundamental tool in B2B communication, its effectiveness as a standalone channel is fading. With crowded inboxes and evolving buyer preferences, organizations must diversify their communications and invest in strategies across multiple channels to create demand in their market – not just capture it.

    Addressing Bottom-Of-Funnel Pain Points

    Below is a list of the three most common bottom-of-funnel (BOFU) pain points and strategies on how to address them:

    1. Performance Against Competitors

    Considering the increased scrutiny of buyers in the current landscape, it comes as no surprise that most buying committees will seek to compare your solution with multiple competitors.

    This highlights the importance of establishing key differentiators and demonstrating how your solution best supports your buyers’ business growth and objectives.

    In fact, brand equity – as a precursor and counterbalance to full-funnel demand generation – is a critical element of a solid business strategy. Research shows that 84% of deals are won by the first vendor a buyer contacts.

    This first contact requires companies to have comprehensive brand-to-demand strategies in place, to ensure they are first on their buyers’ minds.

    Below are three tactics to address this pain point effectively:

    • Offer competitor analysis that clearly defines your unique value proposition (UVP) to engage BOFU leads. Develop personalized comparisons of products against your competitors based on the features that are of the most interest to each segment. Make this information engaging and accessible in brief reports and datasets that highlight your strengths at a glance.
    • Provide assurance through nurture streams that engage and educate prospective clients. Offer problem-solving content such as case studies, whitepapers, webinars, executive briefs, and industry reports demonstrating how your solution addresses challenges and delivers ROI.
    • Offer free tools and demos illustrating personalized problem-solving. Enable buyers to experience the benefits of your solution firsthand by offering free tools, demos, or trials that allow them to explore its capabilities. Tailor demos to address the specific pain points and objectives of each buyer or segment, and adjust your demo tactics to meet the needs of the increasingly younger, tech-savvy, and independent buyer.

    2. Integration And AI Concerns

    Amidst the challenge of managing bloated tech stacks, integration has become a key concern. 35% of executives reported their legacy software was rigid, expensive, and difficult to use.

    Buyers actively seek tools to solve new business challenges while navigating integration requirements.

    In addition, the B2B landscape has embraced the advantages of incorporating generative AI into day-to-day operations, as demonstrated by the fact that 73% of marketers were already leveraging generative AI, just six months after the release of OpenAI’s GPT4.

    Below are three tactics to address these pain points effectively:

    • Ensure solutions seamlessly integrate with existing systems. Proactively evaluate compatibility features of popular software and prioritize features that facilitate seamless integration. Establish a robust testing protocol to verify compatibility before deployment, ensuring minimal disruption and maximum value to clients.
    • Integrate AI into existing solutions where possible. Identify areas within your solution where AI integration can truly enhance functionality and value for clients. Collaborate with developers to seamlessly embed AI capabilities into these solutions and ensure thorough testing to guarantee integration and optimal performance.
    • Provide training to meet the demand for innovation and automation. Develop customized training and coaching programs tailored to your buyers’ specific needs and skill levels. Offer ongoing support and resources to facilitate continuous learning and adaptation to new technologies.

    Due to the democratization of technology, the rise of low-code/no-code solutions, and the increasing tech-savvy Millennial and Gen Z buyers, sellers now require a more solution-oriented approach, equipped with technical knowledge.

    By the time buyers are ready to meet with sellers (typically 70% or more into their purchasing journey), they often have detailed technical inquiries and may no longer require the high-level discussions that vendors are traditionally accustomed to.

    Meeting buyers where they are has become a fundamental requirement.

    3. ROI Concerns

    Buyers are increasingly pressured to achieve ROI goals, making this a recurring concern among those seeking information on how solutions can assist them in reaching their performance objectives.

    Below are two tactics to address this pain point effectively:

    • Support claims with case studies and/or customer testimonials. Utilize tangible ROI data from existing clients, preferably from the same or similar industries to the buyers. Combine this with case studies to inform bottom-of-funnel nurturing activities such as content and webinars.
    • Foster brand evangelism to build confidence. Provide exemplary post-sales service to support clients and regularly check in with them to ensure their satisfaction. Brand evangelism can be utilized to address common objections after a sale while establishing brand credibility within your industry.

    Key Takeaways

    Engage Buyers Where They Are In Their Buyer’s Journey

    Lead nurturing and engagement tactics should always be tailored to address the pain points, challenges, platforms, and context of your buyers at their current stage in the sales funnel, ensuring relevance and effectiveness.

    Innovate In Both Service And Technology To Maintain A Competitive Edge

    In the B2B landscape, where technology is becoming increasingly democratized, it is crucial to consistently evaluate and refine your strategies, such as prioritizing low/no-code approaches, to stay updated with industry trends.

    Explore Go-To-Market (GTM) Strategies

    To fuel your GTM strategies with iterative approaches and data-driven insights, establish protocols for testing and optimization.

    Continuously analyze performance metrics, refine tactics based on feedback, and foster collaboration across teams to ensure relevance and effectiveness.

    Continuously Assess And Optimize Strategies To Streamline Nurturing

    Given that each buyer’s challenges, needs, and readiness to purchase will frequently shift, ensure that you are closely monitoring their behavior triggers to optimize nurturing activities.

    More resources: 


    Featured Image: NicoElNino/Shutterstock

    5 Ways To Leverage Business Coaching To Grow Your Marketing Agency via @sejournal, @jasonhennessey

    As the owner of a marketing agency, it can be tempting to try and handle every aspect of your business single-handedly.

    After all, your vision and passion are often driving your agency forward.

    However, attempting to tackle every challenge alone can quickly lead to burnout and stagnation.

    This is where many agency owners bring in their secret weapon: a business coach.

    Many of today’s successful entrepreneurs — such as Steve Jobs, Sheryl Sandberg, and Eric Schmidt — were able to take their ventures to the next level with business coaching.

    From providing invaluable guidance and accountability to offering fresh perspectives and strategies, a business coach can revolutionize how you operate and scale your agency.

    Why Hire A Business Coach?

    Many agency owners don’t realize that business growth starts from the inside out.

    Rather than a toolbox of “strategies,” you need to re-examine how you perceive success, manage your team, and harness your unique strengths.

    The right business coach will help you foster personal growth – then professional growth – to achieve long-term, sustainable results.

    A business coach can provide:

    • An objective perspective on your business, providing insight into what is working well and what might be holding you back.
    • First-hand experience, advising you on the best strategies for scaling your team, reaching new revenue milestones, establishing your brand, etc.
    • Accountability, keeping you honest when it comes to your goals and commitments.
    • Skill development, spanning everything from financial planning and hiring to communication and public speaking.
    • A supportive environment for you to vent, navigate challenges, revel in successes, and discuss concerns in your business.

    After hiring my business coach, I quickly realized that I needed to shed old habits and open my mind to new ways of running my business.

    For example, I realized that losing myself in the day-to-day operations was not sustainable.

    My coach advised hiring a COO to manage operations, opening up more time for me, the Visionary, to create our Vivid Vision, and explore new business ventures and speaking opportunities.

    1. Lead Your Team With Confidence

    As an agency owner, it’s time to shatter the illusion of self-sufficiency and embrace the power of teamwork. Even if you’ve taken the steps to hire contractors or employees, I would bet there are some areas of your business where you’re resisting giving up control.

    A business coach will empower you to focus on the things you do best, whether that’s creative thinking, marketing your agency, speaking to clients, building a personal brand, etc.

    They will also be honest in identifying areas where you can delegate tasks to team members, allowing you to scale your agency more efficiently.

    Consider how much time and money are invested in you getting bogged down by tasks like social media posting, scheduling meetings, responding to emails, etc.

    A business coach may advise you on how to hire great talent, lead with confidence, develop a strong company culture, and ultimately achieve better results.

    2. Find Your “Trillion Dollar” Idea

    Many business owners consider themselves to be visionaries, as it takes creative thinking to come up with a business idea and follow it through to fruition.

    But these imaginative qualities can be hard to wrangle when you have too many ideas. A business coach can help you find clarity in the noise.

    That might not mean discovering a literal trillion-dollar idea, but at least focusing on the idea (or ideas) that will have the most impact on your business.

    That could mean launching a new offer, expanding to a new market, exploring speaking opportunities or brand partnerships, etc.

    Shiny object syndrome is often the death of many entrepreneurs; a business coach will help you stay on track with the right ideas.

    Beyond that, an experienced business coach will know how to quantify the success (or failure) of your latest venture.

    If your efforts aren’t paying off, they can help you shift focus. If your project is gaining traction, they can help you capitalize on that momentum.

    3. Avoid “Been There, Done That” Mistakes

    It’s important to learn from our mistakes – but many mistakes are avoidable.

    The value of working with a business coach is that they have made many mistakes before and can help you avoid preventable challenges.

    For example, there is a ton of bad advice out there about how to “scale.” You might assume that, say, launching a digital product is the best next step for your agency.

    But a business coach might have already launched a digital product many times over, and can tell you what to do and what not to do during the process – or whether you should scrap the idea completely.

    Also, in a personal development sense, they can warn you of the signs of burnout or notice when you are out of alignment with your goals. They’ll help you stay true to your priorities and avoid getting sidetracked on your journey to success.

    3. Get Your Finances In Check

    Financial management is a common area of avoidance for many business owners.

    The truth is that many of us have distorted beliefs about money, as well as general inexperience with how to manage it.

    An experienced business coach has likely overcome many of the mental blocks that make managing finances difficult. They’ll have learned the ins and outs of business bookkeeping, financial planning, tax preparation, and when to hire financial services.

    Your business coach can help you create a realistic budget and financial plan for your agency.

    They might advise on how to forecast future revenue and expenses, set financial goals, and set key performance indicators (KPIs) to measure progress.

    They’ll also likely have experience in cash flow management, helping to maintain a healthy influx of revenue to sustain your business.

    They might suggest strategies for improving cash flow, such as developing passive income streams, enforcing payment terms with clients, or optimizing your internal processes.

    Perhaps most importantly, business coaches can help with financial decision-making. This might mean advising on smart investments, expanding the business, up or downsizing personnel, integrating technology, or taking on debt.

    The right coach will empower you to take control of your agency finances.

    You’ll feel more prepared to dig into the numbers, incorporate best practices, and make informed decisions that benefit your business.

    4. Know When To Trim the Fat

    There’s a common trend in the marketing “agency” model of offering a wide, incohesive range of services. The result is a lack of point-of-view on what the agency does best, the audience it serves, and what it achieves for its clients.

    Business coaches help agency owners “trim the fat,” so to speak, when it comes to what’s superfluous in the agency.

    In other words, there may be several services that are generating little-to-no revenue and are instead causing a distraction in what is the core purpose of your agency.

    Even Sheryl Sternberg’s business coach highlights this concept, with the appeal to “[not] fall so deeply in love with your own content that you can’t see that some of it is excess.”

    Ultimately, your service offerings are most effective when they are clear, simple, and relevant to your target audience.

    For example, perhaps your agency does website design, branding, social media management, and email marketing, but 90% of your revenue comes from websites.

    Doubling down on your website design services may allow you to hone your offer, streamline your development process, increase your rates, and scale your new client acquisition system.

    5. Expand Your Network Of Winners

    One of the benefits of having a business coach that I wasn’t expecting was the networking opportunities.

    My executive coach was able to connect me with so many professionals and mentors who ended up helping me and my business. I’ve also formed friendships with other CEOs, and that support has been invaluable.

    Your business coach might introduce you to other winners in their network. You might not even realize you need their help.

    You’ll be able to tap into a wider pool of talent, mentors, thought leaders, and, yes, even friends.

    Again, the illusion of self-sufficiency can be a real killer in your business. Don’t assume that you can or should navigate this journey alone.

    Networking with other industry professionals can help you avoid common pitfalls, overcome growing pains in your agency, and step into new opportunities for growth.

    Finding The One

    While it may seem intimidating to invite an outsider into your inner circle, the benefits of hiring an experienced coach are undeniable.

    In hiring my business coach, I’ve gained invaluable insights and support that have allowed me to scale my agency to new heights.

    Finding “The One” (i.e., the right coach for you) will look different for everyone. For me, I happened to stumble across a TED talk by someone who challenged the way I saw business success.

    I read his books, followed his social media, and set a goal to work with him one day.

    That speaker was Cameron Herold, and I’m happy to say that I was able to hire him as my coach. And, man, am I glad that I did.

    In the early stages of our coaching journey, he illuminated a fundamental truth: While books provide valuable knowledge, a coach offers the swiftest route to implementation and tangible results.

    With his help, we were able to take our agency from $5M to $10M in revenue.

    Selecting a coach who is aligned with your specific needs is paramount.

    Whether that’s doubling your revenue, scaling a team, fine-tuning your offer, or striking a work-life balance, find someone who has been where you are now and has made it through to the next level.

    LinkedIn, Facebook Groups, Instagram, YouTube, and podcasts are great places to find people who are doing amazing things.

    As an agency owner, you’ll quickly discover how coaching is an investment that can have significant returns for your business.

    More resources:


    Featured Image: Ground Picture/Shutterstock

    10 Law Firm Marketing Tactics For Business Building In 2024 via @sejournal, @krisjonescom

    The legal industry is more competitive than ever, requiring law firms to leverage a blend of advanced technology and refined marketing tactics to stay ahead. A blend of SEO tactics to improve organic visibility and PPC advertising to target high-intent audiences can give you the edge.

    Modern marketing strategies require personalized approaches that resonate with clients and potential audiences. A mix of strategies can put your law firm in front of the right people at the right time.

    Below are timely recommendations for law firm marketing tactics, each designed to address distinct aspects of a comprehensive and effective marketing strategy.

    1. Develop A Comprehensive Marketing Calendar

    A well-planned marketing calendar is essential for law firms to strategically organize and schedule their marketing activities throughout the year.

    By mapping out campaigns, budgets, and key dates in advance, law firms can avoid ad-hoc marketing efforts and ensure a consistent and sustained approach.

    This proactive strategy enables firms to align marketing efforts with business objectives and key dates in the legal calendar, providing a framework for systematic progress and evaluation.

    Adapt to today’s dynamic omnichannel environment. Consider blending traditional channels like billboards and TV ads with a mix of organic and paid strategies on popular online platforms like Google and Facebook for optimal results.

    Read more: How To Create An Editorial Calendar For Content Marketing In 5 Easy Steps

    2. Embrace Digital Marketing

    A robust online presence is indispensable for law firms.

    This involves leveraging SEO to enhance search engine visibility, engaging in content marketing to provide value and establish authority, and utilizing social media platforms to connect with and expand the client base.

    While paid acquisition on Facebook and Google is competitive and expensive, it is necessary if your firm wants to stay top of mind when someone may need your services.

    Although competitive, digital marketing can be more cost-effective than traditional forms of advertising like print ads or billboards.

    With proper planning and execution, your law firm can reach a large audience without incurring the high costs associated with traditional marketing channels.

    A dynamic digital marketing strategy can significantly increase a law firm’s reach and reputation, attracting potential clients and reinforcing relationships with existing ones.

    Digital marketing offers robust analytics tools that allow your law firm to track the performance of your campaigns in real time.

    This means you can measure the effectiveness of your efforts and make data-driven decisions for optimization.

    Today’s digital marketing can be complex for non-trained and experienced professionals.

    Consider hiring an experienced digital marketing agency to gain access to experienced marketers.

    Be careful not to put your marketing dollars in the hands of inexperienced marketers who have recently graduated from college and are unlikely to have the skills necessary to compete effectively in the fiercely competitive legal vertical.

    Read more: 15 Top Digital Marketing Tools & Why We Love Them

    3. Personalize Marketing Efforts

    Personalization in marketing is about understanding and addressing the specific needs and interests of potential clients.

    Tailored messaging that resonates with a client’s unique legal situation enhances engagement and conversion rates.

    This involves creating content and marketing materials that speak directly to the concerns and questions of your target audience, making them feel seen and understood, thereby fostering trust and loyalty.

    Use audience targeting on paid digital ad platforms like Facebook to boost performance by showing ads to the most relevant audience.

    Audience targeting on Facebook refers to the process of selecting and defining specific groups of Facebook users who are most likely to be interested in your content, products, or services.

    You can also set up Custom Audiences, which allow you to target people who have already interacted with your business in some way, such as website visitors, app users, or people on your email list.

    You can upload your own customer data to create Custom Audiences.

    Once you’ve created a Custom Audience, you can use it as a source to create Lookalike Audiences.

    Facebook will find users who share similarities with your existing audience, expanding your reach to potential customers who are likely to be interested in your offerings.

    Read more: How To Use SEO To Target Your Audience Throughout The Funnel

    4. Implement Google Local Service Ads (LSAs)

    Google Local Service Ads (LSAs) are a cost-effective way for your law firm to connect with local clients.

    The pay-per-lead model ensures that your firm only spends on ads that directly result in client contact.

    LSAs appear at the top of Google’s search results, above even traditional paid search ads.

    This prime placement can significantly increase your law firm’s visibility and attract potential clients.

    Google verifies businesses that use LSAs, which can enhance your law firm’s credibility and trustworthiness.

    Potential clients are more likely to choose a verified and trusted legal service provider.

    LSAs operate on a pay-per-lead basis rather than pay-per-click.

    This means that your law firm only pays when a potential client contacts you directly through the ad, making it a cost-effective advertising option.

    LSAs allow your law firm to target ads to specific geographic areas, ensuring that they reach your potential clients who are actively searching for legal services in your local service area.

    By targeting individuals searching for legal services in specific areas, LSAs can generate high-quality leads.

    LSAs are designed with mobile users in mind, making it easy for potential clients to contact your law firm directly from their mobile devices. This is especially important considering the increasing use of smartphones for local searches.

    LSAs facilitate direct communication between potential clients and your law firm through phone calls and messages, streamlining the process of connecting with potential clients.

    Even if your law firm does not have a website or a limited online presence, you can still benefit from LSAs, as they provide a direct way for potential clients to contact your firm without visiting a website.

    Finally, maintaining an optimized Google Business Profile and gathering positive reviews are key to maximizing the effectiveness of LSAs as an acquisition channel for your law firm.

    Read more: Is Getting Your Google Business Profile “Google Guaranteed” Worth It?

    5. Implement And Use Google Analytics 4

    To gauge the effectiveness of marketing strategies, your law firm must employ analytics tools.

    Google Analytics 4 (GA4) is a free software that provides detailed insights into how your law firm’s website performs.

    GA4 makes it easy for your law firm to understand how users navigate their website, including which pages are most visited, where users drop off, and the paths users take.

    This information can help optimize website content and user experience.

    Your law firm can also assess whether your website is effectively engaging and retaining visitors.

    By properly tracking the performance of your online campaigns, your firm will be able to understand client behavior and make more effective data-driven decisions.

    Regular analysis of these metrics enables your firm to refine its marketing strategies, optimize resource allocation, and enhance the return on investment (ROI) of your digital marketing efforts.

    Importantly, Google Analytics tracks specific actions that are valuable to your law firm’s marketing efforts, such as contact form submissions, phone calls, or appointment bookings.

    Also, by knowing where your website traffic is coming from – whether from organic search, paid advertising, social media, or referrals – you’ll be empowered to allocate marketing resources effectively and identify successful marketing channels.

    Finally, with the increasing use of mobile devices, Google Analytics 4 offers insights into how well your website performs on different devices and screen sizes.

    Your law firm can ensure that your website is mobile-friendly and responsive, resulting in more traffic, leads, and marketing success.

    Read more: 7 Top Tips To Become A GA4 Pro (Even If You’re A Beginner)

    6. Utilize Pay-Per-Click (PPC) Ads

    PPC advertising provides your law firm with immediate visibility on search engines like Google, Bing, and other digital platforms.

    One of the clearest benefits of PPC advertising is that as soon as a campaign is launched, ads can start appearing in search results, generating traffic to your firm’s website quickly.

    PPC allows precise targeting based on keywords, demographics, location, and other factors.

    This precision ensures that ads are displayed to a highly relevant audience actively searching for legal services.

    With PPC, your law firm has full control over your advertising budget.

    You can set daily or monthly spending limits, and only pay when someone clicks on your ads.

    This “Pay for Performance” makes PPC campaigns unique to other forms of marketing, increasing the likelihood that it is cost-effective and manageable.

    That said, keep in mind the advice given for all forms of digital marketing: It’s almost always best to hire a professional to properly create and effectively manage your PPC campaigns.

    If you are a smaller law firm, PPC can level the playing field by allowing your smaller firm to compete with larger, more established competitors.

    By bidding strategically on relevant keywords, your smaller firms can gain visibility alongside more established law firms.

    PPC campaigns enable your law firm to conduct A/B testing of ad variations, landing pages, and call-to-action buttons.

    This testing helps you identify the most effective messaging and design elements to maximize conversions.

    Read more: 12 Hidden PPC Features You Should Know About

    7. Get Into Legal Directories

    Legal directories are a primary digital marketing tactic for law firms.

    Getting listings in online legal directories can provide a few benefits for your law firm, and it’s relatively easy for you to do.

    Being listed in directories is important because they’re a reputable source of information for potential clients.

    However, directories also provide some SEO benefits that will give an added boost to the rest of your digital marketing efforts.

    You want your law firm to be one of the top results for those looking for lawyers in your area.

    For this to happen, search engines need to know where you’re located, and local listings in directories are one more way of doing this.

    A listing in one of these directories will also help with link building, an important part of SEO.

    These listings ensure that you’ll get backlinks from websites that you know have good authority.

    Read more: How To Attract Backlinks To Your Law Firm Website

    8. Incorporate Video Marketing

    Video content has become a powerful tool in digital marketing.

    Your law firm can use videos to provide a more personal and engaging way to communicate your values, services, and expertise.

    Video content tends to be more engaging and memorable than text-based content.

    Video can capture your target audience’s attention and convey information in a visually appealing and concise manner.

    Videos can be utilized across various platforms, including your law firm’s website, social media, and email marketing campaigns.

    Incorporating professional-quality videos, with attention to accessibility through subtitles, can significantly enhance user engagement and SEO performance.

    Videos also empower your law firm to communicate complex legal concepts and information in a more accessible and understandable way.

    This can help potential clients grasp the nuances of their legal issues and your firm’s services.

    To extend your thought leadership beyond the service area of your law firm, you can post your videos on YouTube.

    Building out a channel for your law firm on YouTube may increase its reputation, leading to hiring profile cases and opportunities.

    Read more: How Digital Video Advertising Will Dominate The Next Decade

    9. Market To Existing And Past Clients

    Retaining existing clients and re-engaging past clients is often more cost-effective than acquiring new ones.

    Happy clients are more inclined to refer friends, family, and colleagues to your law firm.

    Word-of-mouth referrals from your existing clients can be a powerful source of new business.

    Implementing a Google Review tool, such as BirdEye or Zappy Cards, can significantly enhance word of mouth, as well as serve as social proof of the quality of your legal services.

    Marketing to existing and past clients keeps the firm at the forefront of your client’s mind. It can be through regular newsletters, updates on legal developments, and direct mail campaigns, which can encourage repeat business and referrals.

    A focus on maintaining strong relationships with current and former clients can yield significant returns in terms of client loyalty and new business opportunities.

    Read more: 10 Key Client Questions To Inform Exceptional Quality Content

    10. Engage Locally

    Local involvement can set your law firm apart in your community.

    This can include sponsoring local events, participating in community service, or offering pro bono services.

    Such engagement not only builds brand awareness, but also establishes your firm as a committed and integral part of the local community.

    This approach can also increase trust and respect within the community, potentially resulting in more client referrals and higher client retention rates.

    In such a highly competitive industry, many clients prefer working with local attorneys who deeply understand the local legal landscape and community.

    Engaging your law firm locally helps differentiate it from non-local competitors.

    Building relationships with local businesses, organizations, and professionals can also lead to a strong referral network.

    Other local businesses may refer clients needing legal services to your law firm if given the opportunity to meet and get to know you or one of your law colleagues.

    Read more: Using Local Business Partnerships And Collaborations To Build Authority And Visibility

    Conclusion

    For law firms in 2024, success in marketing requires a balanced blend of technology-driven strategies and personal engagement.

    Firms must innovate and adapt to stay competitive in a rapidly changing market.

    From embracing digital tools and analytics to fostering deep community connections, these tactics are not just about attracting clients but building enduring relationships and a strong, reputable brand.

    By implementing these strategies, law firms can navigate the complexities of the modern legal landscape and achieve sustained growth and success.

    More Resources:


    Featured Image: FotoSajewicz/Shutterstock

    How An Enterprise Digital PR Firm Earns 100’s Of Links In 30 Days via @sejournal, @hethr_campbell

    Struggling to earn links from journalists and the press?

    Digital PR for SEO has quickly become an alternative to traditional link building. However, earning links from the press can be a challenge creatively.

    That’s where we come in.

    Watch our on-demand webinar, as we explore how to scale the very time-consuming and complicated process of earning links from digital PR, with proven case studies showing how you can earn hundreds of links in 30 days.

    You’ll learn:

    • The process and tools to earn press links in just 30 days.
    • A scalable process to gather data to enhance journalist storylines.
    • How to combine data and expert commentary for the press.

    Kevin Rowe, Founder and Head of Strategy at PureLinq, will give away the process his firm has used to secure hundreds of meaningful links and mentions on top-tier domains using data-driven digital PR, with proven examples.

    Kevin’s firm has systematized a scalable process for data-driven digital PR for SEO, and now he wants to share it with you.

    Discover how to earn quality links through a strong digital PR presence.

    View the slides below or check out the full webinar for all the details.

    Join Us For Our Next Webinar!

    9 Major Google Updates From 2023 & 2024 SEO Predictions

    Join us for an in-depth, actionable recap of the need-to-know Google updates from 2023, along with key predictions for 2024.

    21 AI Use Cases For Turning Inbound Calls Into Marketing Data [+Prompts] via @sejournal, @calltrac

    This post was sponsored by CallTrackingMetrics. The opinions expressed in this article are the sponsor’s own.

    If you’ve been enjoying having random conversations with ChatGPT, or trying your hand at tricking a car dealership chatbot into giving you a new car for $1, just wait until you start using safe AI professionally.

    Marketers are finding lots of ways to use generative AI for things like SEO research, copywriting, and summarizing survey results.

    But one of the most natural and safe fits for AI is marketing data discovery during conversational call tracking.

    Don’t believe us?

    Here are a ton of AI marketing use cases that make perfect sense for your teams to start using.

    A Quick Call Tracking Definition

    Call tracking is the act of using unique phone numbers to tie a conversation to its marketing source, and collect other caller data, such as:

    • Location of caller.
    • New or returning caller.
    • Website activity associated with the caller.

    It can help attribute sales to:

    • Best performing marketing materials.
    • Best performing local website landing pages.
    • Best performing PPC campaigns.

    Manually tracking and analyzing each conversation can take hours, and often, important nuances are missed.

    This is where AI can help speed up marketing insight discovery and automatically update contact and sales pipelines.

    All you need is a prompt.

    What Prompt Or Quick Recipe Can I Use To Get AI Insights From Call Tracking?

    Your automatically logged call transcriptions + an AI prompt = automated conversation intelligence.

    Once you have this setup configured, you can drastically speed up your first-party data collection.

    To get more specific, prompts have two main parts. The question you want answered, and how you want AI to answer it. As an example:

    The question: What prompted the Caller to reach out?

    The prompt [how should AI answer]: You are a helpful Sales agent responsible for identifying what marketing channel prompted the contact to call. If the contact did not identify what prompted their call please only respond with “None”.

    Below are some example responses on what a contact might say:

    • Podcast ad.
    • Social post.
    • Friend or family recommendation.
    • Stopped by event booth.
    • Read reviews online.

    1 – 18. How To Use AI To Update Customer Contact Fields

    Starting off boring, but powerful: Generative AI can take your customer conversations and automate data entry tasks, such as updating caller profiles to keep them relevant and qualified.

    21 AI Use Cases For Turning Inbound Calls Into Marketing Data [+Prompts]Image created by CallTrackingMetrics, March 2024

    Impressive? No.

    But the time savings add up quickly, and let your team work on the things they like (that make the company money) instead of manually filling out wrap-up panels after a call.

    What Contact Information Can AI Automatically Update?

    1. Name – You’re going to get a name from caller ID which is a great start, but is it the name your caller prefers? Is it up to date or is it still the name of a former customer who left their company to chase their dreams? With a quick AI prompt, you can make sure you’re greeting the right person when they call back.
    2. Email Address – It might be a default value for form submissions, but getting an email address from a caller can take a lot of back and forth. AI isn’t going to ask for that last part again, or require you to read it back to them to verify. It’s just going to do it.
    3. Company Name – You might be using a sales intelligence tool like ZoomInfo to pull this kind of thing from a database. Still, you might also enjoy the accuracy of extracting directly from the words of your prospect.
    4. Buyer Role – Maybe not a basic field, but one AI can fill out nonetheless (much like other custom fields below!). Give your AI a list to choose from like a researcher, influencer, or decision maker. Sure would be nice to know how much influence they actually have without having to ask directly.

    Can AI Automatically Tag Conversations In My CRM?

    Of course!

    In CRMs and sales enablement tools, tags are used to categorize and segment your conversations for further analysis or follow-up.

    Some popular tags for call tracking are marking someone a new or returning caller.

    You can set a tag manually. You can set a tag using an if/then trigger. And because of what this whole thing is about, you can update tags using AI.

    21 AI Use Cases For Turning Inbound Calls Into Marketing Data [+Prompts]Image created by CallTrackingMetrics, March 2024

    Use AI to automatically add tags to your prospect’s profile, based on their actual calls.

    1. Spam – Sure, you can mark something spam yourself, but why not let AI do it for you so you can move on to real work?
    2. Product Tags – What was the caller asking about? Add product tags to calls for further analysis, or to jump right into the sales pitch when they call back.
    3. Lifecycle Tags – Have AI examine what kinds of questions your prospect is asking and qualify them along a scale of just learning to ready to buy. Or even, mark them as an existing customer.
    4. Target Account – Did the caller mention their company size? Maybe you asked them about revenue or tech stack. If you let AI know what your ideal customer looks like, it’ll help you quickly identify them when you’re talking to one.

    Can Generative AI Score Leads In My CRM?

    Yes! However, if 100% of your calls end in sales, skip this part.

    For the rest of us, phone, text, and chat leads range from “never going to buy anything” to “ready to give you my credit card info.”

    You need a way to gauge which leads are closer to “ready.” This is where lead scoring comes in.

    21 AI Use Cases For Turning Inbound Calls Into Marketing Data [+Prompts]Image created by CallTrackingMetrics, March 2024

    While there are lots of ways to score your conversations, you can use AI to sift through the transcription and qualify a lead for you.

    For call scoring, this often looks like a score of 1 to 5.

    So, here are a few examples of how AI can automatically score your leads from transcripts and chat logs.

    1. Readiness to Buy – The most classic approach to scoring is asking, “How likely is this lead to buy?” A score of 1 is unqualified, and a score of 5 is they’re already paying us.
    2. Ideal Customer Fit – Just like adding a target account tag above, train your AI on what a good customer looks like, and it can also give you a score. How closely does this caller fit your ideal profile?
    3. Coaching – Not everything has to be about the lead. Sometimes we want to grade our own team. How well did your sales team stick to the script? Were they friendly? Let AI roll it up into a score for you.
    4. Follow-up Priority – Aggregate readiness to buy, customer fit, and other inputs to decide on how aggressively to follow up with your leads.

    Can Generative AI Capture & Update Custom Fields From Phone Calls & Chat Logs?

    Your company is likely not the same as every other company using call tracking to get customer insights.

    You’ll want some flexibility to determine what’s important to you, not what your call-tracking provider has determined to be important.

    With custom fields, you get to put your creativity and strategy together with AI’s scalability to automate pretty much anything.

    21 AI Use Cases For Turning Inbound Calls Into Marketing Data [+Prompts]Image created by CallTrackingMetrics, March 2024

    AI can accurately assess and notate:

    1. Product Familiarity – You’ve tagged a call with a product name, but how much time do you need to spend educating the prospect vs. selling them?
    2. Related Products – What else could you be selling this person?
    3. Appointments – If your team runs on appointments or demos, having an AI add a calendar date to a custom field opens up a world of automated possibilities.
    4. Next Steps – Follow up with an email, a call, or an appointment confirmation text. Have AI pull the best next step from your conversation.

    19 – 21. How To Use Generative AI To Take Action On Automatically Updated Sales Contacts

    Ok, so there are some time-savings when you use call tracking and AI to update fields.

    If that’s not quite exciting enough, let’s see what you can actually do with those automated fields.

    21 AI Use Cases For Turning Inbound Calls Into Marketing Data [+Prompts]Image created by CallTrackingMetrics, March 2024

    19. Automate Advertising Optimization

    Use conversion data to inform your decisions.

    Throw AI into the mix, and you go from A to optimized without lifting a finger.

    How?

    The tags and fields your AI just updated become qualifiers to send only the signals that matter to your business over to platforms like Google Ads where their machine learning will go wild to find more of the same. Where you might have been stuck sending a simple conversion (like any call with talk time over 90 seconds) now you can send those conversions with a three or better score for readiness to buy, and a product tag.

    20. Better Personalization In Your CRM

    To kick things off, your AI automatically scraped the conversation for an email address, so now you can add a new contact to an email-centric tool like HubSpot immediately at the end of the conversation. H

    ave you updated product tags? Use that as a great trigger to enroll them in a highly relevant email drip.

    Feed your call scores and product tags into your CRM’s lead scoring system and add complexity to a usually surface-level approach. Or do something as easy as sync their company name to their record so you can personalize outreach.

    21. Following Up & Closing Deals

    You’re not having AI fill out custom fields for fun, you’re doing it to make your job easier.

    And one of your primary jobs is following up after a conversation to get someone closer to purchasing.

    Agreed on a time for your next meeting? Send that date field to your favorite scheduling tool and get a calendar invite in their inbox. Or maybe you had a softer “call me next week” agreement? Use that to send the caller to an outbound dialer that’s set to call as soon as you log in the next week.

    How To Use AI For Analyzing Calls

    Moving beyond data entry, when you give AI a call transcription to work with, it can pull out insights to help your team get better.

    In the time it would take you to read through one eight-minute phone conversation, AI has analyzed your whole day’s worth of calls and is off taking whatever the robot equivalent of a coffee break is.

    What can AI do to upgrade your conversation intelligence? Unfortunately, after 16 use cases, we’re bumping up against our word count and we’ll have to save that for part two: Another Ton of AI Use Cases for Call Tracking.


    Image Credits

    Featured Image: Image by CallTrackingMetrics Used with permission.

    Why RevOps Is Essential For Your B2B Marketing Strategy via @sejournal, @alexanderkesler

    Revenue operations (RevOps) is an organizational approach that aligns teams, workflows, and strategies through a unified revenue lens with goals and metrics focused on revenue growth.

    In past years of economic uncertainty, the need to prove return on investment (ROI) has led many businesses to adopt RevOps as a cross-organizational strategy.

    However, its definition and execution vary across companies, influenced by factors such as infrastructure and the strategies that are in place to drive long-term demand.

    In this guide, I present the RevOps strategy we implemented at INFUSE and recommend for 2024, which is aligned with go-to-market (GTM) motions and demand generation best practices to fuel predictable and lasting organizational growth.

    GTM And Demand: Frameworks To Enable RevOps

    The robust and granular nature of go-to-market (GTM) and demand generation frameworks makes both particularly well-suited for steering RevOps initiatives.

    Combining both allows revenue teams to craft iterative strategies that prioritize brand awareness and buyer engagement.

    Adopting a blended approach with both frameworks for your RevOps strategy is an effective way to guide product/service activation initiatives, as well as sustain demand for these offerings to meet performance goals.

    GTM Frameworks For RevOps

    Numerous GTM frameworks exist, with the majority emphasizing specific approaches to facilitate growth.

    For example, product-led growth (PLG) is a GTM model centered on driving revenue with a specific (often freemium) product motion.

    Meanwhile, an inbound growth model is led by driving traffic and lead generation through an inbound channel mix.

    Today, full-funnel approaches to GTM are especially effective, given their focus on supporting buyers at every stage of their journey.

    Therefore, rather than focusing on a product or channel mix, the priority is to build seamless experiences for buyers that offer a level of precision that is necessary to establish trust.

    Demand Frameworks For RevOps

    Demand generation serves as a supportive approach to achieving the objectives of a GTM strategy.

    Essentially, it acts as a conduit to sustain brand awareness and cultivate a pipeline of sales opportunities for the organization.

    In periods of sluggish economic growth, demand generation is crucial for preventing pipeline deceleration and retaining lead interest.

    Lead nurturing is a key element of demand strategies as it develops and maintains brand interest among prospects until they are ready to buy.

    Therefore, it helps develop growth and conversion forecasts, as well as drive brand referrals through content marketing and thought leadership.

    How To Launch A RevOps Strategy In 5 Easy Steps

    Below is a five-step process for driving a RevOps strategy that is fit for the market challenges of 2024:

    1. Establish RevOps At Your Organization Across Teams

    A core element of RevOps is establishing structures to align your team members and anchor the focus of your organization on the activities necessary for revenue growth.

    To achieve this, you will first require a well-defined north star (or unified goal), which can be set by following these steps:

    • Clarify your Unique Value Proposition (UVP): Revisit the unique value you offer to clients as a brand in terms of what drives revenue. This will allow you to focus your offerings on what drives organizational growth while also addressing the unique challenges of your target market.
    • Identify organizational obstacles: Evaluate what issues in your organizational culture, tech stack, and staff are currently hindering the full alignment of processes required for RevOps. The goal here is to identify the most common bottlenecks that impede your teams’ agility.
    • Define your purpose and goal: Define your key revenue goal to help plan the steps required to achieve it. This shared vision will sustain all teams’ activities and future strategies. If, for example, the goal is to increase market share by 30%, all business activities should be guided by that end goal.

    Functional Vs. Departmental RevOps:

    Molding RevOps teams and processes can either be guided by a functional (staff roles) or departmental perspective. Each approach comes with its own set of advantages and disadvantages, underscoring the importance of a careful evaluation to determine which one aligns best with the unique needs of your business:

    • Functional: This approach establishes tasks for team members to fulfill based on their skill set. For example, a person well-versed in project management would be responsible for developing RevOps systems.
    • Departmental: This approach assigns RevOps duties for each department of the organization based on their expertise and availability. It is simpler to implement compared to the functional approach, yet presents more risk of creating data silos (therefore, establishing data flows across departments is a must).

    2. Adopt The Recurring Revenue Bowtie Model

    Developed by Winning By Design, the Recurring Revenue Bowtie Model envisions the buyer’s journey as a closed loop to focus efforts in equal measure on interactions before and after a sale.

    This full-funnel approach helps emphasize the importance of onboarding and expanding business with existing clients through upsells, cross-sells, and renewals.

    ull-funnel approachScreenshot from Winning By Design, December 2023

    The Bowtie Model is well suited for RevOps since it focuses on both sides of the buyer’s journey: the path toward conversions, as well as the nurturing that is necessary to expand client relationships and encourage post-sale growth.

    Given the forecast of slow growth for 2024 (Reuters, 2023), this model is particularly well suited to the challenges ahead—namely, the emphasis on increasing client lifetime value (CLTV) and reducing churn to boost ROI.

    3. Align Data And AI For RevOps

    At the essence of RevOps lies the concept of actionability, underscoring the critical need to prioritize buyer data that can be leveraged to shape strategies that boost conversions.

    Enhancing your buyer data with actionable, real-time data points empowers you to adapt campaigns as needed and acquire insights about your audience, guiding future iterations.

    Buyer intent data is perhaps the most useful data for RevOps, as it demonstrates when and how buyers interact with your brand.

    It can also shape future touchpoints (via lead nurturing or sales teams) to encourage further engagement.

    By aggregating buyer intent data and utilizing AI-enriched platforms such as a client relationship management (CRM) system, it becomes feasible to glean insights from RevOps strategies as a whole.

    This empowers your revenue teams to make informed decisions for optimizing ROI, which prioritizes prospects demonstrating buyer intent at the right time.

    Since this data is timely, it also allows teams to craft content that garners the highest audience interest due to its relevance.

    4. Enable And Engage Defensive Buyers

    2024 is anticipated as a year of slow growth, a trend stemming from the past few years of economic uncertainty.

    This unusual climate is prompting decision-makers to adopt a defensive stance, as well as exercise heightened scrutiny over the risks associated with their purchasing decisions.

    Marketers embracing a RevOps strategy in 2024 must formulate comprehensive buyer journeys that address common objections and build trust right from the outset.

    Below are three tactics to enable and engage defensive buyers in 2024:

    Create Self-Paced Buyer Journeys

    According to Forrester 2024 Predictions, the demand for self-service will be greater than ever, especially as Millennials and Gen Z buyers now make up two-thirds of B2B buyers.

    Companies should consider developing buyer journeys that allow prospects to discover pricing, watch a demo, or even download a free trial at their own pace – without the need for a salesperson.

    Already commonplace in SaaS, this trend is likely to expand to other B2B industries, placing a significant emphasis on the importance of providing digital buying experiences that enable buyers to investigate and finalize purchases.

    After all, 75% of B2B buyers prefer a sales experience without sales representatives.

    Leverage ABX And Engage All Buying Group Members

    Account based experience (ABX) is an approach that adopts client and user experience (CX and UX) best practices to inform account targeting strategies.

    At INFUSE, it is the approach we adopt for account based marketing (ABM) due to its ability to enrich buyer experiences with personalized touchpoints.

    ABX also helps inform a holistic view of target accounts, developing an outreach strategy that considers all buying group members and the needs of different departments and professionals for approving a purchase.

    Thus, ABX proves to be an ideal approach for crafting a buyer’s journey that seamlessly aligns with the preferences of cautious buyers.

    This stems from its emphasis on meticulously tailored lead nurturing touchpoints, ensuring a precise level of personalization that directly addresses individual buyer challenges.

    Revisit Your Lead Data And Tech Stack

    As noted earlier, building efficient data flows is a critical first step in RevOps. Therefore, it becomes imperative to carry out a thorough audit of your tech stack and lead database to ensure a solid foundation for success.

    This audit should focus on detecting inconsistencies and incorrect information on buyers, as well as eliminating any redundant tools and bottlenecks.

    Since alignment is key for RevOps to truly function, ensure all data and tools are seamlessly integrated and available for all team members to glean insights and inform their strategies.

    5. Nurture With A RevOps And GTM Focus

    Enable your lead nurturing for revenue growth by benchmarking it against RevOps key performance indicators (KPIs), such as client lifetime value (CLTV) and client acquisition cost (CAC).

    These metrics help inform lead nurturing efforts toward revenue generation, which helps teams plan campaigns that will result in continued buyer engagement and a predictable pipeline of sales opportunities.

    Five tips for nurturing with a revenue focus:

    • Design touchpoints with revenue KPIs in mind: Guiding lead nurturing efforts through a revenue lens facilitates the development of content and outreach that has been created to maximize returns.
    • Develop nurturing tracks for different pain points and buyer personas: By establishing a lead nurturing cadence for each buyer persona (which addresses a unique set of pain points with solutions best suited for that buying group), you will be more successful in encouraging conversions.
    • Benchmark quarterly growth against nurturing efforts: Measuring organizational growth (such as net new growth) enables the routine tracking of your lead nurturing performance. Keep in mind, however, that lead nurturing is highly dependent on the average length of your sales cycle. So, for organizations with long sales cycles, performance will be difficult to glean quickly. Even so, consistent and early measurement indicators help glean insights to update future lead nurturing campaigns and ensure continued buyer interest.
    • Survey clients of key target audiences: Collect direct feedback from clients within different audiences that you are targeting for a timely overview of their brand perception, as well as market challenges and expectations for 2024. This will help personalize your messaging to better address the concerns of your target buying groups.
    • Analyze conversations with prospects: Record and assess conversations with prospects to determine the success of different approaches, as well as the objections and reactions of buyers toward certain topics. This will help determine which topics and messaging points are most successful in driving conversions.

    Key Takeaways

    Keep these takeaways in mind when planning your RevOps strategy to ensure the best outcomes:

    Develop A Rich Buyer Experience

    By leveraging the best practices of ABX, the post-sales enablement of the Bowtie Model, and a personalized touch to your lead nurturing, you can build a rich buyer experience that supports revenue growth.

    In other words, to drive revenue, you must align team efforts in a manner that capitalizes on developing a relevant buyer’s journey, which will maintain your brand top of mind throughout the buying group’s potentially lengthy and scrutinous decision-making process.

    Align Your Datasets, AI, And Tech Stack For RevOps

    Make sure to audit your existing data and technology through a revenue-first lens by eliminating redundancies and unnecessary data that will impede the insights required for driving growth.

    Consider your revenue metrics when analyzing this wealth of data and how your tools should function to make sure you are tracking revenue attribution from marketing and sales efforts.

    Nurture Leads For Long-Term Revenue Growth

    Develop comprehensive and relevant lead nurturing cadences that are custom-tailored to each buyer persona to engage buying groups as a whole.

    This will enable future sales opportunities for when buyers are in-market for your solutions.

    More resources: 


    Featured Image: Viktoria Kurpas/Shutterstock