// VIMEO VIDEO PLAYER
$("[js-vimeo-element='component']").each(function (index) {
let componentEl = $(this),
iframeEl = $(this).find("iframe"),
coverEl = $(this).find("[js-vimeo-element='cover']");
// create player
let player = new Vimeo.Player(iframeEl[0]);
// when video starts playing
player.on("play", function () {
// pause previously playing component before playing new one
let playingCover = $("[js-vimeo-element='component'].is-playing").not(componentEl).find("[js-vimeo-element='cover']");
if (playingCover.length) playingCover[0].click();
// add class of is-playing to this component
componentEl.addClass("is-playing");
// ✅ add a permanent class after first play
if (!componentEl.hasClass("has-played")) {
componentEl.addClass("has-played");
}
});
// when video pauses or ends
player.on("pause", function () {
componentEl.removeClass("is-playing");
});
// when user clicks on our cover
coverEl.on("click", function () {
if (componentEl.hasClass("is-playing")) {
player.pause();
} else {
player.play();
}
});
});
It sometimes feels like we live in an angry age. It certainly feels that way to customer-facing staff, who have been subject to a growing torrent of abuse since the start of the pandemic.
In fact, according to the Institute of Customer Service, 60% of customer-facing staff have experienced hostility from customers since early 2020, ranging from shouting and swearing to racial abuse, death threats, spitting and physical attacks. The Institute is running a campaign to highlight the issue.
But it’s not just abuse. Contact centre staff in many sectors are also fielding a growing number of calls from distressed customers who may be struggling to pay bills or meet other commitments.
Research from Forrester in 2021 found that nearly 67% of contact centres were dealing with more complex customer enquiries than a year earlier, and that 70% were facing more calls from “emotionally charged” customers.
Much of this research was carried out during the heat of the pandemic, but with the cost of living crisis in full swing, the situation is unlikely to ease.
With that in mind, we’ve put together six tips to help contact centre staff deal with angry or emotional customers.
6 ways to deal with difficult customers:
1) Have clear processes in place
In most cases, angry customers can be calmed by an advisor who takes their issue seriously and, if the matter can’t be dealt with there and then, describes a clear path to resolution.
Have guidelines in place for every eventuality and a consistent series of next steps. Make sure your team know them (intelligent scripting can help) and can talk them through with customers. Customers often get frustrated when they can’t see an end to the issue or worry they’ll spend long periods of time in call queues or being passed between departments.
When advisors take ownership of their issue, many customers quickly become calmer.
2) Give customers obvious ways to complain
It sounds counterintuitive, but making it easy for customers to complain is one way to keep them happy.
Most customers accept that mistakes sometimes happen. Frustrations arise when there’s no obvious way to draw an organisation’s attention to an error or oversight. Advertise a complaints line and email, and ensure they’re monitored. Customers will appreciate easy ways to report issues, as long as organisations respond promptly and appropriately.
3) Remain calm and constructive
However irate a customer gets, team members should stay calm, focusing on what they can do to help. It’s easy to get infuriated with customers who appear to be taking their own frustrations out on a blameless employee, but it’s also counterproductive. It will probably prolong the call, inflame emotions further and could lead to unnecessary escalation. Unless the customer becomes abusive, stay personable, and emphasise the steps you are taking – or will take – to resolve the problem. Empathy is crucial here. If the organisation is in error, agents should acknowledge that the customer has a right to be unhappy.
At the same time, advisors shouldn’t have to suffer insults and abuse. Have guidelines in place for them to follow in the event that an emotional caller becomes an insulting or threatening one. For example, some contact centres transfer rude and abusive customers to a recorded message.
4) Differentiate between angry customers and abusive ones
We should also reiterate again that customers have a right to complain about poor service or an error that costs them time and energy to resolve. An angry customer venting about the faulty processes of the organisation is not the same as an abusive one directing anger at an individual agent. Organisations should be able to accept honest criticism and act on it.
5) Offer callbacks
If a team member can’t resolve an issue during a call, the next best way to diffuse a difficult situation is to offer a callback. Advisors may need to involve another department in a customer complaint, or escalate it to a senior manager. Putting a customer on hold during this process can lead to growing frustration, especially if the wait is longer than a couple of minutes. Offer a callback so the customer can get on with their day while their complaint is dealt with. But if you do offer a callback you have to honour it, and at the time agreed.
6) Train your advisors
It’s a good idea to train your team to deal specifically with difficult calls, but training more generally is even more essential. In a nutshell, the more knowledgeable your team is, the more faith customers will have that they can and will resolve complex issues.
In fact, the kind of good contact centre management practices that help drive efficiency can also help to reduce the number of difficult calls agents have to deal with. For example, fast call answering can take the edge off a customer’s anger. Answering an email complaint within the advertised time shows you take complaints seriously. Intelligent call routing that gets them to the right person first time cuts out one cause of customer frustration.
In other words, having the tools in place to manage your contact centre effectively also helps to pacify difficult customers. Those tools should include intelligent scripting. Giving agents scripted guidance helps them lead difficult conversations to a satisfactory outcome. Download our ebook for more information on smart scripting and templates you can use in your own contact centres for dealing with difficult customers.
(() => {
const rich = document.querySelector('#rich-text');
const toc = document.querySelector('#toc');
if (!rich || !toc) return;
// Only H2s inside the Rich Text
const headings = [...rich.querySelectorAll('h2')];
if (!headings.length) { toc.style.display = 'none'; return; }
// Slugify + ensure unique IDs (handles accents like šđčćž)
const slugCounts = {};
const slugify = (str) => {
const base = (str || '')
.trim()
.toLowerCase()
.normalize('NFD').replace(/[\u0300-\u036f]/g, '') // remove diacritics
.replace(/[^a-z0-9\s-]/g, '')
.replace(/\s+/g, '-')
.replace(/-+/g, '-');
const n = (slugCounts[base] = (slugCounts[base] || 0) + 1);
return n > 1 ? `${base}-${n}` : base || `section-${n}`;
};
// Build anchors directly inside #toc
toc.innerHTML = '';
headings.forEach((h, idx) => {
if (!h.id) h.id = slugify(h.textContent || `section-${idx+1}`);
const a = document.createElement('a');
a.href = `#${h.id}`;
a.classList.add('content_link', 'is-secondary');
a.dataset.target = h.id;
a.setAttribute('aria-label', h.textContent || `Section ${idx+1}`);
const p = document.createElement('p');
p.className = 'text-size-small';
p.textContent = h.textContent || `Section ${idx+1}`;
a.appendChild(p);
toc.appendChild(a);
});
// Offset for fixed navs - with extra spacing for visibility
const getOffset = () => {
const nav = document.querySelector('.navbar, .w-nav, [data-nav]');
const navHeight = nav ? nav.getBoundingClientRect().height : 0;
// Add 30px buffer to ensure heading is clearly visible below fixed navbar
return navHeight + 30;
};
toc.addEventListener('click', (e) => {
const link = e.target.closest('a.content_link[href^="#"]');
if (!link) return;
e.preventDefault();
e.stopPropagation(); // Stop other event listeners
const id = link.getAttribute('href').slice(1);
const target = document.getElementById(id);
if (!target) return;
const targetTop = target.getBoundingClientRect().top + window.scrollY;
const finalY = targetTop - 150;
// Use only smooth scroll
window.scrollTo({ top: finalY, behavior: 'smooth' });
history.replaceState(null, '', `#${id}`);
});
})();
related articles
you might also like
Our articles and industry insights give you expert perspectives, practical strategies, and the latest trends to help your business connect smarter and perform better.
Introducing Resource Centres: In-Product Help, Exactly When You Need It!
In the latest release of MaxContact, we’re excited to introduce Resource Centres – a brand new in-product feature designed to help you get answers, guidance and support without ever leaving MaxContact.
(() => {
const WORDS_PER_MINUTE = 200;
const MULTIPLIER = 1; // your choice
const estimateMinutes = (el) => {
if (!el) return null;
const text = (el.innerText || el.textContent || "").trim();
if (!text) return 1;
const words = (text.match(/\S+/g) || []).length;
const baseMinutes = Math.max(1, Math.ceil(words / WORDS_PER_MINUTE));
return Math.max(1, Math.ceil(baseMinutes * MULTIPLIER));
};
const findNearestTargetInItem = (itemRoot, rt) => {
if (!itemRoot) return null;
return itemRoot.querySelector('.is-text');
};
const applyWithin = (root) => {
// More forgiving selector: attribute present or equals "true"
root.querySelectorAll('[data-rich-text], [data-rich-text="true"]').forEach((rt) => {
const itemRoot =
rt.closest('[role="listitem"]') ||
rt.closest('.w-dyn-item') ||
rt.parentElement ||
root;
const target = findNearestTargetInItem(itemRoot, rt);
if (!target) return;
const mins = estimateMinutes(rt);
if (mins != null) target.textContent = `${mins} MIN READ`;
});
};
const init = () => {
applyWithin(document);
// Re-apply on dynamic changes (pagination/filters)
const mo = new MutationObserver((mutations) => {
for (const m of mutations) {
for (const n of m.addedNodes) {
if (!(n instanceof Element)) continue;
if (
n.matches('[data-rich-text], [data-rich-text="true"], [role="list"], .w-dyn-items, .w-dyn-item') ||
n.querySelector?.('[data-rich-text], [data-rich-text="true"]')
) {
applyWithin(n);
}
}
}
});
mo.observe(document.body, { childList: true, subtree: true });
};
// Robust bootstrapping
if (window.Webflow && Array.isArray(window.Webflow)) {
window.Webflow.push(init);
} else if (document.readyState === 'loading') {
document.addEventListener('DOMContentLoaded', init, { once: true });
} else {
// DOM is already ready; run now
init();
}
})();
Resource Centres are powerful, contextual hubs that surface relevant help content based on the product you’re working in. Whether you’re looking for a quick answer, learning a new feature, or working through a process step-by-step, support is now available exactly where you need it.
Why we built this
When you’re in the middle of a task, the last thing you want to is to stop, switch tools, or wait for a support response just to keep moving forward.
Resource Centres have been built to help you:
Resolve questions quickly
Stay focused on the task at hand
Reduce disruption to your workflow
Instead of raising a support ticket or searching through documentation elsewhere, you can now access answers and guidance directly in the product. Helping you move faster and with greater confidence.
By bringing guides and walkthroughs into MaxContact itself, we can show you the exact steps to take, in real time, removing uncertainty and reducing the chance of error. This is especially valuable when new features are released, allowing you to build an immediate understanding of how they work and how you might want use them in your own setup.
What’s New: Key Features at a Glance
Within the Resource Centres you’ll find:
Powerful Knowledge Base Search
Step-by-Step Guided Tours
AI-Powered Chat Assistant
Contextual Help, tailored to the product you’re working in
This is just the beginning. Resource Centres will continue to evolve, with additional features and capabilities planned over time.
Feature Breakdown: How Resource Centres Help You!
In-Product Access
Resource Centres are available directly within the MaxContact product, meaning help is always close at hand.
Powerful Knowledge Base Search
If you’re looking for more information on a particular setting, page or feature, you can now search our Knowledge Base directly from within the product. You’ll be taken straight to the most relevant solutions article, significantly reducing the time it takes to find the right answer.
We’re continually improving our Knowledge Base content to ensure articles remain accurate, clear and genuinely useful.
Step-by-Step Guided Tours
Guided Tours walk you through key processes directly within the product, step-by-step. They guide you to exact areas you need, highlight the relevant settings, and explain what each step is used for, so nothing is missed.
These tours are designed to:
Help you complete tasks confidently
Reduce confusion around complex processes
Demonstrate new features as soon as they’re released
This means you can learn and adopt new functionality immediately, without having to search through release notes or documentation.
We’ve also reviewed common support desk queries to ensure the guides we build focus on what matters most to our customers. From everyday tasks to frequently requested processes, like blocking an inbound caller, making them quick and straightforward to complete.
AI-Powered Chat Assistant
The AI chat assistant is trained on our latest solution articles and product information, so you can feel confident in the answers it provides.
Alongside each response, you’ll also be shown the articles and guides that informed the answer, allowing you to explore further and build deeper knowledge when needed.
Contextual Help, Tailored to Each Product
Each Resource Centre is built specifically for the product it sits within.
For example:
In Management Hub, you’ll see content and guides relevant to configuration and administration
In Conversation Analytics, help is tailored specifically to analytics features
In Contact Hub, users can self-train through guided walkthroughs directly in the product
What This Means for Support Going Forward
Our Support team isn’t going anywhere.
Resource Centres are designed to complement human support, not replace it. By enabling faster self-service for common questions and tasks, our Support team can focus more time on complex, high-priority issues, helping deliver meaningful resolutions when you need them most.
We’re excited to launch Resource Centres and look forward to seeing how they help make your day-to-day work simpler and more efficient.
Resource Centres will be gradually rolled out over the coming weeks, launching in Management Hub and Contact Hub, with Conversation Analytics to follow.
Blog
5 min read
If You Want to Collect Honey, Don't Kick the Hive: Why Your Best Innovators Are Already on the Frontline
Guest article by Jamie Corbett, Operations Leader at Advantis Credit, as shared at Afterwork with MaxContact, a contact centre community event.
(() => {
const WORDS_PER_MINUTE = 200;
const MULTIPLIER = 1; // your choice
const estimateMinutes = (el) => {
if (!el) return null;
const text = (el.innerText || el.textContent || "").trim();
if (!text) return 1;
const words = (text.match(/\S+/g) || []).length;
const baseMinutes = Math.max(1, Math.ceil(words / WORDS_PER_MINUTE));
return Math.max(1, Math.ceil(baseMinutes * MULTIPLIER));
};
const findNearestTargetInItem = (itemRoot, rt) => {
if (!itemRoot) return null;
return itemRoot.querySelector('.is-text');
};
const applyWithin = (root) => {
// More forgiving selector: attribute present or equals "true"
root.querySelectorAll('[data-rich-text], [data-rich-text="true"]').forEach((rt) => {
const itemRoot =
rt.closest('[role="listitem"]') ||
rt.closest('.w-dyn-item') ||
rt.parentElement ||
root;
const target = findNearestTargetInItem(itemRoot, rt);
if (!target) return;
const mins = estimateMinutes(rt);
if (mins != null) target.textContent = `${mins} MIN READ`;
});
};
const init = () => {
applyWithin(document);
// Re-apply on dynamic changes (pagination/filters)
const mo = new MutationObserver((mutations) => {
for (const m of mutations) {
for (const n of m.addedNodes) {
if (!(n instanceof Element)) continue;
if (
n.matches('[data-rich-text], [data-rich-text="true"], [role="list"], .w-dyn-items, .w-dyn-item') ||
n.querySelector?.('[data-rich-text], [data-rich-text="true"]')
) {
applyWithin(n);
}
}
}
});
mo.observe(document.body, { childList: true, subtree: true });
};
// Robust bootstrapping
if (window.Webflow && Array.isArray(window.Webflow)) {
window.Webflow.push(init);
} else if (document.readyState === 'loading') {
document.addEventListener('DOMContentLoaded', init, { once: true });
} else {
// DOM is already ready; run now
init();
}
})();
What does a plumbing apprenticeship, ten years on a building site, and a career in debt collection have in common?
Absolutely nothing.
But what I learned in all those jobs is that the people closest to the work, the ones actually doing it, always have the best ideas.
When I first started in a contact centre, I was terrible. After a month of following the script and struggling, my manager asked if I wanted to sit next to someone else. In all my wisdom, I decided to sit next to the highest-collecting agent in the room.
His name was Vinny.
The Agent Who Changed Everything
We were working in debt collection. Everyone around us followed the script - voices raised, pushing for payments. Vinny sat there with a dusty Rubik's cube and a stained coffee mug, looking like an old hippy(which, by his own admission, he was).
Everyone else was loud and intense. Vinny was calm. He just talked to people.
And he was the top performer on the floor.
After a few days, I asked him what his secret was.
He smiled: "If you want to collect honey, you don't kick the hive."
That line stuck with me. Vinny showed me something important- sometimes the quietest people, the ones who do things differently, are the real innovators. He hadn't been told to change his approach. He just noticed what worked and trusted his instinct.
But here's the sad part - Vinny never told his manager.
"Because it's not in the script. I'd probably get marked down on QA."
He thought doing what worked meant breaking the rules. And as I sat in the chaos of the contact centre, I realised something:
If innovation feels like rebellion, we've built the wrong culture.
Your Agents Are Already Innovating
Frontline people are natural innovators. They live the process every day - they see what works, what doesn't, and they care about making it better.
But they don't do it because they're thinking about efficiency or the bottom line. They do it because they're human. They want to make their jobs simpler, smoother, less stressful.
Agents find smarter ways through clunky systems and shave seconds off repetitive tasks - not out of laziness, but instinct. It's the most natural form of innovation there is.
That's actually what Lean thinking is all about. It's not a corporate framework - it's common sense, done consistently. It's asking everyday: "What's getting in the way, and how can we make it easier?"
Our agents are already doing that. They just don't call it Lean.
The challenge for leaders is to recognise that behaviour, support it, and give it a name - to turn natural innovation into intentional improvement.
But too often, agents don't speak up. Rigid scripts, metrics obsession, or fear of "breaking process" make them feel like their ideas don't count.
So if we want innovation to thrive, our job as leaders isn't to create it - it's to unblock it.
When Doing the Right Thing Looks Like Breaking the Rules
A few years later, when I became a manager, I inherited Katie. She cared deeply about customers but was struggling with collections. Every one-to-one she'd say, "I'm doing it the way they tell us to, but itdoesn't feel right to push people like that."
So I sat in on her calls.
She wasn't talking about taking payments. She was talking about helping people get out of debt. "Let's figure out a plan that works for you." "What's getting in the way right now?"
On paper, she was off-script. She wasn't hitting the "ask for payment" markers. But her customers trusted her. They opened up. And slowly, her results climbed.
One day she said, "I know it's not what they want, but I feel like I'm actually helping people this way."
Sometimes doing the right thing looks like breaking the rules. I backed her. She became my best collector.
The Power of Perception
If you owed £400 to British Gas and your mortgage advisor told you to pay it, you'd thank them for protecting your credit score.
But if I, a debt collector, called about that same £400, it would feel completely different - even though it's the same advice.
Katie understood that. She changed the conversation from "Can we take a payment?" to "Let's help you get out of debt."
That tiny shift - from transaction to transformation -changed everything. Quiet, human innovation.
And here's the thing: this was before Consumer Duty. Before Treating Customers Fairly. Before the FCA. Katie was ahead of the industry curve.
It's Not People That Stop Innovation. It's Process.
Most of the time, our systems make innovation difficult.
QA, KPIs, scripts, compliance - all built with good intentions. But somewhere along the line, the systems started running the people instead of the other way around.
QA should measure the quality of the outcome, not just the accuracy of the process. Too often it's about catching mistakes instead of coaching improvement.
KPIs - we measure speed, wrap time, promises to pay, then wonder why empathy gets rushed. If you measure speed, you'll get speed. If you measure empathy, you'll get empathy. If you measure both - you'll get balance.
Scripts protect consistency, but they shouldn't control humanity. The best conversations are guided, not governed.
Culture is the biggest killer. Not process - fear. Agents stay quiet because they've seen others shot down. Silence in a contact centre isn't peace - it's potential going unheard.
These systems aren't bad. They were just built for consistency, not creativity. Our challenge is to rebuild them for both.
The Ripple Effect of Small Ideas
When people feel safe to share and experiment, you see the ripple effect.
I've seen it first-hand:
An agent suggests a note template - saves 30 seconds per call, three hours a day across the team.
Another swaps "you need to" for "what we can do together is" - complaint rates drop.
A team starts a Friday "what worked this week?" huddle - positivity skyrockets.
Tiny things. Massive impact.
When one person's idea is implemented, everyone starts looking for their own. That's how culture changes - not with slogans, but with ripples.
Start With One Question
When I think back to those days sitting next to Vinny, I realise he probably had no idea how much he changed my outlook.
At the time, I thought it was about keeping calm on the phones. But now I see it was about leadership, culture, and trust. You don't get great performance by pushing harder - you get it by creating the conditions for people to do their best work.
My mission has always been to change the world - not the whole world, at least not at first - but the world of debt collection. Because for too long, our industry has carried a negative perception. But what we really do is help people move forward.
And for me, that started with Vinny. That one quote. He was the stone that started the ripple - the ripple I intend to turn into a wave.
So when you go back to your teams, try this: ask questions.
"What's one small thing we could fix this week?"
"What's that one hack that is an absolute must?"
"How would you improve this process?"
Listen to the answers. Act on them.
Because once people see their ideas become real, that's when the ripples start. And that's when cultures change.
If you want to collect honey, don't kick the hive.
Trust your people. Listen to your frontline. And give them permission to make things better - one small idea, one ripple, one wave at a time.
---
Jamie Corbett is an Operations Leader at Advantis Credit. He spoke at Afterwork with MaxContact, a contact centre community event, where he shared his journey from the frontline to leadership and his mission to change the perception of debt collection through agent-focused innovation.
Want to unlock innovation in your contact centre? Discover how MaxContact's AI-powered platform gives your agents the tools and insights to do their best work. Learn more
Blog
5 min read
2025 Contact Centre Trends: A Year In Review
Let's look back at what we predicted for 2025 and how it measured up against reality.
(() => {
const WORDS_PER_MINUTE = 200;
const MULTIPLIER = 1; // your choice
const estimateMinutes = (el) => {
if (!el) return null;
const text = (el.innerText || el.textContent || "").trim();
if (!text) return 1;
const words = (text.match(/\S+/g) || []).length;
const baseMinutes = Math.max(1, Math.ceil(words / WORDS_PER_MINUTE));
return Math.max(1, Math.ceil(baseMinutes * MULTIPLIER));
};
const findNearestTargetInItem = (itemRoot, rt) => {
if (!itemRoot) return null;
return itemRoot.querySelector('.is-text');
};
const applyWithin = (root) => {
// More forgiving selector: attribute present or equals "true"
root.querySelectorAll('[data-rich-text], [data-rich-text="true"]').forEach((rt) => {
const itemRoot =
rt.closest('[role="listitem"]') ||
rt.closest('.w-dyn-item') ||
rt.parentElement ||
root;
const target = findNearestTargetInItem(itemRoot, rt);
if (!target) return;
const mins = estimateMinutes(rt);
if (mins != null) target.textContent = `${mins} MIN READ`;
});
};
const init = () => {
applyWithin(document);
// Re-apply on dynamic changes (pagination/filters)
const mo = new MutationObserver((mutations) => {
for (const m of mutations) {
for (const n of m.addedNodes) {
if (!(n instanceof Element)) continue;
if (
n.matches('[data-rich-text], [data-rich-text="true"], [role="list"], .w-dyn-items, .w-dyn-item') ||
n.querySelector?.('[data-rich-text], [data-rich-text="true"]')
) {
applyWithin(n);
}
}
}
});
mo.observe(document.body, { childList: true, subtree: true });
};
// Robust bootstrapping
if (window.Webflow && Array.isArray(window.Webflow)) {
window.Webflow.push(init);
} else if (document.readyState === 'loading') {
document.addEventListener('DOMContentLoaded', init, { once: true });
} else {
// DOM is already ready; run now
init();
}
})();
As we close out 2025, it's time to reflect on the predictions we made at the start of the year and examine how the contact centre industry actually evolved. While some trends played out largely as anticipated, others took different paths, and the year brought valuable lessons about the pace of technological adoption and the realities of AI implementation.
Let's look back at what we predicted for 2025 and how it measured up against reality.
AI Enters the Value Creation Phase: Prediction Validated
We predicted that 2025 would be the year AI moved from deployment to proving its worth, with organisations becoming more pragmatic about ROI and accepting realistic efficiency gains of around 25% rather than the marketed 70-80%. This proved to be one of our most accurate predictions.
The shift happened – and not just among buyers. AI vendors themselves fundamentally changed their positioning throughout the year, moving away from revolutionary promises toward demonstrable value delivery. The industry experienced a collective reality check, with both clients and vendors acknowledging that AI's current capabilities, while valuable, require focused implementation and realistic expectations.
The buyer sophistication we anticipated materialised as predicted. Organisations approached AI investments with the same caution they learned from the early SaaS era, demanding proof of value before committing resources. This pragmatic approach has actually accelerated successful implementations, as companies focused on achievable wins rather than transformational moonshots.
The adoption patterns we're seeing reflect this pragmatic approach. Our recent benchmark data shows that chatbots (57%), virtual or AI agents (56%), and fraud detection (46%) lead AI adoption – a mix of customer-facing and operational applications that demonstrates organisations are deploying AI across diverse use cases rather than betting everything on a single transformational solution.
This diversified approach demonstrates that organisations have learned a crucial lesson: AI value comes from multiple focused applications working together, not from a single revolutionary solution. Rather than seeking the one AI tool to transform everything, successful contact centres are building an ecosystem of AI capabilities, each solving specific problems and delivering measurable returns.
Looking to 2026, this value-focused approach will intensify. The stakes have never been higher for demonstrating real return on AI investment.
Agent Role Evolution: Still a Work in Progress
Our prediction about enhanced focus on emotional intelligence and complex problem-solving, driven by agents juggling 5-10 applications, proved partially accurate – but the evolution happened more slowly than anticipated.
The fundamental problem we identified, cognitive load from application switching, still exists. When agents need to hunt for information across multiple systems, that friction hasn't been solved at scale. However, there's a crucial development: vendors are now actively prioritising this challenge for the next 12-18 months in a way they weren't before.
The reality is that other AI use cases – digital deflection and efficiency improvements – showed faster, more measurable results and therefore attracted more immediate attention. Agent-focused solutions, which require more complex integrations and change management, naturally took longer to implement.
What's changed is the industry's recognition that solving the agent experience is the next frontier. The easy wins have been captured; now the focus is shifting to the harder problem of reducing cognitive load and empowering agents to focus on high-value interactions. The agent role evolution we predicted is happening – it's just unfolding across a longer timeline than a single year.
Personalisation Meets Privacy: Not Yet
This was one of our predictions that didn't materialise as expected. We highlighted that while 76% of consumers say personalised communications are a key factor in considering a brand, 80% are concerned about how their data is being used – a tension we believed would define how contact centres approached personalisation in 2025. In reality, this particular dynamic didn't become the defining issue we thought it would.
Personalisation absolutely grew, but not in the data-driven, privacy-challenging ways we envisioned. Instead, we saw incremental improvements that enhanced customer experience without crossing privacy boundaries. Conversational IVR systems that recognise customers and speak naturally. Auto-summarisation that gives agents context about previous interactions. Proactive outreach based on known customer journeys.
These are all forms of "respectful personalisation" – but the anticipated tension with privacy regulations didn't materialise because those regulations themselves haven't fully arrived yet. The comprehensive AI-specific data protection frameworks we expected are still pending, creating a situation that's both liberating and potentially dangerous.
The privacy conversation is coming – regulation always lags behind technology. But 2025 taught us that personalisation can advance through improvements in how we interact with customers, not just through deeper data mining. The human touch in personalisation is key, making interactions feel more conversational and contextual.
Economic Pressures Drive Innovation: Absolutely Accurate
This prediction proved devastatingly accurate. The economic pressures we highlighted – minimum wage increases to £12.21 per hour and National Insurance changes – drove exactly the responses we anticipated, and then some.
The most significant development was the dramatic acceleration of offshoring. Organisations didn't just explore offshore and nearshore options; many made wholesale moves, relocating entire operations because even with 20-30% AI-driven productivity improvements, the cost savings of offshore operations (often halving expenses) proved more immediately impactful.
This created an interesting dynamic: AI and offshoring aren't competing strategies, they're complementary ones. Organisations are doing both. The combination delivers the cost reductions that economic pressures demand, while AI provides the efficiency gains needed to maintain service quality in distributed operations.
For UK-based contact centres, this created an urgent imperative: AI implementation is no longer optional for competing at scale. The economics are stark – without AI-driven efficiency improvements, domestic operations struggle to justify their cost premium against offshore alternatives.
The year also validated our prediction about investment focusing on technology with clear cost benefits. Organisations moved past experimentation to demand concrete ROI demonstrations before committing to new platforms. First-contact resolution gained renewed focusas a direct cost-reduction strategy, and workforce management sophistication increased as organisations sought to maximise resource efficiency.
Economic pressure didn't just drive innovation – it fundamentally reshaped operational strategies across the industry.
Hybrid Working 2.0: Matured and Settled
Our prediction about hybrid working evolving beyond basic remote capabilities proved largely accurate. With over 60% of contact centres incorporating home working [Source: MaxContact 2024 KPI Benchmarking Report], 2025 was the year hybrid models matured from experimentation to established practice.
The persistent challenges we identified – training, culture, team cohesion, and the 10% higher attrition in remote teams – didn't disappear, but organisations developed more sophisticated approaches to managing them. The industry moved from asking "does hybrid work?" to "how do we make hybrid work better?"
That said, the journey isn't complete. Hybrid working remains an ongoing optimisation challenge rather than a solved problem. Organisations continue refining their approaches to onboarding, knowledge management, and cultural cohesion in distributed environments. The difference is that these are now recognised as manageable challenges within an accepted working model, rather than existential questions about hybrid working's viability.
What 2025 demonstrated is that hybrid working in contact centres has settled into a mature, sustainable model. It's not perfect, and it requires ongoing attention, but it's no longer experimental. Organisations know what works, what doesn't, and what trade-offs they're making.
We predicted 2025 would see contact centres move beyond scratching the surface toward sophisticated analytics and better cross-channel insights. What actually happened was more nuanced: awareness arrived, but implementation is still catching up.
The year's defining lesson about data came from AI implementations: data quality and integration determine success or failure. Organisations attempting AI projects quickly discovered that siloed, fragmented data blocks effective AI deployment. This painful lesson elevated data strategy from a nice-to-have to a fundamental requirement.
As a result, conversations about new technology implementations now start with data. Where is it? How timely is it? How well integrated across systems? This represents genuine progress – the industry now understands that data foundations must come before AI applications.
However, understanding the problem and solving it are different challenges. Data consolidation and integration remain complex, expensive projects that don't happen overnight. Many organisations spent 2025 realising the depth of their data challenges rather than solving them.
Interestingly, we also learned that AI tools themselves are creating more data. Speech analytics transcribing 100% of calls, conversation analytics tracking interaction quality, AI agents generating workflow data – the volume of available information is exploding. The new challenge isn't just integrating existing data sources, but making the tsunami of new data accessible and actionable for frontline decision-makers.
The data-driven future we predicted is coming, but 2025 was the year of recognition rather than transformation. The real work lies ahead in 2026.
Regulatory Compliance and Security: The Waiting Game
Our prediction about new AI-specific regulations joining existing frameworks like Consumer Duty didn't materialise in 2025 – though the reality is more nuanced than a simple absence of regulation.
While dedicated AI legislation hasn't arrived, existing regulatory frameworks continue to apply robustly to AI implementations. The FCA'stechnology-agnostic, outcomes-focused approach means that contact centres using AI remain fully accountable under Consumer Duty requirements – including obligations to act in good faith, avoid foreseeable harm, and deliver good outcomes for customers. This principles-based approach has proven flexible enough to address AI-related risks without requiring entirely new regulatory structures.
What we're seeing is that leading organisations aren't waiting for AI-specific regulations to establish best practices. Forward-thinking contact centres and vendors are proactively embedding responsible AI principles into their implementations – focusing on data protection, algorithmic transparency, fairness, and customer consent. These organisations recognise that existing regulatory requirements around consumer protection, operational resilience, and data governance already provide a comprehensive framework for responsible AI deployment.
This proactive approach positions organisations well regardless of future regulatory developments. By building AI systems that align with existing regulatory principles and industry best practices, they're creating implementations that are inherently compliance-ready. When AI-specific guidance does arrive – and regulators continue to monitor the space closely – organisations that have already embedded responsible practices will adapt seamlessly rather than facing disruptive retrofitting.
Security incidents throughout the year kept data protection at board-level attention, reinforcing the importance of robust governance around AI implementations. The industry's focus on operational resilience, secure outsourcing arrangements, and clear accountability structures demonstrates mature risk management even in the absence of AI-specific mandates.
The regulatory landscape for 2026 remains one to watch closely. While comprehensive AI-specific frameworks may still be developing, the application of existing regulations to AI use cases continues to evolve through regulatory guidance and industry practice. Organisations taking a principles-based, outcomes-focused approach to AI implementation – prioritising customer outcomes, transparency, and accountability – are positioning themselves as industry leaders in responsible innovation.
Looking Back: What We Learned
Perhaps the most important insight from 2025 is that AI is delivering real value, but in focused applications rather than wholesale revolution. Hybrid working has matured into standard practice, but the human challenges persist. Economic pressures accelerated strategic shifts that might have taken years in different circumstances.
The year validated our core message from the start of 2025: success comes from realistic expectations, focused implementations, and keeping sight of what matters – delivering excellent customer service in sustainable ways for both businesses and employees.
What surprised us least was how little surprised us. As an industry voice advocating for realistic AI expectations while others promised transformation, we saw our predictions largely validated. The technology evolution we anticipated happened; it just happened at the measured pace we expected rather than the revolutionary speed others marketed.
2025 Trends in Brief: What Actually Happened
AI Value Creation: Vendors and clients shifted focus to ROI and measurable value delivery. Chatbots (57%), virtual/AI agents (56%), and fraud detection (46%) lead AI adoption, with organisations taking a diversified approach rather than betting on single transformational solutions.
Agent Role Evolution: The cognitive load problem persists, but vendors are now prioritising agent experience as the next frontier after capturing easier AI wins in digital deflection.
Personalisation vs Privacy: Personalisation grew through conversational IVR, auto-summarisation, and proactive outreach, but the anticipated privacy tensions didn't materialise as AI-specific regulations remain pending.
Economic Pressures: Offshoring accelerateddramatically as the combination of minimum wage increases and National Insurance changes made offshore operations (often halving costs) more impactful than AI's 20-30% efficiency gains alone.
Hybrid Working: Matured from experimentation to established practice, with over 60% of contact centres incorporating home working and developing sophisticated approaches to managing persistent challenges.
Data-Driven Operations: Awareness arrived as AI implementations proved that data quality determines success or failure, but many organisations spent the year realising the depth of their data challenges rather than solving them.
Regulatory Landscape: AI-specific regulations didn't materialise, but existing frameworks like Consumer Duty continue to apply robustly. Leading organisations are proactively embedding responsible AI principles aligned with existing regulatory requirements.
As we move into 2026, these lessons will guide the next phase of contact centre evolution. The industry has learned to balance innovation with pragmatism, efficiency with experience, and automation with human expertise. The challenges ahead are significant, but 2025 proved the sector's ability to adapt thoughtfully rather than reactively – and that may be the most important trend of all.