• bitcoinBitcoin(BTC)$67,928.00-0.04%
  • ethereumEthereum(ETH)$1,967.81-0.86%
  • tetherTether(USDT)$1.000.00%
  • binancecoinBNB(BNB)$621.45-1.17%
  • rippleXRP(XRP)$1.36-0.29%
  • usd-coinUSDC(USDC)$1.000.01%
  • solanaSolana(SOL)$83.51-1.33%
  • tronTRON(TRX)$0.2867751.07%
  • Figure HelocFigure Heloc(FIGR_HELOC)$1.02-0.01%
  • dogecoinDogecoin(DOGE)$0.090311-0.14%
  • whitebitWhiteBIT Coin(WBT)$54.28-0.33%
  • USDSUSDS(USDS)$1.000.01%
  • cardanoCardano(ADA)$0.255092-1.18%
  • bitcoin-cashBitcoin Cash(BCH)$451.860.14%
  • leo-tokenLEO Token(LEO)$9.03-0.26%
  • HyperliquidHyperliquid(HYPE)$30.50-0.56%
  • moneroMonero(XMR)$345.46-1.08%
  • chainlinkChainlink(LINK)$8.71-0.90%
  • Ethena USDeEthena USDe(USDE)$1.000.05%
  • CantonCanton(CC)$0.1527690.08%
  • stellarStellar(XLM)$0.151170-0.63%
  • USD1USD1(USD1)$1.00-0.01%
  • RainRain(RAIN)$0.009014-0.84%
  • daiDai(DAI)$1.000.03%
  • hedera-hashgraphHedera(HBAR)$0.095941-0.74%
  • paypal-usdPayPal USD(PYUSD)$1.000.00%
  • litecoinLitecoin(LTC)$53.51-1.05%
  • avalanche-2Avalanche(AVAX)$8.95-0.80%
  • suiSui(SUI)$0.90-0.64%
  • the-open-networkToncoin(TON)$1.33-0.78%
  • zcashZcash(ZEC)$196.36-6.65%
  • shiba-inuShiba Inu(SHIB)$0.000005-0.89%
  • crypto-com-chainCronos(CRO)$0.075014-0.03%
  • tether-goldTether Gold(XAUT)$5,137.79-0.08%
  • World Liberty FinancialWorld Liberty Financial(WLFI)$0.097043-1.80%
  • MemeCoreMemeCore(M)$1.51-0.60%
  • pax-goldPAX Gold(PAXG)$5,170.89-0.16%
  • polkadotPolkadot(DOT)$1.46-1.93%
  • uniswapUniswap(UNI)$3.76-1.65%
  • mantleMantle(MNT)$0.68-0.43%
  • okbOKB(OKB)$100.24-2.27%
  • Circle USYCCircle USYC(USYC)$1.120.00%
  • Pi NetworkPi Network(PI)$0.209355-8.40%
  • BlackRock USD Institutional Digital Liquidity FundBlackRock USD Institutional Digital Liquidity Fund(BUIDL)$1.000.00%
  • Falcon USDFalcon USD(USDF)$1.000.01%
  • BittensorBittensor(TAO)$177.87-1.42%
  • Global DollarGlobal Dollar(USDG)$1.000.00%
  • AsterAster(ASTER)$0.69-1.48%
  • SkySky(SKY)$0.0733134.51%
  • aaveAave(AAVE)$108.70-1.52%
TradePoint.io
  • Main
  • AI & Technology
  • Stock Charts
  • Market & News
  • Business
  • Finance Tips
  • Trade Tube
  • Blog
  • Shop
No Result
View All Result
TradePoint.io
No Result
View All Result

A Developer’s Guide to OpenAI’s GPT-5 Model Capabilities

August 8, 2025
in AI & Technology
Reading Time: 7 mins read
A A
A Developer’s Guide to OpenAI’s GPT-5 Model Capabilities
ShareShareShareShareShare

In this tutorial, we’ll explore the new capabilities introduced in OpenAI’s latest model, GPT-5. The update brings several powerful features, including the Verbosity parameter, Free-form Function Calling, Context-Free Grammar (CFG), and Minimal Reasoning. We’ll look at what they do and how to use them in practice. Check out the Full Codes here.

Installing the libraries

!pip install pandas openai

To get an OpenAI API key, visit https://platform.openai.com/settings/organization/api-keys and generate a new key. If you’re a new user, you may need to add billing details and make a minimum payment of $5 to activate API access. Check out the Full Codes here.

YOU MAY ALSO LIKE

Building Next-Gen Agentic AI: A Complete Framework for Cognitive Blueprint Driven Runtime Agents with Memory Tools and Validation

OpenAI is reportedly pushing back the launch of its ‘adult mode’ even further

