The era of complex, code-heavy AI development is rapidly giving way to an intuitive, natural language-driven approach, dramatically democratizing creation. At the forefront of this shift is Google AI Studio, a platform designed to accelerate the journey from concept to fully functional AI application in minutes. This new “vibe coding” experience, showcased by Logan Kilpatrick, […]
Smart contracts changed how agreements run online. There’s one big gap, though: blockchains do not fetch outside data by themselves. That limitation created an entire discipline blockchain oracle development and it now sits at the heart of serious dApp work.
Think through a few common builds. A lending protocol needs live asset prices. A crop-insurance product needs verified weather. An NFT game needs randomness that players cannot predict. None of that works without an oracle. Get the oracle piece wrong and you invite price shocks, liquidations at the wrong levels, or flat-out exploits.
This guide lays out the problem, the tools, and the practical moves that keep your contracts safe while still pulling the real-world facts you need.
The Oracle Problem: Why Blockchains Can’t Talk to the Real World
Blockchains are deterministic and isolated by design. Every node must reach the same result from the same inputs. That’s perfect for on-chain math, and terrible for “go ask an API.” If a contract could call random endpoints, nodes might see different responses and break consensus.
That creates the classic oracle problem: you need outside data, but the moment you trust one server, you add a single point of failure. One feed can be bribed, hacked, or just go down. Now a supposedly trust-minimised system depends on one party.
The stakes are higher in finance. A bad price pushes liquidations over the edge, drains pools, or lets attackers walk off with funds. We’ve seen it. The fix isn’t “don’t use oracles.” The fix is to design oracles with clear trust assumptions, meaningful decentralisation, and defenses that trigger before damage spreads.
Types of Blockchain Oracles You Should Know
Choosing the right fit starts with a quick model map. These types of blockchain oracles for dApps cover most needs:
1) Software oracles
Pull data from web APIs or databases: asset prices, sports results, flight delays, shipping status. This is the workhorse for DeFi, prediction markets, and general app data.
2) Hardware oracles
Feed physical measurements to the chain: GPS, temperature, humidity, RFID events. Supply chains, pharmaceutical cold chains, and logistics rely on these.
3) Inbound vs Outbound
Inbound: bring external facts on-chain so contracts can act.
Outbound: let contracts trigger real-world actions — send a webhook, start a payment, ping a device.
4) Consensus-based oracles
Aggregate readings from many independent sources and filter outliers. If four feeds say $2,000 and one says $200, the system discards the odd one out.
5) Compute-enabled oracles
Perform heavy work off-chain (randomness, model inference, large dataset crunching) and return results plus proofs. You get richer logic without blowing up gas.
From software to compute-enabled oracles — understanding how each type connects real-world data to smart contracts
Centralized vs. Decentralized: Picking an Oracle Model That Matches Risk
This choice mirrors broader blockchain tradeoffs.
Centralized oracles
Pros: fast, simple, low overhead, good for niche data.
Cons: single operator, single failure path. If it stops or lies, you’re stuck.
Decentralized oracle networks
Pros: many nodes and sources, aggregation, cryptoeconomic pressure to behave, resilience under load.
Cons: higher cost than one server, a bit more latency, and more moving parts.
A good rule: match the design to the blast radius. If the data touches balances, liquidations, or settlements, decentralize and add fallbacks. If it powers a UI badge or a leaderboard, a lightweight source can be fine.
Hybrid is common: decentralized feeds for core money logic, lighter services for low-stakes features.
Top Oracle Providers (What They’re Best At)
Choosing from the best Oracle providers for blockchain developers requires understanding each platform’s strengths and ideal use cases. Here’s what you need to know about the major players.
Chainlink: The Industry Standard
Chainlink dominates the space for good reason. It’s the most battle-tested, most widely integrated oracle network, supporting nearly every major blockchain. Chainlink offers an impressive suite of services: Data Feeds provide continuously updated price information for hundreds of assets; VRF (Verifiable Random Function) generates provably fair randomness for gaming and NFTs; Automation triggers smart contract functions based on time or conditions; CCIP enables secure cross-chain communication.
The extensive documentation, large community, and proven track record make Chainlink the default choice for many projects. Major DeFi protocols like Aave, Synthetix, and Compound rely on Chainlink price feeds. If you’re unsure where to start, Chainlink is usually a safe bet.
Band Protocol: Cost-Effective Speed
Band Protocol offers a compelling alternative, particularly for projects prioritizing cost efficiency and speed. Built on Cosmos, Band uses a delegated proof-of-stake consensus mechanism where validators compete to provide accurate data. The cross-chain capabilities are excellent, and transaction costs are notably lower than some alternatives. The band has gained traction, especially in Asian markets and among projects requiring frequent price updates without excessive fees.
API3: First-Party Data Connection
API3 takes a fascinating first-party approach that eliminates middlemen. Instead of oracle nodes fetching data from APIs, API providers themselves run the oracle nodes using API3’s Airnode technology. This direct connection reduces costs, increases transparency, and potentially improves data quality since it comes straight from the source. The governance system allows token holders to curate data feeds and manage the network. API3 works particularly well when you want data directly from authoritative sources.
Pyth Network: High-Frequency Financial Data
Pyth Network specializes in high-frequency financial data, which is exactly what sophisticated trading applications need. Traditional oracle networks update prices every few minutes; Pyth provides sub-second updates by aggregating data from major trading firms, market makers, and exchanges. If you’re building perpetual futures, options protocols, or anything requiring extremely current market data, Pyth delivers what slower oracles can’t.
Tellor: Custom Data Queries
Tellor offers a unique pull-based oracle where data reporters stake tokens and compete to provide information. Users request specific data, reporters submit answers with stake backing their claims, and disputes can challenge incorrect data. The economic incentives align well for custom data queries that other oracles don’t support. Tellor shines for less frequent updates or niche data needs.
Chronicle Protocol: Security-Focused Transparency
Chronicle Protocol focuses on security and transparency for DeFi price feeds, employing validator-driven oracles with cryptographic verification. It’s gained adoption among projects prioritizing security audits and transparent data provenance.
Oracle Provider
Best For
Key Strength
Supported Chains
Average Cost
Chainlink
General-purpose, high-security applications
Most established, comprehensive services
15+ including Ethereum, BSC, Polygon, Avalanche, Arbitrum
Practical Steps: How to Use Oracles in Blockchain Development
You don’t need theory here — you need a build plan.
1) Pin down the data What do you need? How fresh must it be? What precision? A lending protocol might want updates every minute; a rainfall trigger might settle once per day.
2) Design for cost Every on-chain update costs gas. Cache values if several functions use the same reading. Batch work when you can. Keep hot paths cheap.
3) Validate everything Refuse nonsense. If a stablecoin price shows $1.42, reject it. If a feed hasn’t updated within your time window, block actions that depend on it.
4) Plan for failure Add circuit breakers, pause routes, and manual overrides for emergencies. If the primary feed dies, switch to a fallback with clear recorded governance.
5) Test like a pessimist Simulate stale data, zero values, spikes, slow updates, and timeouts. Fork a mainnet, read real feeds, and try to break your own assumptions.
6) Monitor in production Alert on stale updates, weird jumps, and unusual cadence. Many disasters arrive with a small warning you can catch.
Six essential steps to build, secure, and optimize blockchain oracle workflows in Solidity.
Step-by-Step Oracle Integration in Solidity
Let’s get hands-on with a step-by-step integrate oracle in Solidity tutorial. I’ll show you how to implement smart contract external data oracles using Chainlink, walking through a complete example.
Getting Your Environment Ready
First, you’ll need a proper development setup. Install Node.js, then initialize a Hardhat project. Install the Chainlink contracts package:
npm install –save @chainlink/contracts
Grab some testnet ETH from a faucet for the network you’re targeting. Sepolia is currently recommended for Ethereum testing.
Creating Your First Oracle Consumer
Here’s a practical contract that fetches ETH/USD prices. Notice how we’re importing the Chainlink interface and setting up the aggregator:
// SPDX-License-Identifier: MIT pragma solidity ^0.8.19;
constructor(address _priceFeed) {
priceFeed = AggregatorV3Interface(_priceFeed);
}
function getLatestPrice() public view returns (int) {
(
uint80 roundId,
int price,
uint startedAt,
uint updatedAt,
uint80 answeredInRound
) = priceFeed.latestRoundData();
require(price > 0, "Invalid price data");
require(updatedAt > 0, "Round not complete");
require(answeredInRound >= roundId, "Stale price");
return price;
}
function getPriceWithDecimals() public view returns (int, uint8) {
int price = getLatestPrice();
uint8 decimals = priceFeed.decimals();
return (price, decimals);
}
The validation checks are crucial. We’re verifying that the price is positive, the round completed, and we’re not receiving stale data. These simple checks prevent numerous potential issues.
Implementing Request-Response Patterns
For randomness and custom data requests, you’ll use a different pattern. Here’s how VRF integration works:
Deploy to testnet and verify everything works. Use Chainlink’s testnet price feeds, available on their documentation. Test edge cases systematically:
What happens during price volatility?
How does your contract behave if oracle updates are delayed?
Does your validation catch obviously incorrect data?
Are gas costs reasonable under various network conditions?
Only after thorough testnet validation should you consider mainnet deployment.
Best Practices for Production Oracle Integration
Implementing oracle services smart contract integration for production requires following established security and efficiency patterns.
Validate Everything
Never assume oracle data is correct. Always implement validation logic that checks returned values against expected ranges. If you’re querying a stablecoin price, flag anything outside $0.95 to $1.05. For ETH prices, reject values that differ by more than 10% from the previous reading unless there’s a clear reason for such movement.
Implement Time Checks
Stale data causes problems. Always verify the timestamp of oracle updates. Set maximum acceptable ages based on your application’s needs. A high-frequency trading application might reject data older than 60 seconds, while an insurance contract might accept hours-old information.
Design for Failure
Oracles can and do fail. Your contracts must handle this gracefully rather than bricking. Include administrative functions allowing trusted parties to pause contracts or manually override oracle data during emergencies. Implement automatic circuit breakers that halt operations when oracle behavior becomes anomalous.
Optimize for Gas
Oracle interactions cost gas. Minimize calls by caching data when appropriate. If multiple functions need the same oracle data, fetch it once and pass it around rather than making multiple oracle calls. Use view functions whenever possible since they don’t cost gas when called externally.
Consider Multiple Data Sources
For critical operations, query multiple oracles and compare results. If you’re processing a $1 million transaction, spending extra gas to verify data with three different oracle providers is worthwhile. Implement median calculations or require consensus before proceeding with high-value operations.
Monitor Continuously
Set up monitoring infrastructure that alerts you to oracle issues. Track update frequencies, data ranges, and gas costs. Anomalies often signal problems before they cause disasters. Services like Tenderly and Defender can monitor oracle interactions and alert you to irregularities.
Document Dependencies Thoroughly
Maintain clear documentation of every oracle dependency: addresses, update frequencies, expected data formats, and fallback procedures. Future maintainers need to understand your oracle architecture to safely upgrade or troubleshoot systems.
Plan for Upgrades
Oracle providers evolve, and you may need to switch providers. Use proxy patterns or similar upgrade mechanisms, allowing you to change oracle addresses without redeploying core contract logic. This flexibility proves invaluable as the Oracle landscape develops.
Key pillars for reliable oracle integration — from data validation to failure handling and gas optimization.
Real Implementations That Rely on Oracles
DeFi: lending and perps lean on robust price feeds to size collateral, compute funding, and trigger liquidations.
Prediction markets: outcomes for elections, sports, and news settle through verifiable reports.
Parametric insurance: flight delays and weather thresholds pay out without claims handling.
Supply chain: sensors record temperature, shock, and location; contracts release funds only for compliant shipments.
Gaming/NFTs: verifiable randomness keeps loot, drops, and draws fair.
Cross-chain: proofs and messages confirm events on one network and act on another.
Blockchain oracle development is the hinge that lets smart contracts act on real facts. Start by sizing the blast radius: when data touches balances or liquidations, use decentralized feeds, aggregate sources, enforce time windows, and wire circuit breakers. Choose providers by fit—Chainlink for general reliability, Pyth for ultra-fresh prices, Band for cost and cadence, API3 for first-party data, Tellor for bespoke queries, Chronicle for auditability.
Then harden the pipeline: validate every value, cap staleness, cache to save gas, and monitor for drift in cadence, variance, and fees. Finally, plan for failure with documented fallbacks and upgradeable endpoints, and test on forks until guards hold. Move facts on-chain without central choke points, and your dApp simply works.
Frequently Asked Questions
What is a blockchain oracle, in one line?
A service that delivers external facts to smart contracts in a way every node can verify.
Centralized vs decentralized — how to choose?
Match to value at risk. High-value money flows need decentralised, aggregated feeds. Low-stakes features can run on simpler sources.
Which provider fits most teams?
Chainlink is the broad, battle-tested default. Use Pyth for ultra-fast prices, Band for economical frequency, API3 for first-party data, Tellor for custom pulls, and Chronicle when auditability is the top ask.
Can oracles be manipulated?
Yes. Reduce risk with decentralisation, validation, time windows, circuit breakers, and multiple sources for important calls.
How should I test before mainnet?
Deploy to a testnet, use the provider’s test feeds, and force failures: stale rounds, delayed updates, and absurd values. Ship only after your guards catch every bad case.
Glossary
Blockchain oracle development: engineering the bridge between off-chain data and on-chain logic.
Oracle problem: getting outside data without recreating central points of failure.
Inbound / Outbound: direction of data relative to the chain.
Data feed: regularly updated values, usually prices.
Consensus-based oracle: aggregates many sources to filter errors.
VRF: verifiable randomness for fair draws.
TWAP: time-weighted average price; smooths short-term manipulation.
Circuit breaker: pauses risky functions when conditions look wrong.
Summary
Blockchain oracle development is now core infrastructure. The guide explains why blockchains cannot call external APIs and how oracles bridge that gap without creating a single point of failure. It outlines oracle types, including software, hardware, inbound, outbound, consensus, and compute-enabled models. It compares centralized speed with decentralized resilience and advises matching the design to the value at risk. It reviews major providers: Chainlink for broad coverage, Band for low cost, API3 for first-party data, Pyth for ultra-fast prices, Tellor for custom queries, and Chronicle for transparent DeFi feeds. It then gives a build plan: define data needs, control gas, validate values and timestamps, add circuit breakers and fallbacks, test for failure, and monitor in production. Solidity examples show price feeds and VRF patterns. Real uses include DeFi, insurance, supply chains, gaming, cross-chain messaging, and ESG data. The takeout is simple: design the oracle layer with safety first, since user funds depend on it.
Brigade Hotel Ventures, one of the foremost hospitality companies in Bengaluru, has announced an expansion plan which focuses on doubling the hotel portfolio by the year 2030. Increasing hotel inventory has been aligned with the Ministry of Tourism in India towards improving the increment of tourist employment in the. India as of late has seen a boost in growth within the traveling industry and it’s largely in part due to the target of the govt on developmental sustainability.
Strategic Expansion Plans
The hotel chain plans to add approximately 1,700 hotel keys across nine new properties, which will elevate its total inventory to about 3,300 keys by the end of the decade. Brigade Hotel Ventures’ expansion strategy is poised to play a key role in fulfilling the broader vision of the Ministry of Tourism to enhance India’s tourism infrastructure. By investing in new hotels, the company aims to make Bengaluru an even more attractive destination for tourists, both from India and abroad.
This strategic move is expected to significantly boost the city’s hospitality offerings, thus making Bengaluru an even more appealing option for tourists. With a focus on both quality and sustainability, Brigade Hotel Ventures seeks to provide a world-class experience while supporting the region’s long-term growth.
Contribution to Tourism Infrastructure
The hospitality expansion will have a far-reaching impact on Bengaluru’s tourism infrastructure. As the demand for both leisure and business travel grows, enhancing hotel capacity in the city is essential. Brigade Hotel Ventures’ plans will help in accommodating the increasing number of visitors drawn to Bengaluru’s vibrant tech industry, educational institutions, and cultural attractions.
This expansion also complements the Government of India’s efforts to develop tourism as a key driver of economic growth. Bengaluru, already one of the nation’s most popular destinations for both business and leisure, is well-positioned to benefit from an upgrade in its accommodation infrastructure. By meeting this growing demand, Brigade Hotel Ventures is contributing to the broader goal of making tourism one of the major contributors to the economy.
Alignment with Government Initiatives
Brigade Hotel Ventures’ decision to expand aligns closely with the Ministry of Tourism’s initiatives aimed at developing India’s tourism infrastructure. This includes schemes like Swadesh Darshan 2.0, which focuses on the holistic development of tourism destinations across the country. By improving the range and quality of hospitality services, Brigade’s expansion supports this scheme, which encourages both private and public sector investment in tourism projects.
The Indian government has also been emphasizing sustainable tourism development. This focus encourages investments that benefit both the local economy and environment while preserving cultural heritage and natural resources. Brigade Hotel Ventures’ expansion is in line with these government objectives, with the company planning to incorporate sustainability initiatives into its new properties. This will likely involve using eco-friendly building materials, reducing energy consumption, and integrating green practices into day-to-day hotel operations.
Additionally, the company’s expansion reflects the government’s broader economic strategy to boost regional development. By bringing high-quality hotel accommodations to new areas within Bengaluru, Brigade Hotel Ventures is helping spread the economic benefits of tourism across the city, thus aiding in the balanced development of the region.
Job Creation and Skill Development
One of the key benefits of Brigade Hotel Ventures’ expansion is its potential to create significant employment opportunities. The hospitality sector is one of India’s largest employers, and with the growth of new hotels, Brigade is set to provide jobs in both the construction phase and once the properties are operational. From front-end staff, housekeeping, and maintenance personnel to managerial roles and hospitality training, the job opportunities will span a wide range of sectors.
The Indian government has long recognized the importance of skill development in the tourism and hospitality industries. Various initiatives, including the Pradhan Mantri Kaushal Vikas Yojana (PMKVY), aim to enhance the employability of workers in these fields. Brigade Hotel Ventures’ expansion provides an ideal opportunity to tap into this pool of skilled talent, further promoting the government’s efforts to provide relevant training and skills development in tourism and hospitality.
Moreover, as the company continues to expand, it will likely introduce training programs designed to build skills among local communities. These programs will ensure that employees are equipped with the necessary expertise to offer exceptional services to guests, thus elevating the overall tourism experience in Bengaluru.
Overview
The plans of Brigade Hotel Ventures to double its hotel portfolio by the year 2030 can be seen as a bold step. The plans strike a good balance between the company’s objectives as well as the broader tourism objectives of the country. The expansion will also develop Bengaluru’s infrastructure and add to the city’s global tourism. Brigade Hotel Ventures is giving a nod to the Pan India Approach and supporting the positive developments by providing investment to the country’s changing tourism landscape
The company is set to fulfill the increasing demand of accommodation as well as high class hospitality services which will help the company make an impact to the national tourism and the local economy. In this process, Brigade Hotel Ventures is also actively participating in the construction of Bengaluru’s global tourism as well as the country’s tourism policy investment.
China’s Henan Province capital, Zhengzhou, is emerging as a model for combining cultural preservation and urban renewal. More than 300 city officials, mayors, and academics from around the globe attended the city’s 2025 International Mayor’s Forum on Tourism and Global Mayors Dialogue, which took place from October 22 to 25, 2025. The topic of discussion at these forums was “Preserving the Cultural Legacy of Ancient Capitals and Driving Urban Renewal”. The occasion highlighted Zhengzhou’s special initiatives to make sure that its rich cultural legacy is not sacrificed in the name of urban growth.
A Vision for Sustainable Urban Growth
The city of Zhengzhou has adopted an innovative approach to urban planning, placing archaeological discovery before construction. This method, known as the “archaeology first, construction later” reform, ensures that the city’s cultural and historical sites are protected amidst its rapid urban development. This reform aims to balance the need for modern infrastructure with the preservation of historical legacies.
The integration of cultural heritage with contemporary urban life is particularly evident in projects like the Shang City Archaeological Site Park and the Fuminli Cultural Block. These projects are designed to harmoniously merge ancient relics with modern spaces, fostering an environment where the past and the present coexist. The Shang City Archaeological Site Park, for example, is a vast open-air museum where visitors can walk through history while enjoying the amenities of modern-day Zhengzhou. This careful integration has made Zhengzhou a shining example of sustainable urban development.
Global Recognition for Zhengzhou’s Cultural and Urban Renewal Approach
Zhengzhou’s efforts have not gone unnoticed. The city has received international recognition for its work in merging urban expansion with cultural preservation. At the forum, leaders from Italy, Spain, and New Zealand commended the city for its forward-thinking strategies. Maurizio Rasero, the Mayor of Asti, Italy, praised the city’s ability to preserve its cultural charm while embracing the advancements of modern infrastructure. Juan de Dios Perez Garcia, the Mayor of Spain’s Zaragoza, also recognised Zhengzhou for its innovative projects that harmoniously blend the ancient and the contemporary.
Furthermore, New Zealand’s Rotorua Mayor highlighted the role of modern technology in revitalising traditional culture. He pointed out that technology has played a crucial role in revamping ancient cultural sites and integrating them into today’s economy. By using modern tools to enhance the visitor experience, cities like Zhengzhou can stimulate economic growth, promote tourism, and create new job opportunities.
Zhengzhou’s Urban Projects: A Model for the Future
The Shang City Archaeological Site Park and Fuminli Cultural Block are just the beginning of Zhengzhou’s ambitious vision for the future. These developments are not just about preserving the past but also about ensuring that the city remains competitive on the global stage. The integration of heritage sites into urban spaces is seen as a crucial step in promoting cultural tourism. The Fuminli Cultural Block, for instance, is a lively cultural district where ancient architecture meets modern retail spaces, providing a platform for both local artisans and global businesses to thrive.
Zhengzhou’s urban renewal initiatives are also deeply intertwined with the region’s tourism sector. By preserving cultural landmarks and making them accessible to tourists, the city has created a new wave of cultural tourism. Tourists visiting Zhengzhou can now experience an immersive journey that includes archaeological sites, museums, and cultural exhibitions. This not only provides an educational experience but also boosts local businesses by attracting both domestic and international visitors.
A Global Dialogue on Cultural Preservation and Urbanization
The Global Mayors Dialogue-Zhengzhou and 2025 International Mayor’s Forum on Tourism served as platforms for a global discussion on the challenges and opportunities in balancing cultural preservation with urban growth. This event provided a space for mayors, officials, and scholars to share their experiences and learn from one another. Several key themes emerged during the discussions, including the role of governance in cultural heritage protection, the importance of involving local communities in preservation efforts, and the need for sustainable tourism practices.
Zhengzhou’s example has shown that it is possible to preserve the past while embracing the future. By placing cultural heritage at the forefront of urban planning, the city has not only protected its historical treasures but also created new opportunities for tourism, education, and economic development.
Zhengzhou’s Approach: A Roadmap for Future Generations
The city of Zhengzhou’s approach to merging cultural preservation with urban development is a roadmap for cities around the world. As urbanisation continues at an unprecedented pace, cities must find ways to preserve their cultural legacies while adapting to the demands of the modern world. Zhengzhou’s success is a testament to the fact that cultural preservation is not a hindrance to growth but rather an essential component of sustainable urban development.
A New Era of Cultural and Urban Synergy
The difficulties of maintaining cultural heritage while promoting economic growth will only get worse as the world becomes more urbanised. Other cities struggling with the challenges of urban renewal can learn a lot from Zhengzhou’s audacious strategy. Zhengzhou has established a benchmark for other cities to follow by giving archaeology and cultural preservation top priority in its urban planning. The 2025 International Mayor’s Forum on Tourism and the Global Mayors Dialogue-Zhengzhou played a significant role in emphasizing the value of combining urban and cultural development in ways that benefit both local communities and international tourism.
It is obvious that the preservation of cultural heritage will be essential in determining how tourism, urban planning, and economic growth develop in cities like Zhengzhou. Zhengzhou is well-positioned to continue being a leader in urban development and cultural preservation for many years to come thanks to projects like the Fuminli Cultural Block and the Shang City Archaeological Site Park.
Zhengzhou, a city rich in culture, has become the place to be for the combination of preservation of the past with urban development. The Global Mayors Dialogue and the International Mayors’ Forum on Tourism 2025 were held in the city from October 22 to 25, 2025. More than 300 mayors, experts and scholars from all over the world gathered for the discussion of sustainable urban renewal. The forum’s topic, ‘Preserving the Cultural Legacy of Ancient Capitals and Driving Urban Renewal‘, was an eye-opener to the global situation of how to keep the past and the present in a nice balance, thus preventing the one from choking the other.
Cultural Heritage at the Heart of Urban Development
Zhengzhou has pioneered a model for cultural heritage integration into urban planning. The city is leading the charge with its ‘archaeology first, construction later‘ approach, ensuring that historical relics and archaeological sites are protected during modern development projects. This forward-thinking model has allowed Zhengzhou to preserve its ancient history while advancing urban growth.
One of the key projects discussed during the forum was the Zhengzhou Shang City Archaeological Site Park. Here, 3,600-year-old Shang Dynasty city walls have been seamlessly incorporated into modern city life. The park offers an interactive experience, inviting visitors to engage with the history of the Shang Dynasty while enjoying a contemporary urban environment. The integration of this archaeological site into the fabric of modern Zhengzhou showcases how cities can evolve without losing touch with their roots.
The Fuminli cultural block is another prime example of how cultural industries can thrive alongside historical preservation. The project aims to preserve the original street layout while incorporating modern cultural elements, creating a thematic space where tradition and modernity coexist. This innovative approach ensures that Zhengzhou retains its authentic cultural charm while offering unique, immersive tourism experiences.
Sustainable Tourism: A Global Exchange of Ideas
The forum provided a platform for global leaders to share experiences and strategies on how best to integrate heritage preservation with tourism. Delegates from cities such as Asti, Italy, Palomeque, Spain, and Rotorua, New Zealand, shared their approaches to cultural tourism and urban development.
For example, in Asti, Italy, the city has transformed historical sites into cultural hubs, leveraging its winemaking tradition to offer experiential tourism that not only preserves its history but revitalizes the local economy. Similarly, Palomeque in Spain has embraced proactive protection, integrating modern elements into traditional streetscapes, allowing the city’s historic areas to thrive alongside contemporary urban developments.
Rotorua, a city known for its indigenous Maori culture, has used modern technology to breathe new life into traditional cultural practices, creating economic opportunities while promoting sustainable tourism. These examples highlight how cities around the world are finding innovative ways to preserve their cultural heritage while supporting modern economic growth and tourism.
Zhengzhou’s Role in Shaping the Future of Urban Development
As cities continue to face the pressures of modernization, Zhengzhou has shown that it is possible to create a sustainable urban model that incorporates cultural heritage. The city’s approach to urban renewal is not about mere reconstruction but rather about fostering organic growth—allowing for the preservation of history while embracing innovation. This philosophy offers a balanced path forward for cities worldwide that are seeking to respect their cultural roots while moving toward a modern future.
Zhengzhou, a Cultural and Tourism Hub of the Future
Zhengzhou’s vision for urban renewal is an inspiring example of how ancient cities can shape the future of urban development and tourism. By blending cultural heritage with modernity, the city offers a unique travel experience, where history is not only preserved but integrated into the modern urban landscape. As more cities around the world look for sustainable models of growth, Zhengzhou’s approach provides valuable insights into how cultural tourism can play a central role in the future of urban development.
In this cooperative conversation, Zhengzhou is asserting its status as a cultural tourism leader by providing tourists with the chance to witness the coexistence of ancient customs and modern creativity in one of the most significant cities in China’s history. This strategy is not only changing Zhengzhou but is also opening the door for cities around the world to go down the same path and find their own ways between heritage preservation and urban renewal.
Sigma's full-frame Foveon image sensor project has faced significant challenges, but the company's CEO says it is still working on Foveon image sensor development.
“Codex is your AI teammate that you can pair with everywhere you code,” declared Romain Huet, highlighting the pervasive utility of OpenAI’s latest advancement in front-end development. This sentiment underpinned a recent demonstration with Channing Conger, where the duo showcased the multimodal prowess of OpenAI Codex in accelerating the creation of user interfaces. Their discussion […]
The efficacy of conversational AI hinges on a foundational, often overlooked, component: speech-to-text accuracy. Andrew Freed, a Distinguished Engineer at IBM, presented a compelling case for why fine-tuning generative AI models for speech-to-text is not merely an optimization, but a critical determinant of success for virtual agents and voice-enabled applications. His insights underscore that without […]
The Ajman Department of Tourism Development (ADTD) has recently kicked off an exciting roadshow across Eastern Europe. This initiative, spearheaded by H.E. Mahmood Khaleel Alhashmi, marks a significant step in enhancing Ajman’s profile in the global tourism market. With an eye on strengthening its international presence, the Ajman tourism body aims to increase the emirate’s appeal to travelers from Eastern European countries, highlighting its rich blend of nature, culture, and luxury hospitality.
Ajman, one of the UAE’s lesser-known gems, is positioning itself as a prime destination for international tourists. This roadshow targets major cities across Eastern Europe, seeking to connect with local travel agencies, tour operators, and hospitality stakeholders to foster long-lasting business relationships. Through these direct interactions, the ADTD hopes to raise awareness of Ajman’s distinctive offerings and increase tourist traffic to the emirate.
Expanding Ajman’s Reach
The primary goal of this Eastern European roadshow is to introduce Ajman to an entirely new group of potential travelers. While the emirate is known within the UAE, it is relatively unexplored by tourists from Eastern Europe. By visiting key cities in this region, the ADTD hopes to bridge the gap between Ajman and a new market of travelers eager to explore the UAE. With its picturesque beaches, cultural sites, and family-friendly attractions, Ajman has much to offer.
Eastern Europe represents an exciting opportunity for Ajman to diversify its tourism base. Many of these countries, including Poland, Czech Republic, and Romania, have shown a growing interest in Middle Eastern destinations. Ajman’s efforts to tap into these markets come at an ideal time, as travel restrictions continue to ease, and international tourism is on the rise once again.
Creating Meaningful Partnerships
The roadshow’s primary aim is to form valuable partnerships with tour operators, travel agencies, and hospitality businesses. These partnerships are seen as critical to establishing Ajman as a must-visit destination for Eastern European tourists. By building strong relationships with the local travel industry, the ADTD aims to create tailored travel packages and joint promotional activities that will attract more tourists to Ajman.
Ajman’s tourism strategy focuses not just on attracting visitors, but on offering them something truly memorable. Through collaborations with local stakeholders, Ajman hopes to integrate more authentic local experiences into its tourism offerings, from exploring traditional markets to enjoying the emirate’s natural beauty.
Moreover, the ADTD sees this roadshow as an important step in positioning Ajman as a sustainable and responsible tourism destination. Ajman is committed to ensuring that its tourism growth benefits both the local community and the environment, supporting sustainable development and offering travelers the opportunity to connect with the culture and landscape in meaningful ways.
Strengthening Ajman’s Global Tourism Footprint
Ajman is increasingly determined to expand its tourism footprint beyond its regional boundaries. Through initiatives like this roadshow, the ADTD is actively working to put the emirate on the global tourism map. The Eastern European market offers a wealth of potential, and the roadshow serves as a pivotal point in attracting new visitors and encouraging return travel from the region.
The launch of this roadshow follows a broader strategy by the ADTD to diversify its tourism markets. Ajman has long been known for its pristine beaches and family-friendly resorts, but it is also home to a rich cultural heritage that often goes unnoticed by traditional tourists. The ADTD is keen to highlight these aspects of Ajman, offering travelers a chance to experience the emirate’s unique combination of both modernity and tradition.
Through this roadshow, the ADTD also aims to positionAjman tourism as a key player in the region’s hospitality industry. Whether it’s through unique cultural experiences, high-end resorts, or exciting leisure activities, Ajman is working to establish itself as a destination of choice for international travelers.
The launch of the Ajman Department of Tourism Development’s roadshow in Eastern Europe is a clear indication of the emirate’s commitment to growing its tourism industry and building global connections. By focusing on strategic partnerships, sustainability, and authentic local experiences, Ajman is making significant strides in positioning itself as a premier destination in the UAE for international travelers.
This initiative is just the beginning of a broader effort by the ADTD to diversify its tourism markets, strengthen Ajman’s position on the world stage, and contribute to the emirate’s economic growth. The roadshow is expected to pave the way for more collaborations, increased visitor numbers, and greater international interest in what Ajman has to offer. With Eastern Europe in its sights, Ajman is on its way to becoming a top choice for travelers seeking new, exciting, and sustainable destinations in the UAE.
In a striking act of self-critique, one of the architects of the transformer technology that powers ChatGPT, Claude, and virtually every major AI system told an audience of industry leaders this week that artificial intelligence research has become dangerously narrow — and that he's moving on from his own creation.
Llion Jones, who co-authored the seminal 2017 paper "Attention Is All You Need" and even coined the name "transformer," delivered an unusually candid assessment at the TED AI conference in San Francisco on Tuesday: Despite unprecedented investment and talent flooding into AI, the field has calcified around a single architectural approach, potentially blinding researchers to the next major breakthrough.
"Despite the fact that there's never been so much interest and resources and money and talent, this has somehow caused the narrowing of the research that we're doing," Jones told the audience. The culprit, he argued, is the "immense amount of pressure" from investors demanding returns and researchers scrambling to stand out in an overcrowded field.
The warning carries particular weight given Jones's role in AI history. The transformer architecture he helped develop at Google has become the foundation of the generative AI boom, enabling systems that can write essays, generate images, and engage in human-like conversation. His paper has been cited more than 100,000 times, making it one of the most influential computer science publications of the century.
Now, as CTO and co-founder of Tokyo-based Sakana AI, Jones is explicitly abandoning his own creation. "I personally made a decision in the beginning of this year that I'm going to drastically reduce the amount of time that I spend on transformers," he said. "I'm explicitly now exploring and looking for the next big thing."
Why more AI funding has led to less creative research, according to a transformer pioneer
Jones painted a picture of an AI research community suffering from what he called a paradox: More resources have led to less creativity. He described researchers constantly checking whether they've been "scooped" by competitors working on identical ideas, and academics choosing safe, publishable projects over risky, potentially transformative ones.
"If you're doing standard AI research right now, you kind of have to assume that there's maybe three or four other groups doing something very similar, or maybe exactly the same," Jones said, describing an environment where "unfortunately, this pressure damages the science, because people are rushing their papers, and it's reducing the amount of creativity."
He drew an analogy from AI itself — the "exploration versus exploitation" trade-off that governs how algorithms search for solutions. When a system exploits too much and explores too little, it finds mediocre local solutions while missing superior alternatives. "We are almost certainly in that situation right now in the AI industry," Jones argued.
The implications are sobering. Jones recalled the period just before transformers emerged, when researchers were endlessly tweaking recurrent neural networks — the previous dominant architecture — for incremental gains. Once transformers arrived, all that work suddenly seemed irrelevant. "How much time do you think those researchers would have spent trying to improve the recurrent neural network if they knew something like transformers was around the corner?" he asked.
He worries the field is repeating that pattern. "I'm worried that we're in that situation right now where we're just concentrating on one architecture and just permuting it and trying different things, where there might be a breakthrough just around the corner."
How the 'Attention is all you need' paper was born from freedom, not pressure
To underscore his point, Jones described the conditions that allowed transformers to emerge in the first place — a stark contrast to today's environment. The project, he said, was "very organic, bottom up," born from "talking over lunch or scrawling randomly on the whiteboard in the office."
Critically, "we didn't actually have a good idea, we had the freedom to actually spend time and go and work on it, and even more importantly, we didn't have any pressure that was coming down from management," Jones recounted. "No pressure to work on any particular project, publish a number of papers to push a certain metric up."
That freedom, Jones suggested, is largely absent today. Even researchers recruited for astronomical salaries — "literally a million dollars a year, in some cases" — may not feel empowered to take risks. "Do you think that when they start their new position they feel empowered to try their wild ideas and more speculative ideas, or do they feel immense pressure to prove their worth and once again, go for the low hanging fruit?" he asked.
Why one AI lab is betting that research freedom beats million-dollar salaries
Jones's proposed solution is deliberately provocative: Turn up the "explore dial" and openly share findings, even at competitive cost. He acknowledged the irony of his position. "It may sound a little controversial to hear one of the Transformers authors stand on stage and tell you that he's absolutely sick of them, but it's kind of fair enough, right? I've been working on them longer than anyone, with the possible exception of seven people."
At Sakana AI, Jones said he's attempting to recreate that pre-transformer environment, with nature-inspired research and minimal pressure to chase publications or compete directly with rivals. He offered researchers a mantra from engineer Brian Cheung: "You should only do the research that wouldn't happen if you weren't doing it."
One example is Sakana's "continuous thought machine," which incorporates brain-like synchronization into neural networks. An employee who pitched the idea told Jones he would have faced skepticism and pressure not to waste time at previous employers or academic positions. At Sakana, Jones gave him a week to explore. The project became successful enough to be spotlighted at NeurIPS, a major AI conference.
Jones even suggested that freedom beats compensation in recruiting. "It's a really, really good way of getting talent," he said of the exploratory environment. "Think about it, talented, intelligent people, ambitious people, will naturally seek out this kind of environment."
The transformer's success may be blocking AI's next breakthrough
Perhaps most provocatively, Jones suggested transformers may be victims of their own success. "The fact that the current technology is so powerful and flexible... stopped us from looking for better," he said. "It makes sense that if the current technology was worse, more people would be looking for better."
He was careful to clarify that he's not dismissing ongoing transformer research. "There's still plenty of very important work to be done on current technology and bringing a lot of value in the coming years," he said. "I'm just saying that given the amount of talent and resources that we have currently, we can afford to do a lot more."
His ultimate message was one of collaboration over competition. "Genuinely, from my perspective, this is not a competition," Jones concluded. "We all have the same goal. We all want to see this technology progress so that we can all benefit from it. So if we can all collectively turn up the explore dial and then openly share what we find, we can get to our goal much faster."
The high stakes of AI's exploration problem
The remarks arrive at a pivotal moment for artificial intelligence. The industry grapples with mounting evidence that simply building larger transformer models may be approaching diminishing returns. Leading researchers have begun openly discussing whether the current paradigm has fundamental limitations, with some suggesting that architectural innovations — not just scale — will be needed for continued progress toward more capable AI systems.
Jones's warning suggests that finding those innovations may require dismantling the very incentive structures that have driven AI's recent boom. With tens of billions of dollars flowing into AI development annually and fierce competition among labs driving secrecy and rapid publication cycles, the exploratory research environment he described seems increasingly distant.
Yet his insider perspective carries unusual weight. As someone who helped create the technology now dominating the field, Jones understands both what it takes to achieve breakthrough innovation and what the industry risks by abandoning that approach. His decision to walk away from transformers — the architecture that made his reputation — adds credibility to a message that might otherwise sound like contrarian positioning.
Whether AI's power players will heed the call remains uncertain. But Jones offered a pointed reminder of what's at stake: The next transformer-scale breakthrough could be just around the corner, pursued by researchers with the freedom to explore. Or it could be languishing unexplored while thousands of researchers race to publish incremental improvements on architecture that, in Jones's words, one of its creators is "absolutely sick of."
After all, he's been working on transformers longer than almost anyone. He would know when it's time to move on.