
sidebar.wechat

sidebar.feishu
sidebar.chooseYourWayToJoin

sidebar.scanToAddConsultant
If you've used any large language model-based Text-to-SQL product in the past two years, you've likely experienced this:
They're smart enough, but not precise enough.
An AI data analysis tool can fluently answer simple questions like "What were this month's sales?" but may give wrong answers when handling compound queries like "Compare the average order value trends between East China and South China regions for Q1 vs. Q2, and identify the Top 3 declining categories." It can generate executable SQL, but can't guarantee the semantics are entirely correct. It occasionally completes complex analyses, but the instability makes you hesitant to trust it with critical decisions.
This is the precision bottleneck that the AI data analysis industry widely faces.
A large language model's comprehension ability and programming ability are actually two different dimensions.
Comprehension ability manifests as: the model understands what you're saying, grasps your intent, and understands business concepts like "average order value," "month-over-month," and "Top N."
Programming ability manifests as: the model translates that understood intent into syntactically correct, logically rigorous, executable code (SQL, Python, etc.) — where every table name, every field, every JOIN condition, every WHERE clause is pixel-perfect.
Most general-purpose models have made tremendous progress in comprehension over the past year, but programming ability has improved relatively slowly. This creates an awkward situation: the model knows what you want to query, but the SQL it generates is always just a bit off — an extra comma, a missing condition, a reversed JOIN direction, a misused aggregate function.
And in data analysis scenarios, a small difference means completely wrong results.
The practical cost of this bottleneck is enormous:
The key to solving this problem isn't making models "smarter" — they're already smart enough. It's about achieving a leap in their programming ability.
The release of Qwen 3.6-Plus is beginning to change this landscape.
On April 2, 2026, Alibaba's Qwen team officially released the new-generation large language model Qwen 3.6-Plus. This is the first model in the Qwen 3.6 series. Unlike the 3.5 series, which focused on multimodal visual understanding and extreme cost-effectiveness, the 3.6 series targets two core capabilities head-on: coding and agents.
Qwen 3.6-Plus's improvement in coding ability is not incremental — it's a quantum leap.
In real-world programming task evaluations like SWE-bench, Qwen 3.6-Plus surpassed the previous generation by 2 to 3 times, closing in on the world's strongest coding models in the Claude Opus 4.5 series. This is a milestone signal: Chinese large models in the core dimension of coding have reached the global first tier.
Specifically, Qwen 3.6-Plus excels in the following programming sub-domains:
| Evaluation | Performance |
|---|---|
| SWE-bench series | Approaching Claude Opus 4.5 series |
| Terminal-Bench 2.0 | Significantly surpasses previous generation |
| NL2Repo | Leading among Chinese models |
These evaluations cover the following capability dimensions:
1. Code Generation and Understanding
Qwen 3.6-Plus can generate high-quality code in multiple languages including SQL, Python, and JavaScript. More importantly, the executability of generated code has improved dramatically — not just syntactically correct, but logically sound and directly runnable.
In Text-to-SQL scenarios, this means: the model doesn't just know how to write SELECT, FROM, and WHERE — it knows when to use LEFT JOIN vs. INNER JOIN, when to use HAVING vs. WHERE, and when to use window functions instead of subqueries.
2. Complex Codebase Understanding
Qwen 3.6-Plus has significantly improved understanding of large-scale code repositories, accurately grasping cross-file logical relationships. In data analysis scenarios, this translates to the model better understanding complex database schemas — foreign key relationships between multiple tables, business logic constraints, data quality rules, and more.
3. Bug Localization and Fixing
Qwen 3.6-Plus can quickly identify root causes of problems and provide precise fix plans. This is the core capability needed for AskTable Agent's self-correction mechanism — when generated SQL execution fails, the model needs to quickly understand the error message, locate the problem, and generate corrected code.
In real-world Agent evaluations like Claw-Eval and QwenClawBench, Qwen 3.6-Plus also performs excellently. Its core breakthrough lies in Agentic Coding — in frontend and repository-level scenarios, the model can autonomously decompose tasks, plan paths, test modifications, and complete tasks.
This is no longer a simple "you ask, it answers" interaction pattern. The model now has the ability to autonomously plan and execute complex multi-step tasks.
Specifically, Qwen 3.6-Plus's Agent capabilities manifest as:
To understand Qwen 3.6-Plus's value, it helps to compare it with 3.5 Plus:
| Dimension | Qwen 3.5 Plus | Qwen 3.6-Plus |
|---|---|---|
| Core positioning | Multimodal + cost-effectiveness | Coding + Agent |
| Coding ability | Excellent | Approaching Claude Opus 4.5, 2-3x improvement |
| Agent ability | Good | Excellent, supports autonomous task planning |
| Multimodal | Strong suit | Native multimodal, maintains excellent level |
| Price | Starting from 0.8 yuan per million tokens | Starting from 2 yuan per million tokens |
3.5 Plus excels in multimodal visual understanding and extreme cost-effectiveness, while 3.6-Plus achieves a quantum leap in code generation and autonomous Agent capabilities. Each has its strengths, but for an AI data analysis platform like AskTable, 3.6-Plus's coding ability leap and Agent breakthrough hit the core requirements precisely.
Text-to-SQL is one of AskTable's core technologies and the foundation of all AI data analysis products. Its quality directly determines user experience — users ask questions in natural language, and the system generates the corresponding SQL query and returns results.
The essence of Text-to-SQL is translating natural language into precise programming code (SQL). This means: the stronger the model's programming ability, the more accurate the generated SQL.
In AskTable's internal testing, we compared Qwen 3.5 Plus and Qwen 3.6-Plus across several typical Text-to-SQL scenarios. The gap was striking.
Scenario 1: Multi-Table JOIN + Window Functions
User asks: "List the Top 3 product categories by sales for each region, and calculate each category's percentage of that region's total sales"
Common issues when Qwen 3.5 Plus generates this type of SQL:
PARTITION BY fields in window functionsROW_NUMBER syntax errors in subqueriesQwen 3.6-Plus accurately generates:
WITH regional_sales AS (
SELECT
u.region,
p.category,
SUM(o.amount) as category_sales,
SUM(SUM(o.amount)) OVER (PARTITION BY u.region) as region_total
FROM orders o
JOIN users u ON o.user_id = u.user_id
JOIN products p ON o.product_id = p.product_id
WHERE o.status = 'paid'
GROUP BY u.region, p.category
)
SELECT
region,
category,
category_sales,
ROUND(category_sales * 100.0 / region_total, 2) as percentage
FROM regional_sales
WHERE category IN (
SELECT category FROM (
SELECT category,
ROW_NUMBER() OVER (PARTITION BY region ORDER BY category_sales DESC) as rn
FROM regional_sales
) WHERE rn <= 3
)
ORDER BY region, percentage DESC;
This SQL includes CTEs, window functions, subqueries, and multi-table JOINs — complex but entirely correct.
Scenario 2: Time Series Comparison
User asks: "Compare this year's and last year's monthly sales growth rates"
This is a typical year-over-year analysis query requiring precise handling of time ranges and YoY calculations. Common errors from Qwen 3.5 Plus:
Qwen 3.6-Plus correctly identifies the meaning of "same period last year" and generates accurate SQL:
SELECT
MONTH(this_year.created_at) as month,
SUM(this_year.amount) as this_year_gmv,
SUM(last_year.amount) as last_year_gmv,
ROUND(
(SUM(this_year.amount) - SUM(last_year.amount)) * 100.0 / SUM(last_year.amount),
2
) as growth_rate
FROM orders this_year
LEFT JOIN orders last_year
ON MONTH(this_year.created_at) = MONTH(last_year.created_at)
AND YEAR(last_year.created_at) = YEAR(this_year.created_at) - 1
AND last_year.status = 'paid'
WHERE YEAR(this_year.created_at) = YEAR(CURDATE())
AND this_year.status = 'paid'
GROUP BY MONTH(this_year.created_at)
ORDER BY month;
Scenario 3: Composite Condition Aggregation
User asks: "Of the new users this month, how many completed their first payment within 7 days of registration? What is the average order value of paying users?"
This query requires cross-table joins, time window calculations, and conditional aggregation. Qwen 3.6-Plus's coding ability shows significant advantages in this scenario:
SELECT
COUNT(DISTINCT CASE WHEN first_pay.pay_date IS NOT NULL THEN u.user_id END) as paid_users,
COUNT(DISTINCT u.user_id) as new_users,
ROUND(
COUNT(DISTINCT CASE WHEN first_pay.pay_date IS NOT NULL THEN u.user_id END) * 100.0
/ COUNT(DISTINCT u.user_id),
2
) as conversion_rate,
ROUND(AVG(first_pay.amount), 2) as avg_order_value
FROM users u
LEFT JOIN (
SELECT user_id, MIN(created_at) as pay_date, amount
FROM orders
WHERE status = 'paid'
GROUP BY user_id
) first_pay ON u.user_id = first_pay.user_id
AND first_pay.pay_date <= DATE_ADD(u.created_at, INTERVAL 7 DAY)
WHERE u.created_at >= DATE_FORMAT(CURDATE(), '%Y-%m-01')
AND u.created_at < DATE_ADD(DATE_FORMAT(CURDATE(), '%Y-%m-01'), INTERVAL 1 MONTH);
In AskTable's testing framework, we measure Text-to-SQL quality across three dimensions:
| Dimension | Description | Qwen 3.5 Plus | Qwen 3.6-Plus |
|---|---|---|---|
| Syntax correctness | Can the SQL execute successfully? | ~85% | ~96% |
| Semantic correctness | Does the result match user intent? | ~70% | ~88% |
| Business correctness | Are correct business rules applied? | ~60% | ~80% |
The comprehensive improvement across all three dimensions means AskTable users receive accurate, usable analysis results far more frequently.
AskTable's AI engine architecture was designed from the start with multi-model support in mind. We don't lock into a single model — instead, we've built a plug-and-play model engine layer. This means:
This architecture allowed us to complete Qwen 3.6-Plus integration immediately upon release, enabling users to quickly experience the Text-to-SQL quality leap brought by the coding ability improvement.
For more details on AskTable's AI Agent architecture, see our previous technical analysis: How AskTable AI Agent Works: From Architecture to Implementation.
If programming ability improvements give Qwen 3.6-Plus a quantum leap in Text-to-SQL precision, its excellent Agent capabilities open another door for AskTable: autonomous analysis workflows.
Traditional data analysis tools operate in a "you ask, I answer" pattern — the user poses a specific question, and the system returns a specific answer. But real-world data analysis is often exploratory, multi-step, and requires reasoning.
For example, when a business leader asks: "Why did sales decline this month?"
This isn't just a SQL query problem — it's an analysis task requiring multi-step reasoning:
This is the core problem that AskTable Canvas's multi-Agent collaboration architecture solves.
In AskTable Canvas, different types of analysis nodes are handled by different Agents:
Qwen 3.6-Plus's Agent capability improvements significantly enhance the execution quality of each Agent node:
More Precise Tool Calling
Agents need to accurately select and use AskTable's various built-in tools (query engine, chart engine, data processing engine, etc.). Qwen 3.6-Plus's enhanced tool calling capability reduces ineffective calls and hallucinations, enabling Agents to more accurately match tools and capabilities.
In AskTable's internal testing, Qwen 3.6-Plus's tool calling accuracy improved by approximately 30% compared to the previous generation, and ineffective calls (calls where results were unused or wrong tools were invoked) decreased by approximately 50%.
More Reasonable Task Decomposition
Faced with a vague instruction like "Analyze this month's sales trends," Qwen 3.6-Plus can autonomously break it down into multiple sub-tasks: data query → trend calculation → chart generation → insight summarization, and reasonably arrange execution order and dependencies.
Taking "Analyze this month's sales trends" as an example, Qwen 3.6-Plus's decomposition process:
User question: Analyze this month's sales trends
Qwen 3.6-Plus decomposition:
├── Sub-task 1: Get daily sales for this month
│ ├── Query the orders table
│ ├── Filter: this month, paid
│ └── Output: Daily sales time series
├── Sub-task 2: Calculate MoM and YoY data
│ ├── Get last month's corresponding sales
│ ├── Get last year's corresponding sales
│ └── Calculate MoM and YoY change rates
├── Sub-task 3: Generate trend charts
│ ├── Select line chart type
│ ├── Configure dual Y-axis (sales + growth rate)
│ └── Output visualization chart
└── Sub-task 4: Generate analytical insights
├── Identify key trends
├── Flag abnormal fluctuations
└── Output text summary
This automated task decomposition capability significantly lowers the barrier for users building complex analysis workflows.
Stronger Multi-Step Reasoning
In data anomaly detection and root cause analysis scenarios, models need chain reasoning capabilities. Qwen 3.6-Plus's improvements in this area enable AskTable's analysis Agents to dig into the reasons behind data like experienced data analysts, step by step.
For detailed implementation of AskTable Canvas multi-Agent collaboration, see: AskTable Canvas Agent Collaboration: Design and Implementation of Multi-Agent Systems.
Even the most powerful models make mistakes. One of AskTable's core competitive advantages is a complete Agent self-correction mechanism.
The full correction workflow:
When AI-generated SQL execution fails, the system doesn't just throw the error message at the user. Instead:
Qwen 3.6-Plus's improved coding ability makes this process more efficient — it not only understands error causes faster but also generates corrected code more accurately. This means fewer retries, faster response times, and better user experience.
In AskTable's testing, after switching to Qwen 3.6-Plus, the first-pass rate for SQL generation improved by approximately 25%, and the average number of retries decreased from 1.8 to 1.2.
For the technical implementation of self-correction, see: AskTable Agent Self-Correction: An AI System That Learns from Mistakes.
Beyond significant improvements in coding and Agent capabilities, Qwen 3.6-Plus also retains the previous generation's strengths in native multimodal capabilities. For data analysis scenarios, this opens a whole new door to interaction.
This is the most direct application of multimodal capabilities in data analysis.
Imagine this scenario: a business leader receives a screenshot of a business report on WeChat and wants to know more about the data behind it. Previously, they'd need to manually enter the data from the screenshot into the system or forward it to the data team for re-querying.
Now, leveraging Qwen 3.6-Plus's native multimodal capabilities, AskTable users can directly upload screenshots:
User action: Upload a screenshot of a daily sales report
User question: In this report, which product line has the highest sales? How does it compare to last week?
AskTable processing flow:
1. Visual recognition: AI identifies table structure, values, and metric names in the screenshot
2. Semantic understanding: Maps to corresponding database tables and fields via AskTable's semantic layer
3. Data query: Generates SQL queries to retrieve more detailed analysis data
4. Result output: Returns comparative analysis results and trend insights
This "what you see is what you query" interaction approach dramatically lowers the barrier to data analysis.
Beyond recognizing data in screenshots, multimodal capabilities can also be used to understand and analyze existing charts:
Example scenario:
User uploads: A bar chart showing monthly sales trends
AI analysis:
- Chart type identified: Bar chart
- Data trend identified: Growth Jan-Mar, decline in Apr, recovery in May
- Anomaly identified: April data significantly lower than other months
AI suggestions:
- Recommend switching to a combination line + bar chart (line for trend, bars for absolute values)
- Recommend adding a YoY reference line
- Recommend annotating the anomalous April data point
In more complex scenarios, multimodal capabilities can be combined with other analysis abilities:
This combination of multimodal + data analysis is an important direction AskTable continues to explore in the AI data analysis space.
Beyond technical capabilities, Qwen 3.6-Plus has another notable advantage: price.
On Alibaba Cloud's Bailian platform, Qwen 3.6-Plus is priced at as low as 2 yuan per million tokens. This number seems simple, but in the context of enterprise AI analysis costs, it's significant.
Let's calculate the numbers for companies of different sizes.
Small Team (200 queries/day)
Daily consumption: 200 × 5,000 = 1,000,000 tokens = 1M tokens
Monthly consumption: 1M × 30 = 30M tokens
Monthly cost (Qwen 3.6-Plus): 30 × 2 = 60 yuan/month
Annual cost: 60 × 12 = 720 yuan/year
Medium Enterprise (1,000 queries/day)
Daily consumption: 1,000 × 5,000 = 5,000,000 tokens = 5M tokens
Monthly consumption: 5M × 30 = 150M tokens
Monthly cost (Qwen 3.6-Plus): 150 × 2 = 300 yuan/month
Annual cost: 300 × 12 = 3,600 yuan/year
Large Enterprise (5,000 queries/day)
Daily consumption: 5,000 × 5,000 = 25,000,000 tokens = 25M tokens
Monthly consumption: 25M × 30 = 750M tokens
Monthly cost (Qwen 3.6-Plus): 750 × 2 = 1,500 yuan/month
Annual cost: 1,500 × 12 = 18,000 yuan/year
Compared to certain overseas models (approximately 50-100 yuan per million tokens), the annual cost for the same consumption scales dramatically. For large enterprises, the gap could expand from 18,000 yuan to 450,000-900,000 yuan.
Qwen 3.6-Plus's pricing strategy is noteworthy because it breaks the "cheap means bad" conventional thinking.
With coding capabilities approaching Claude Opus 4.5 at just 2 yuan per million tokens, Qwen 3.6-Plus has become one of the most cost-effective coding-grade large models globally. For AskTable and all enterprise applications that need large-scale LLM calls, this is a highly attractive option.
More critically, low costs mean higher usage frequency and broader application scenarios. When the cost per query is virtually negligible, users are more willing to use AI analysis to explore data rather than reducing queries out of cost concerns. This "the more you use it, the more you discover" positive cycle is key to the success of AI data analysis products.
For enterprise decision-makers, choosing an AI engine typically involves three dimensions:
| Dimension | Qwen 3.6-Plus | Other Models |
|---|---|---|
| Capability | Coding near global top-tier, Agent excellent | Varies by model |
| Cost | 2 yuan per million tokens | 2-100 yuan |
| Compliance | Domestic model, low data compliance risk | Some overseas models have compliance considerations |
Qwen 3.6-Plus delivers competitive answers across all three dimensions. Especially for enterprises with data compliance requirements (finance, healthcare, government, etc.), domestic models are the safer choice.
After understanding Qwen 3.6-Plus's advantages, a natural question arises: if it's so good, why doesn't AskTable switch entirely to Qwen 3.6-Plus?
The answer: different scenarios need different models, and a multi-model strategy is the optimal solution.
AskTable's AI engine supports multiple models because different analysis scenarios have different model capability requirements:
| Scenario Type | Model Needs | Recommended Model |
|---|---|---|
| Simple queries (single table, basic aggregation) | Fast, low cost | Qwen 3.5 Plus / lightweight models |
| Complex analysis (multi-table JOINs, window functions) | Strong coding ability | Qwen 3.6-Plus |
| Multimodal tasks (screenshot-to-query) | Native multimodal | Qwen 3.6-Plus |
| Creative exploration (open-ended analysis) | Strong reasoning | Claude series |
Relying on a single model provider introduces risks for enterprises:
AskTable's multi-model architecture natively supports model switching and degradation strategies, ensuring stable analysis service for users under any circumstances. When a model service is unavailable, the system can automatically switch to a backup model, ensuring business continuity.
The large model industry is evolving at a breathtaking pace. AskTable's multi-model architecture enables us to:
This "plug-and-play model" architecture is the foundation of AskTable's ability to consistently stay technologically ahead.
For details on how AskTable supports 20+ databases and multi-model engine design, see: AskTable Data Source Integration Guide.
Throughout this article, we've attempted to answer a core question: Why is Qwen 3.6-Plus's release significant for AskTable and the AI data analysis industry?
The answer can be summarized in one sentence: The precision bottleneck in AI data analysis is fundamentally a coding ability bottleneck. And Qwen 3.6-Plus's leap in coding ability directly breaks this bottleneck.
Specifically:
At the Text-to-SQL level, coding ability improvements mean complex queries can "run correctly on the first try" — multi-table JOINs, window functions, CTEs, subqueries — these complex scenarios that frequently caused Text-to-SQL failures can now reliably generate correct SQL. Syntax accuracy improved from ~85% to ~96%, semantic accuracy from ~70% to ~88%.
At the Agent collaboration level, Agent capability breakthroughs mean AskTable's analysis Agents can evolve from "following instructions" to "autonomous analysis" — facing vague questions, they can autonomously decompose, reason, execute, and summarize. Tool calling accuracy improved by approximately 30%, ineffective calls reduced by approximately 50%.
At the self-correction level, coding ability improvements make the correction process more efficient — SQL first-pass rate improved by approximately 25%, average retries decreased from 1.8 to 1.2. This means faster response times and better user experience.
At the multimodal interaction level, native multimodal capabilities open entirely new interaction methods for data analysis — "screenshot-to-query" and "chart understanding" — further lowering the usage barrier.
At the cost-effectiveness level, the price of 2 yuan per million tokens dramatically reduces the cost of enterprise-grade AI analysis, making large-scale applications feasible. Low costs also mean higher usage frequency and broader application scenarios.
At the multi-model strategy level, AskTable's architecture design enables continuous integration of the strongest models while maintaining flexibility and risk control.
Qwen 3.6-Plus's release is not just a breakthrough in coding ability for Chinese large models — it's also a signal to the entire AI data analysis industry:
When coding ability is no longer a shortcoming, the precision bottleneck in AI data analysis will be broken. Future competition won't be about whose model is "smarter," but about whose system is "more reliable."
AskTable's choice of Qwen 3.6-Plus as an AI engine is based on our judgment of this trend. We believe that the strongest coding model + the most professional data analysis platform will bring Chinese enterprises unprecedented data insight capabilities.
Numbers and comparisons in a technical article are ultimately theoretical. The true measure of Qwen 3.6-Plus's value in data analysis scenarios is your actual experience using it.
We recommend trying the following scenarios to verify for yourself:
The best way to verify is to try it yourself.
Learn more:
sidebar.noProgrammingNeeded
sidebar.startFreeTrial