Type something to search...
Cohere Transcribe: a 2B ASR model that tops the English leaderboard

Cohere Transcribe: a 2B ASR model that tops the English leaderboard

What is Cohere Transcribe?

Cohere Transcribe 03-2026 is an automatic speech recognition (ASR) model released by Cohere Labs. With 2B parameters, it ranks #1 on the English ASR leaderboard as of March 2026, achieving a 5.42 average Word Error Rate (WER) across 8 benchmarks — while running at 524x real-time speed (RTFx), roughly 3x faster than comparable models.

It supports 14 languages, handles long-form audio through automatic chunking, and is available under the Apache 2.0 license.


Architecture

  • Conformer encoder — combines convolutional and self-attention layers, making it effective for capturing both local acoustic features and long-range temporal dependencies.
  • Transformer decoder — lightweight design keeps the model fast while maintaining text quality.
  • Training — trained from scratch using supervised cross-entropy; no Whisper-based distillation.
  • Total size: 2B parameters.

Language support

14 languages:

RegionLanguages
EuropeEnglish, French, German, Italian, Spanish, Portuguese, Greek, Dutch, Polish
Asia-PacificChinese (Mandarin), Japanese, Korean, Vietnamese
MENAArabic

Note: language must be specified explicitly — there is no automatic language detection.


Benchmark results

English ASR leaderboard — #1 overall (March 2026)

ModelAvg WER ↓AMIEarnings22GigaspeechLS CleanLS OtherSPGISpeechTedLiumVoxPopuli
Cohere Transcribe5.428.1510.849.331.252.373.082.495.87

Lower WER is better. The model leads on 3 of 8 benchmarks and takes the #1 overall average.

Throughput:

MetricValue
RTFx (Real-Time Factor)524.88
Speed vs comparable models~3x faster

RTFx of 524.88 means 1 second of audio is transcribed in ~1.9 milliseconds.


Usage

Install:

pip install transformers>=5.4.0 torch huggingface_hub soundfile librosa sentencepiece protobuf

Basic transcription:

from transformers import AutoProcessor, CohereAsrForConditionalGeneration
from transformers.audio_utils import load_audio

processor = AutoProcessor.from_pretrained("CohereLabs/cohere-transcribe-03-2026")
model = CohereAsrForConditionalGeneration.from_pretrained(
    "CohereLabs/cohere-transcribe-03-2026",
    device_map="auto"
)

audio = load_audio("audio.wav", sampling_rate=16000)
inputs = processor(audio, sampling_rate=16000, return_tensors="pt", language="en")
inputs.to(model.device, dtype=model.dtype)

outputs = model.generate(**inputs, max_new_tokens=256)
text = processor.decode(outputs, skip_special_tokens=True)
print(text)

Long-form audio (automatic chunking):

from datasets import load_dataset
import time

ds = load_dataset("distil-whisper/earnings22", "full", split="test", streaming=True)
sample = next(iter(ds))

audio_array = sample["audio"]["array"]
sr = sample["audio"]["sampling_rate"]
duration_s = len(audio_array) / sr

inputs = processor(audio=audio_array, sampling_rate=sr, return_tensors="pt", language="en")
audio_chunk_index = inputs.get("audio_chunk_index")
inputs.to(model.device, dtype=model.dtype)

start = time.time()
outputs = model.generate(**inputs, max_new_tokens=256)
text = processor.decode(outputs, skip_special_tokens=True, audio_chunk_index=audio_chunk_index)[0]
elapsed = time.time() - start

print(f"Transcribed {duration_s:.0f}s of audio in {elapsed:.1f}s (RTFx: {duration_s/elapsed:.0f}x)")
print(text)

Batched inference:

from transformers.audio_utils import load_audio

audio_short = load_audio("short.mp3", sampling_rate=16000)
audio_long = load_audio("long.mp3", sampling_rate=16000)

inputs = processor(
    [audio_short, audio_long],
    sampling_rate=16000,
    return_tensors="pt",
    language="en"
)
audio_chunk_index = inputs.get("audio_chunk_index")
inputs.to(model.device, dtype=model.dtype)

outputs = model.generate(**inputs, max_new_tokens=256)
texts = processor.decode(outputs, skip_special_tokens=True,
                         audio_chunk_index=audio_chunk_index, language="en")
print(texts)

Punctuation control:

# With punctuation (default)
inputs = processor(audio, sampling_rate=16000, return_tensors="pt",
                   language="en", punctuation=True)

