Automation

Google Sheets AI Formulas: What Actually Works in 2026

Marc SeanMarch 16, 20266 min read

What Google Sheets Offers Natively

Google has added a few AI-powered features to Sheets over the past two years, but they're limited in scope:

  • Smart Fill detects patterns in your data and suggests auto-completions. It works well for formatting — extracting first names from full names, standardizing phone numbers, splitting addresses. It doesn't do anything with meaning.
  • Help me organize generates a starter spreadsheet from a text description. Useful for templates, not for processing existing data.
  • Gemini in Sheets (Workspace Labs) can answer questions about your data, create formulas, and generate charts. But it operates as a sidebar assistant, not as a formula you can put in a cell and drag down.

None of these give you a formula like =AI("classify this text") that you can apply to every row. For that, you need one of the approaches below.


Option 1: Custom Apps Script Functions

The most flexible approach is writing a Google Apps Script function that calls an AI API. This gives you a real formula that lives in your cells.

function AI(prompt, model) {
  model = model || "gpt-4o-mini";
  const apiKey = PropertiesService.getScriptProperties().getProperty('OPENAI_API_KEY');

  const payload = {
    model: model,
    messages: [
      { role: "system", content: "You are a data processing assistant. Return only the requested output, no explanations." },
      { role: "user", content: prompt }
    ],
    temperature: 0.1,
    max_tokens: 200
  };

  const response = UrlFetchApp.fetch("https://api.openai.com/v1/chat/completions", {
    method: "post",
    headers: { "Authorization": "Bearer " + apiKey, "Content-Type": "application/json" },
    payload: JSON.stringify(payload),
    muteHttpExceptions: true
  });

  const result = JSON.parse(response.getContentText());
  if (result.error) return "ERROR: " + result.error.message;
  return result.choices[0].message.content.trim();
}

Usage:

=AI("Extract the company name from this email: " & A2)
=AI("Is this review positive, negative, or neutral? " & B2)
=AI("Translate to Spanish: " & C2)

Advantages: Full control over prompts, system messages, and model selection. No add-on dependency. Free to use (minus API costs).

Disadvantages: 6-minute execution limit per script run. Each cell is a separate API call. No built-in caching — recalculations hit the API again.


Option 2: AI Add-ons for Google Sheets

If you don't want to write code, several add-ons package AI formulas with a nicer interface:

GPT for Sheets and Docs (by Talarian) The most widely used. Adds functions like:

  • =GPT("your prompt") — basic completion
  • =GPT_LIST("list 5 keywords for: " & A2) — returns a list across rows
  • =GPT_TABLE("create a comparison table...") — returns structured data
  • =GPT_FILL(A1:B10) — pattern completion similar to Smart Fill but AI-powered

Requires your own OpenAI API key. Free tier limited to a few hundred calls.

Numerous.ai Designed specifically for bulk operations. Their =AI() formula handles batch processing better than most — they queue API calls and manage rate limits for you. Good for processing entire columns without timeout issues.

SheetAI Similar formula-based approach. Differentiator is their prompt template library — pre-built prompts for sentiment analysis, data extraction, content generation.


Option 3: Connected Sheets + BigQuery ML

For enterprise use cases where you're processing tens of thousands of rows, the Apps Script and add-on approaches break down. Google's own stack has a path here:

  1. Connect your Sheet to BigQuery via Connected Sheets (requires Workspace Enterprise)
  2. Use BigQuery ML to run ML models on your data
  3. Results flow back to your Sheet

This works for classification and prediction tasks where you can train or use a pre-built model. It's overkill for ad-hoc text processing but makes sense if you're processing 100K+ rows regularly.


Practical Patterns That Work

After setting up any of the above, here are the AI formula patterns that deliver the most value in spreadsheets:

Text classification — categorizing support tickets, tagging survey responses, sorting leads:

=AI("Classify this customer message into exactly one category: billing, technical, feature-request, or other. Return only the category. Message: " & A2)

Entity extraction — pulling structured data from unstructured text:

=AI("Extract the dollar amount from this invoice description. Return only the number. If none found, return N/A. Text: " & A2)

Sentiment scoring — quantifying tone for analysis:

=AI("Rate the sentiment of this review from 1 (very negative) to 5 (very positive). Return only the number. Review: " & A2)

Summarization — condensing long text for reporting:

=AI("Summarize this customer feedback in exactly one sentence: " & A2)

The key to good results is constraining the output format. Without explicit instructions like "return only the number" or "respond with exactly one word," you'll get prose that's hard to use in downstream formulas.


Performance and Cost Comparison

ApproachSetup timePer-cell costMax rowsRequires code
Apps Script + OpenAI15 min~$0.001~200/batchYes
GPT for Sheets add-on5 min~$0.001 + add-on fee~500/batchNo
Numerous.ai5 minSubscription1,000+/batchNo
BigQuery ML1-2 hoursVariesUnlimitedSQL

The per-cell cost for AI processing is almost always under $0.01 regardless of method. The real differentiator is throughput — how many cells can you process before hitting a timeout, rate limit, or execution cap.


All of these approaches bolt AI onto Google Sheets from the outside. They work, but they weren't designed for how spreadsheets actually operate — recalculation cycles, cell dependencies, batch operations across columns. ModelMonkey was built for exactly this: AI formulas that behave like native Sheets functions, handle batching automatically, and let you switch between models without rewriting your prompts.

If you want AI formulas that just work without the setup overhead, try ModelMonkey free for 14 days — no API keys, no Apps Script, no add-on subscriptions.


Frequently Asked Questions