import os
from getpass import getpass
os.environ['OPENAI_API_KEY'] = getpass('Enter OpenAI API Key: ')

Verbosity Parameter

The Verbosity parameter lets you control how detailed the model’s replies are without changing your prompt.

  • low → Short and concise, minimal extra text.
  • medium (default) → Balanced detail and clarity.
  • high → Very detailed, ideal for explanations, audits, or teaching. Check out the Full Codes here.
from openai import OpenAI
import pandas as pd
from IPython.display import display

client = OpenAI()

question = "Write a poem about a detective and his first solve"

data = []

for verbosity in ["low", "medium", "high"]:
    response = client.responses.create(
        model="gpt-5-mini",
        input=question,
        text={"verbosity": verbosity}
    )

    # Extract text
    output_text = ""
    for item in response.output:
        if hasattr(item, "content"):
            for content in item.content:
                if hasattr(content, "text"):
                    output_text += content.text

    usage = response.usage
    data.append({
        "Verbosity": verbosity,
        "Sample Output": output_text,
        "Output Tokens": usage.output_tokens
    })
# Create DataFrame
df = pd.DataFrame(data)

# Display nicely with centered headers
pd.set_option('display.max_colwidth', None)
styled_df = df.style.set_table_styles(
    [
        {'selector': 'th', 'props': [('text-align', 'center')]},  # Center column headers
        {'selector': 'td', 'props': [('text-align', 'left')]}     # Left-align table cells
    ]
)

display(styled_df)

The output tokens scale roughly linearly with verbosity: low (731) → medium (1017) → high (1263).

Free-Form Function Calling

Free-form function calling lets GPT-5 send raw text payloads—like Python scripts, SQL queries, or shell commands—directly to your tool, without the JSON formatting used in GPT-4. Check out the Full Codes here.

This makes it easier to connect GPT-5 to external runtimes such as:

  • Code sandboxes (Python, C++, Java, etc.)
  • SQL databases (outputs raw SQL directly)
  • Shell environments (outputs ready-to-run Bash)
  • Config generators
from openai import OpenAI

client = OpenAI()

response = client.responses.create(
    model="gpt-5-mini",
    input="Please use the code_exec tool to calculate the cube of the number of vowels in the word 'pineapple'",
    text={"format": {"type": "text"}},
    tools=[
        {
            "type": "custom",
            "name": "code_exec",
            "description": "Executes arbitrary python code",
        }
    ]
)
print(response.output[1].input)

This output shows GPT-5 generating raw Python code that counts the vowels in the word pineapple, calculates the cube of that count, and prints both values. Instead of returning a structured JSON object (like GPT-4 typically would for tool calls), GPT-5 delivers plain executable code. This makes it possible to feed the result directly into a Python runtime without extra parsing.

Context-Free Grammar (CFG)

A Context-Free Grammar (CFG) is a set of production rules that define valid strings in a language. Each rule rewrites a non-terminal symbol into terminals and/or other non-terminals, without depending on the surrounding context.

CFGs are useful when you want to strictly constrain the model’s output so it always follows the syntax of a programming language, data format, or other structured text — for example, ensuring generated SQL, JSON, or code is always syntactically correct.

For comparison, we’ll run the same script using GPT-4 and GPT-5 with an identical CFG to see how both models adhere to the grammar rules and how their outputs differ in accuracy and speed. Check out the Full Codes here.

from openai import OpenAI
import re

client = OpenAI()

email_regex = r"^[A-Za-z0-9._%+-]+@[A-Za-z0-9.-]+\.[A-Za-z]{2,}$"

prompt = "Give me a valid email address for John Doe. It can be a dummy email"

# No grammar constraints -- model might give prose or invalid format
response = client.responses.create(
    model="gpt-4o",  # or earlier
    input=prompt
)

output = response.output_text.strip()
print("GPT Output:", output)
print("Valid?", bool(re.match(email_regex, output)))
from openai import OpenAI

client = OpenAI()

email_regex = r"^[A-Za-z0-9._%+-]+@[A-Za-z0-9.-]+\.[A-Za-z]{2,}$"

prompt = "Give me a valid email address for John Doe. It can be a dummy email"

response = client.responses.create(
    model="gpt-5",  # grammar-constrained model
    input=prompt,
    text={"format": {"type": "text"}},
    tools=[
        {
            "type": "custom",
            "name": "email_grammar",
            "description": "Outputs a valid email address.",
            "format": {
                "type": "grammar",
                "syntax": "regex",
                "definition": email_regex
            }
        }
    ],
    parallel_tool_calls=False
)

print("GPT-5 Output:", response.output[1].input)

This example shows how GPT-5 can adhere more closely to a specified format when using a Context-Free Grammar.