# Without punctuation (lowercase, no punctuation marks — useful for downstream NLP)
inputs = processor(audio, sampling_rate=16000, return_tensors="pt",
                   language="en", punctuation=False)

Optimized throughput with compilation:

import torch
from transformers import AutoProcessor, AutoModelForSpeechSeq2Seq

model_id = "CohereLabs/cohere-transcribe-03-2026"
processor = AutoProcessor.from_pretrained(model_id, trust_remote_code=True)
model = AutoModelForSpeechSeq2Seq.from_pretrained(model_id, trust_remote_code=True).cuda().eval()

texts = model.transcribe(
    processor=processor,
    audio_arrays=[audio_array],
    sample_rates=[sr],
    language="en",
    compile=True,              # torch.compile for higher throughput
    pipeline_detokenization=True,
    batch_size=16
)
print(texts[0])

Production deployment with vLLM

# Install
uv pip install -U vllm --torch-backend=auto --extra-index-url https://wheels.vllm.ai/nightly
uv pip install vllm[audio] librosa

# Start server
vllm serve CohereLabs/cohere-transcribe-03-2026 --trust-remote-code

# Send a request
curl -X POST http://localhost:8000/v1/audio/transcriptions \
  -H "Authorization: Bearer $VLLM_API_KEY" \
  -F "file=@audio.wav" \
  -F "model=CohereLabs/cohere-transcribe-03-2026"

Ecosystem

PlatformStatus
Hugging Face TransformersNative support
vLLMProduction serving
mlx-audioApple Silicon
Rustcohere_transcribe_rs
Browsertransformers.js + WebGPU
Chrome extensioncohere_transcribe_extension
iOSWhisper Memos

18 quantized variants are also available on the Hub.


Limitations

  • No automatic language detection — you must specify the language code upfront; the model will not switch languages mid-audio.
  • No timestamps or speaker diarization — if you need word-level timestamps or who-said-what, you’ll need a separate pipeline.
  • Silence handling — the model may attempt to transcribe non-speech sounds; a VAD (voice activity detection) preprocessing step is recommended for noisy environments.
  • Code-switching — inconsistent on audio that switches between languages within the same utterance.

Conclusion

Cohere Transcribe 03-2026 makes a clear case on benchmarks: #1 WER on the English ASR leaderboard, 3x faster than comparable models, under Apache 2.0. For teams building transcription pipelines — meeting notes, call center analytics, subtitle generation — this is now the strongest open-weights option at any size.

The automatic chunking for long-form audio, punctuation control, and broad ecosystem support (vLLM, Apple Silicon, browser, mobile) make it practical across a wide range of deployment scenarios.

Model: CohereLabs/cohere-transcribe-03-2026

Tags :
  • AI
  • Cohere
  • ASR
  • Speech Recognition
  • Audio
  • Open Source
Share :

Related Posts

ChatGPT: Beware of These Malicious Chrome Extensions

ChatGPT: Beware of These Malicious Chrome Extensions

Are your ChatGPT secrets truly secure? The massive hype surrounding ChatGPT has led to the birth of thousands of Chrome extensions promising to enhance user experience. However, a recent study h

Read More
Agentic AI Smartphones: The Next Frontier for Enterprise

Agentic AI Smartphones: The Next Frontier for Enterprise

The rise of the "doer" AI The recent launch of the ZTE Nubia M153 prototype, powered by ByteDance's Doubao model, marks a decisive turning point. We are moving from passive voice assistants to "

Read More
Chroma Context-1: the 20B agentic search model that edits its own context

Chroma Context-1: the 20B agentic search model that edits its own context

What is Chroma Context-1? Chroma Context-1 is a 20B Mixture of Experts model built specifically for agentic search — retrieval tasks that require multiple hops, query decomposition, and self

Read More
Claude Opus 4.5: The Next Generation of AI

Claude Opus 4.5: The Next Generation of AI

Introduction to Claude Opus 4.5 Claude Opus 4.5, released on November 25, 2025, represents a significant leap forward in AI technology. This latest version brings a host of new features and impr

Read More
Gemma 4 31B: Google's multimodal model with 256K context and thinking mode

Gemma 4 31B: Google's multimodal model with 256K context and thinking mode

What is Gemma 4 31B? Gemma 4 31B (instruction-tuned variant: gemma-4-31B-it) is Google's latest open-weights multimodal model with 30.7 billion parameters. It processes text, images, and v

