代做 Rule Minimizer、代写 SQL 语言程序
Assignment 2: Rule Minimizer
Introduction
Welcome to the SQL query optimization assignment. This assignment covers an integral part of any database system and aims to deepen your understanding of SQL query optimization. As we delve into the complexities of query analysis and optimization techniques, you will learn to apply logic minimization principles to SQL statements, focusing on achieving efficient execution while maintaining the integrity of the results. This assignment will challenge you to think critically about the relational operations within SQL, understand the underlying processing mechanisms, and refine your queries for optimal performance.
Logic Minimization
SQL query optimization plays a crucial role in enhancing the efficiency and speed of data retrieval. For example, Logic minimization is a heuristic optimization that transforms the query-tree by using a set of rules that typically (but not in all cases) improve execution performance. At the heart of this optimization lies the application of logic laws of Relational Algebra, which, when applied to SQL queries, can significantly improve their performance by reducing their complexity. The idea is to represent SQL queries as relational algebra expressions, then apply laws and theorems of Boolean Algebra to manipulate and simplify the logical expressions.
The laws shown in Figure 1, such as the Idempotent Law and Absorption Law, provide a framework for simplifying complex queries by eliminating redundant operations and conditions without affecting the query's outcome. This optimization process not only reduces the computational load on the database system but also streamlines query execution, leading to faster response times and more efficient use of resources. Your goal is to implement them.
Idempotent Law and Absorption Law
The Idempotent Law and Absorption Law are fundamental principles within the realm of logic optimization, particularly relevant in the context of SQL query optimization for relational databases. Let's delve into detailed introductions of both laws:
Figure 1: Different Logic Laws
Idempotent Law
The Idempotent Law is grounded in the principle that an operation is idempotent if, when applied multiple times to any value, it yields the same result as if it were applied once. In the context of SQL optimization, this law facilitates the simplification of queries by identifying and removing redundant operations without altering the outcome of the query. The application of the Idempotent Law in SQL queries primarily involves eliminating unnecessary joins or conditions that do not contribute to the final result set, thereby streamlining the query execution process.
For example, if a SQL SELECT statement joins a table with itself based on the same identifier (“SELECT name FROM person AS p INNER JOIN person as p2 ON p.id = p2.id;"), the Idempotent Law suggests that this redundant join can be eliminated without affecting the result (“SELECT name From person AS p;”). Simplifying such queries not only reduces the computational load on the database system but also enhances the efficiency and speed of data retrieval, contributing to faster response times and more efficient use of resources.
Absorption Law
The Absorption Law, deals with the simplification of logical expressions in a way that certain terms in a complex expression can be "absorbed" into others, rendering them unnecessary. In SQL query optimization, applying the Absorption Law means identifying and removing superfluous conditions within the WHERE clause that do not impact the overall result of the query. This law is particularly useful for condensing SQL statements by eliminating redundant or unnecessary conditions, thereby making the queries more efficient and faster to execute.
An application of the Absorption Law might involve a query where a condition is implied by another, more comprehensive condition (“SELECT title FROM movie WHERE title = 'Avengers' AND (title = 'Avengers' OR released = 2020);”). By removing the redundant condition, the query is simplified without changing its semantics (“SELECT title FROM movie WHERE title = 'Avengers';”). For instance, if a query includes conditions that are logically encompassed by other conditions in the query, those redundant conditions can be omitted as per the Absorption Law.
Assignment 2 Requirement
1. Understanding the Existing Code:
○ Familiarize yourself with the provided C++ code snippet and lab 5 within the Optimizer class.
○ Analyze how the `splitString` function is used to parse strings based on a specified delimiter and how it is instrumental in processing SQL query components. This function can be useful to deal with aliases.
○ Review the theory of Breadth-First Search (BFS) and Depth-First Search (DFS), and decide on a way to traverse the parser tree to find opportunities to apply the laws for optimization .
2. Implement the `idempotentLawOptimizer` ,`absorptionLawOptimizer` and `eliminateRedundantJoinConditions` Function:
○ Idempotent Law Optimizer: Extend the given code to create a fully functional `idempotentLawOptimizer`. This function should analyze the SQL SELECT statements and identify redundant joins. (1) This function should examine the WHERE clauses of SQL statements and remove unnecessary conditions that do not impact the overall result of the query like repeatedly appearing conditions. This function should evict redundant joins. For instance, if a table is joined with itself on the same identifier, this join can be eliminated. Your implementation should handle different types of joins and conditions, ensuring that the optimization does not alter the query's intended result.
○ Absorption Law Optimizer: Implement a function, `absorptionLawOptimizer`, to apply the Absorption Law in SQL optimization. This function should examine the WHERE clauses of SQL statements and remove unnecessary conditions that do not impact the overall result of the query. For example, if a condition is logically encompassed by another more comprehensive condition, the redundant condition can be omitted.
○ eliminateRedundantJoinConditions: Develop a function, `eliminateRedundantJoinConditions`, to optimize SQL queries by removing redundant conditions in the JOIN or WHERE clauses. This function should compare the conditions in the JOIN clauses with those in the WHERE clause and eliminate any redundant conditions that do not affect the query's result.
○ Ensure all functions maintain the integrity of the query's intended results while optimizing for performance and simplicity.
○ Incorporate comprehensive error checking and handling to manage unexpected input or parse tree structures.
○ Hint: While implementing these functions, you may find it helpful to develop helper functions for bubbling up parser tree nodes, such as `bubbleAllUp` or `bubbleNullUp`, which can assist in simplifying the conditions in the parse tree.You may also create additional helper functions as needed.
3. Testing and Debugging:
○ Take advantage of the tests provided under `Google_tests/testOptimizer.cpp` to test your implementation. You can also develop your own test cases.
○ Use the enhanced `idempotentLawOptimizer` , `absorptionLawOptimizer` and`eliminateRedundantJoinConditions` to optimize these test queries and validate the correctness of your implementation.
Output Examples
● Idempotent Law
○ Example Input:
“SELECT * FROM Movie
WHERE title = 'Avengers: End Game' OR title = 'Avengers: End Game';"
Expected Output:
“SELECT * FROM Movie
WHERE title = 'Avengers: End Game'”
● Absorption Law
○ Example Input:
“SELECT title FROM movie
WHERE title = 'Avengers' AND (title = 'Avengers' OR released = 2020);”
Expected Output:
“SELECT title FROM movie
WHERE title = 'Avengers';”
○ Example Input:
“SELECT title FROM movie
WHERE (title = 'Avengers' AND released = 2020) OR title = 'Avengers';”
Expected Output:
“SELECT title FROM movie
WHERE title = 'Avengers';”
Public Tests Output (Tree Structure)
1. Idempotent Law: Inner Join Optimization
SELECT name FROM person AS p INNER JOIN person as p2 ON p.id = p2.id;
2. Idempotent Law
SELECT * FROM movie WHERE title = 'Avengers: End Game' AND title = 'Avengers: End Game';
3. Absorption Law
SELECT title FROM movie WHERE title = 'Avengers' AND (title = 'Avengers' OR released = 2020);
4. Absorption Optimization
SELECT title FROM movie WHERE (title = 'Avengers' OR released = 2020) AND title = 'Avengers';
5. Redundant Join Condition Optimization
SELECT r.rating FROM REVIEWED AS r JOIN movie AS m ON r.person_id = m.person_id WHERE r.person_id = m.person_id AND m.released = 2019;
6. Redundant Join Condition Optimization 2
SELECT r.rating FROM REVIEWED AS r JOIN movie AS m ON r.person_id = m.person_id WHERE r.person_id = m.person_id;
7. Redundant Join Condition Optimization 3
SELECT r.rating FROM REVIEWED AS r JOIN movie AS m ON r.person_id = m.person_id WHERE NOT r.person_id = m.person_id;
Submission
In this assignment, you are expected to submit using Autolab. You should submit a "tar" with your "queryOptimization" folder, which should contain the Optimizer.cpp and Optimizer.h(implementation of `idempotentLawOptimizer`,`absorptionLawOptimizer` and `eliminateRedundantJoinConditions` and other helper functions).
How to Submit to Autolab:
1. Go to the website https://mvlander.dns.army/courses/test-course/assessments/Assignment.
2. Use your Andrew email and your name to sign up.
3. Check your email for an activation message and use the access code YATHMX to activate your account.
4. Log in to your Autolab account.
5. Tar your queryOptimization folder using the command: tar -cvf <YourAndrewID>_Assignment2.tar queryOptimization.
6. Navigate to the assignment submission page.
7. Click on the "Submit" link for Assignment 2.
8. Choose your tarred file and upload it. And you will see the score and feedback (it takes around 260s).
9. You are allowed only 10 attempts.
Rubric
Your assignment will be graded based on the following criteria:
● Correct implementation of the `idempotentLawOptimizer` function;
● Correct implementation of the `absorptionLawOptimizer` function;
● Correct implementation of the `eliminateRedundantJoinConditions` function;
● Number of Tests passed;
● Number of attempts(More than 10 attempts will be penalized);
We strongly recommend starting your work locally and submit your Autolab "final version" as early as possible. Don't leave until the last moment to submit your assignment otherwise you may receive a penalty for late submission. This is because building the C++ project on Autolab can be time-consuming, and there is likely to be a high volume of users as the deadline approaches. You can also test your own test cases before attempting the autolab since everyone has only 10 chances.
Good luck and enjoy!
请加QQ:99515681 邮箱:99515681@qq.com WX:codinghelp
- 新突破!同仁堂健康冻干冬虫夏草(人工抚育)奢耀献市
- WhatsApp协议号的用途/ws群发/ws注册/ws解封
- instagram自动采集关注工具,ins如何使用营销软件引流
- 龟仙洞酒荣获“中国十八大新名酒”
- Ins营销群发利器,Instagram自动涨粉工具大揭秘!
- Instagram群发消息工具,Ins模拟器群发软件,助你快速营销!
- Telegram超好用的批量群发营销软件,电报群发工具推荐
- WhatsApp协议号引领创意潮流,塑造您的品牌独特魅力!
- 升级的脉脉,正在以招聘业务铺开商业化版图
- Instagram群发代发营销软件,让你的营销更高效!"
- 数据精炼:如何利用WhatsApp筛选器优化业务数据分析
- Telegram协议号注册器为您的项目提供拉群爆粉
- 代写program、Java/Python程序设计代做
- 初出茅庐的喜悦 她通过WhatsApp拉群工具实现了全球品牌的极速传播 覆盖面达到了95%
- 纸飞机群发拉群自动化软件,Telegram精准定位采集工具/TG营销神器
- CE-Channel: Streamline Your International Business Expansion with Instant Global Partner Connections
- Ins引流推广软件,Instagram采集器一键助你博主打粉成功!
- 十万+用户见证 数字增长的秘密 WhatsApp拉群营销工具全揭秘
- 中国膏药平台:传承千年,引领健康新风尚
- Instagram如何快速采集博主?ins一键自动定位采集软件推荐!
- 趋势跟手WhatsApp工具助我快速融入外贸市场不再错失良机
- 谷器数据参加瑶海区三大行动推进大会,荣膺表彰并代表发言
- 专业人士请教 WhatsApp拉群营销工具的使用经验 有人愿意分享吗
- WhatsApp代拉群营销战略,这款WhatsApp营销工具让我与客户建立深厚的情感纽带
- Instagram脚本打粉工具,ins超好用引流软件全球推荐!
- 科技咒语 WhatsApp拉群工具如何在我的业务中施展魔法 创造惊奇效果
- Telegram协议号注册器,品牌推广更精准,成功之路更畅通
- Instagram自动打粉营销软件,Ins引流助手,共同助你赢得市场!
- 世贸通美国移民:又一批EB5投资人I-829获批,永久绿卡无忧!
- 代筛料子软件好用的营销平台TG、WS、Zalo、line海外营销信息
推荐
- B站更新决策机构名单:共有 29 名掌权管理者,包括陈睿、徐逸、李旎、樊欣等人 1 月 15 日消息,据界面新闻,B站上周发布内部 科技
- 创意驱动增长,Adobe护城河够深吗? Adobe通过其Creative Cloud订阅捆绑包具有 科技
- 丰田章男称未来依然需要内燃机 已经启动电动机新项目 尽管电动车在全球范围内持续崛起,但丰田章男 科技
- 智慧驱动 共创未来| 东芝硬盘创新数据存储技术 为期三天的第五届中国(昆明)南亚社会公共安 科技
- 升级的脉脉,正在以招聘业务铺开商业化版图 长久以来,求职信息流不对称、单向的信息传递 科技
- 苹果罕见大降价,华为的压力给到了? 1、苹果官网罕见大降价冲上热搜。原因是苹 科技
- 疫情期间 这个品牌实现了疯狂扩张 记得第一次喝瑞幸,还是2017年底去北京出差的 科技
- 全力打造中国“创业之都”名片,第十届中国创业者大会将在郑州召开 北京创业科创科技中心主办的第十届中国创业 科技
- 老杨第一次再度抓握住一瓶水,他由此产生了新的憧憬 瘫痪十四年后,老杨第一次再度抓握住一瓶水,他 科技
- 如何经营一家好企业,需要具备什么要素特点 我们大多数人刚开始创办一家企业都遇到经营 科技