With the same grammar rules, GPT-4 produced extra text around the email address (“Sure, here’s a test email you can use for John Doe: [email protected]”), which makes it invalid according to the strict format requirement.

GPT-5, however, output exactly [email protected], matching the grammar and passing validation. This demonstrates GPT-5’s improved ability to follow CFG constraints precisely. Check out the Full Codes here.

Minimal Reasoning

Minimal reasoning mode runs GPT-5 with very few or no reasoning tokens, reducing latency and delivering a faster time-to-first-token.

It’s ideal for deterministic, lightweight tasks such as:

  • Data extraction
  • Formatting
  • Short rewrites
  • Simple classification

Because the model skips most intermediate reasoning steps, responses are quick and concise. If not specified, the reasoning effort defaults to medium. Check out the Full Codes here.

import time
from openai import OpenAI

client = OpenAI()

prompt = "Classify the given number as odd or even. Return one word only."

start_time = time.time()  # Start timer

response = client.responses.create(
    model="gpt-5",
    input=[
        { "role": "developer", "content": prompt },
        { "role": "user", "content": "57" }
    ],
    reasoning={
        "effort": "minimal"  # Faster time-to-first-token
    },
)

latency = time.time() - start_time  # End timer

# Extract model's text output
output_text = ""
for item in response.output:
    if hasattr(item, "content"):
        for content in item.content:
            if hasattr(content, "text"):
                output_text += content.text

print("--------------------------------")
print("Output:", output_text)
print(f"Latency: {latency:.3f} seconds")


I am a Civil Engineering Graduate (2022) from Jamia Millia Islamia, New Delhi, and I have a keen interest in Data Science, especially Neural Networks and their application in various areas.

Credit: Source link

ShareTweetSendSharePin

Related Posts

Building Next-Gen Agentic AI: A Complete Framework for Cognitive Blueprint Driven Runtime Agents with Memory Tools and Validation
AI & Technology

Building Next-Gen Agentic AI: A Complete Framework for Cognitive Blueprint Driven Runtime Agents with Memory Tools and Validation

March 8, 2026
OpenAI is reportedly pushing back the launch of its ‘adult mode’ even further
AI & Technology

OpenAI is reportedly pushing back the launch of its ‘adult mode’ even further

March 7, 2026
NASA’s DART spacecraft changed a binary asteroid’s orbit around the sun, in a first for a human-made object
AI & Technology

NASA’s DART spacecraft changed a binary asteroid’s orbit around the sun, in a first for a human-made object

March 7, 2026
OpenAI’s head of robotics resigns following deal with the Department of Defense
AI & Technology

OpenAI’s head of robotics resigns following deal with the Department of Defense

March 7, 2026
Next Post
Trump Is Removing Billy Long as the I.R.S. Head 2 Months After He Was Confirmed – The New York Times

Trump Is Removing Billy Long as the I.R.S. Head 2 Months After He Was Confirmed - The New York Times

Leave a Reply Cancel reply

Your email address will not be published. Required fields are marked *

Search

No Result
View All Result
We texted 1,000 Americans about U.S. strikes in Iran. Here’s what they said. – The Washington Post

We texted 1,000 Americans about U.S. strikes in Iran. Here’s what they said. – The Washington Post

March 2, 2026
Futuristic flying EV maker is latest jobs bloodbath to hit California — as it lays off 80% of staff

Futuristic flying EV maker is latest jobs bloodbath to hit California — as it lays off 80% of staff

March 3, 2026
LinkedIn’s Reid Hoffman joked about ice cream ‘for the girls’ in gift to Jeffrey Epstein: report

LinkedIn’s Reid Hoffman joked about ice cream ‘for the girls’ in gift to Jeffrey Epstein: report

March 4, 2026

About

Learn more

Our Services

Legal

Privacy Policy

Terms of Use

Bloggers

Learn more

Article Links

Contact

Advertise

Ask us anything

©2020- TradePoint.io - All rights reserved!

Tradepoint.io, being just a publishing and technology platform, is not a registered broker-dealer or investment adviser. So we do not provide investment advice. Rather, brokerage services are provided to clients of Tradepoint.io by independent SEC-registered broker-dealers and members of FINRA/SIPC. Every form of investing carries some risk and past performance is not a guarantee of future results. “Tradepoint.io“, “Instant Investing” and “My Trading Tools” are registered trademarks of Apperbuild, LLC.

This website is operated by Apperbuild, LLC. We have no link to any brokerage firm and we do not provide investment advice. Every information and resource we provide is solely for the education of our readers. © 2020 Apperbuild, LLC. All rights reserved.

No Result
View All Result
  • Main
  • AI & Technology
  • Stock Charts
  • Market & News
  • Business
  • Finance Tips
  • Trade Tube
  • Blog
  • Shop

© 2023 - TradePoint.io - All Rights Reserved!