Read More
GLM-5: 744B parameters, 40B active — ZhipuAI's open-source frontier model

GLM-5: 744B parameters, 40B active — ZhipuAI's open-source frontier model

What is GLM-5? GLM-5 is a large language model released by ZhipuAI (智谱AI). It has 744 billion total parameters with only 40 billion active at inference — the same Mixture of Experts

Read More
Google Snapseed: A New Photo Experience Arrives on iPhone

Google Snapseed: A New Photo Experience Arrives on iPhone

Introduction: Google surprises mobile photographers Google has just made a major move in the iOS ecosystem by launching a dedicated camera app, directly linked to its famous Snapseed editing suit

Read More
Mistral Small 4: One Unified Model to Rule Reasoning, Code, and Vision

Mistral Small 4: One Unified Model to Rule Reasoning, Code, and Vision

For years, the AI model landscape has operated along a familiar tension: large models that are capable but expensive to run, versus small models that are fast but frustratingly limited. Mistral AI's

Read More
Mistral's Devstral 2: The Return of Sovereign Code AI

Mistral's Devstral 2: The Return of Sovereign Code AI

The European Counter-Strike in Code AI With the release of Devstral 2 and its lightweight counterpart Devstral Small 2, Mistral AI is effectively reclaiming territory in a sector recently domina

Read More
Nemotron Cascade 2: NVIDIA's 30B model that won the math and coding Olympics

Nemotron Cascade 2: NVIDIA's 30B model that won the math and coding Olympics

What is Nemotron Cascade 2? Nemotron Cascade 2 (30B-A3B) is an open model released by NVIDIA on March 19, 2026. Its headline number is deceptive: 30 billion total parameters, but only **3 bi

Read More
NVIDIA Nemotron-3 Super: a 120B MoE model that runs on a single GPU

NVIDIA Nemotron-3 Super: a 120B MoE model that runs on a single GPU

On March 11, 2026, NVIDIA released Nemotron-3 Super — a model that sits at an unusual intersection: 120 billion total parameters, only 12 billion active during inference, deployable on a single G

Read More
Qianfan-OCR: Baidu's 4B model that beats Gemini on document parsing

Qianfan-OCR: Baidu's 4B model that beats Gemini on document parsing

What is Qianfan-OCR? Qianfan-OCR is a document understanding model released by Baidu. It converts images of documents — PDFs, scans, photos, screenshots — directly into structured Markdown,

Read More
Qwen3.5-27B Distilled by Claude 4.6 Opus: A Local Reasoning Powerhouse

Qwen3.5-27B Distilled by Claude 4.6 Opus: A Local Reasoning Powerhouse

What is this model? Qwen3.5-27B-Claude-4.6-Opus-Reasoning-Distilled is an open-source 28B language model published by Jackrong on Hugging Face. The idea is

Read More
Project Ava: Razer Traps an AI in a Connected Jar

Project Ava: Razer Traps an AI in a Connected Jar

AI steps out of the screen with Razer Beyond RGB mice and keyboards, Razer is exploring new horizons with Project Ava. This concept, introduced as an "AI companion in a jar," aims to humaniz

Read More
Technology (definition)

Technology (definition)

Technology and ecology: a sustainable alliance At Reeboot, we firmly believe that technology and ecology can go hand in hand. Our mission is to provide high-performance products while adopting a

Read More
The Asus ROG Strix SCAR 18 Monster, VPN and Health: Today's Tech News

The Asus ROG Strix SCAR 18 Monster, VPN and Health: Today's Tech News

Introduction: a concentration of innovations and vigilance The world of technology never stops, and this morning, the news offers us a fascinating mix of raw performance, digital geopolitics, and

Read More
Voxtral-4B: Mistral's open-weights TTS model that speaks 9 languages in real time

Voxtral-4B: Mistral's open-weights TTS model that speaks 9 languages in real time

What is Voxtral-4B? Voxtral-4B-TTS-2603 is a text-to-speech model released by Mistral AI in March 2026. It converts text to realistic speech in 9 languages, with 20 built-in preset voices an

Read More
Windows 11: Your Android Apps Now in Full Screen on PC

Windows 11: Your Android Apps Now in Full Screen on PC

Breaking the barriers between mobile and PC Microsoft is taking another major step in unifying its operating systems. Thanks to an update to the "Phone Link" tool, users can now project their An

Read More