SQL Programming Resources
74.8K subscribers
495 photos
13 files
440 links
Find top SQL resources from global universities, cool projects, and learning materials for data analytics.

Admin: @coderfun

Useful links: heylink.me/DataAnalytics

Promotions: @love_data
Download Telegram
โœ… Useful Platform to Practice SQL Programming ๐Ÿง ๐Ÿ–ฅ๏ธ

Learning SQL is just the first step โ€” practice is what builds real skill. Here are the best platforms for hands-on SQL:

1๏ธโƒฃ LeetCode โ€“ For Interview-Oriented SQL Practice
โ€ข Focus: Real interview-style problems
โ€ข Levels: Easy to Hard
โ€ข Schema + Sample Data Provided
โ€ข Great for: Data Analyst, Data Engineer, FAANG roles
โœ” Tip: Start with Easy โ†’ filter by โ€œDatabaseโ€ tag
โœ” Popular Section: Database โ†’ Top 50 SQL Questions
Example Problem: โ€œFind duplicate emails in a user tableโ€ โ†’ Practice filtering, GROUP BY, HAVING

2๏ธโƒฃ HackerRank โ€“ Structured & Beginner-Friendly
โ€ข Focus: Step-by-step SQL track
โ€ข Has certification tests (SQL Basic, Intermediate)
โ€ข Problem sets by topic: SELECT, JOINs, Aggregations, etc.
โœ” Tip: Follow the full SQL track
โœ” Bonus: Company-specific challenges
Try: โ€œRevising Aggregations โ€“ The Count Functionโ€ โ†’ Build confidence with small wins

3๏ธโƒฃ Mode Analytics โ€“ Real-World SQL in Business Context
โ€ข Focus: Business intelligence + SQL
โ€ข Uses real-world datasets (e.g., e-commerce, finance)
โ€ข Has an in-browser SQL editor with live data
โœ” Best for: Practicing dashboard-level queries
โœ” Tip: Try the SQL case studies & tutorials

4๏ธโƒฃ StrataScratch โ€“ Interview Questions from Real Companies
โ€ข 500+ problems from companies like Uber, Netflix, Google
โ€ข Split by company, difficulty, and topic
โœ” Best for: Intermediate to advanced level
โœ” Tip: Try โ€œHardโ€ questions after doing 30โ€“50 easy/medium

5๏ธโƒฃ DataLemur โ€“ Short, Practical SQL Problems
โ€ข Crisp and to the point
โ€ข Good UI, fast learning
โ€ข Real interview-style logic
โœ” Use when: You want fast, smart SQL drills

๐Ÿ“Œ How to Practice Effectively:
โ€ข Spend 20โ€“30 mins/day
โ€ข Focus on JOINs, GROUP BY, HAVING, Subqueries
โ€ข Analyze problem โ†’ write โ†’ debug โ†’ re-write
โ€ข After solving, explain your logic out loud

๐Ÿงช Practice Task:
Try solving 5 SQL questions from LeetCode or HackerRank this week. Start with SELECT, WHERE, and GROUP BY.

๐Ÿ’ฌ Tap โค๏ธ for more!
โค15
โš™๏ธ SQL Developer Roadmap

๐Ÿ“‚ SQL Basics (CREATE, DROP, USE Database)
โˆŸ๐Ÿ“‚ Data Types & DDL (Tables, Constraints - PK/FK)
โˆŸ๐Ÿ“‚ DML (INSERT, UPDATE, DELETE)
โˆŸ๐Ÿ“‚ SELECT Queries (DISTINCT, LIMIT/TOP)
โˆŸ๐Ÿ“‚ WHERE Clause (Operators, LIKE, IN, BETWEEN)
โˆŸ๐Ÿ“‚ ORDER BY & Sorting (ASC/DESC)
โˆŸ๐Ÿ“‚ Aggregate Functions (COUNT, SUM, AVG, MIN/MAX)
โˆŸ๐Ÿ“‚ GROUP BY & HAVING
โˆŸ๐Ÿ“‚ JOINs (INNER, LEFT, RIGHT, FULL)
โˆŸ๐Ÿ“‚ Subqueries
โˆŸ๐Ÿ“‚ String Functions (CONCAT, SUBSTRING, UPPER/LOWER)
โˆŸ๐Ÿ“‚ Date Functions (NOW, DATEADD, DATEDIFF)
โˆŸ๐Ÿ“‚ Window Functions (ROW_NUMBER, RANK, PARTITION BY)
โˆŸ๐Ÿ“‚ CTEs (Common Table Expressions)
โˆŸ๐Ÿ“‚ Indexes & Performance
โˆŸ๐Ÿ“‚ Transactions (BEGIN, COMMIT, ROLLBACK)
โˆŸ๐Ÿ“‚ Views & Stored Procedures
โˆŸ๐Ÿ“‚ Practice (LeetCode SQL, HackerRank)
โˆŸโœ… Apply for Data Analyst / Backend Roles

๐Ÿ’ฌ Tap โค๏ธ for more!
โค16
๐Ÿ”ฅ Top SQL Interview Questions with Answers

๐ŸŽฏ 1๏ธโƒฃ Find 2nd Highest Salary
๐Ÿ“Š Table: employees
id | name | salary
1 | Rahul | 50000
2 | Priya | 70000
3 | Amit | 60000
4 | Neha | 70000

โ“ Problem Statement: Find the second highest distinct salary from the employees table.

โœ… Solution
SELECT MAX(salary) FROM employees WHERE salary < ( SELECT MAX(salary) FROM employees );

๐ŸŽฏ 2๏ธโƒฃ Find Nth Highest Salary
๐Ÿ“Š Table: employees
id | name | salary
1 | A | 100
2 | B | 200
3 | C | 300
4 | D | 200

โ“ Problem Statement: Write a query to find the 3rd highest salary.

โœ… Solution
SELECT salary FROM ( SELECT salary, DENSE_RANK() OVER(ORDER BY salary DESC) r FROM employees ) t WHERE r = 3;

๐ŸŽฏ 3๏ธโƒฃ Find Duplicate Records
๐Ÿ“Š Table: employees
id | name
1 | Rahul
2 | Amit
3 | Rahul
4 | Neha

โ“ Problem Statement: Find all duplicate names in the employees table.

โœ… Solution
SELECT name, COUNT(*) FROM employees GROUP BY name HAVING COUNT(*) > 1;

๐ŸŽฏ 4๏ธโƒฃ Customers with No Orders
๐Ÿ“Š Table: customers
customer_id | name
1 | Rahul
2 | Priya
3 | Amit

๐Ÿ“Š Table: orders
order_id | customer_id
101 | 1
102 | 2

โ“ Problem Statement: Find customers who have not placed any orders.

โœ… Solution
SELECT c.name FROM customers c LEFT JOIN orders o ON c.customer_id = o.customer_id WHERE o.customer_id IS NULL;

๐ŸŽฏ 5๏ธโƒฃ Top 3 Salaries per Department
๐Ÿ“Š Table: employees
name | department | salary
A | IT | 100
B | IT | 200
C | IT | 150
D | HR | 120
E | HR | 180

โ“ Problem Statement: Find the top 3 highest salaries in each department.

โœ… Solution
SELECT * FROM ( SELECT name, department, salary, ROW_NUMBER() OVER( PARTITION BY department ORDER BY salary DESC ) r FROM employees ) t WHERE r <= 3;

๐ŸŽฏ 6๏ธโƒฃ Running Total of Sales
๐Ÿ“Š Table: sales
date | sales
2024-01-01 | 100
2024-01-02 | 200
2024-01-03 | 300

โ“ Problem Statement: Calculate the running total of sales by date.

โœ… Solution
SELECT date, sales, SUM(sales) OVER(ORDER BY date) AS running_total FROM sales;

๐ŸŽฏ 7๏ธโƒฃ Employees Above Average Salary
๐Ÿ“Š Table: employees
name | salary
A | 100
B | 200
C | 300

โ“ Problem Statement: Find employees earning more than the average salary.

โœ… Solution
SELECT name, salary FROM employees WHERE salary > ( SELECT AVG(salary) FROM employees );

๐ŸŽฏ 8๏ธโƒฃ Department with Highest Total Salary
๐Ÿ“Š Table: employees
name | department | salary
A | IT | 100
B | IT | 200
C | HR | 500

โ“ Problem Statement: Find the department with the highest total salary.

โœ… Solution
SELECT department, SUM(salary) AS total_salary FROM employees GROUP BY department ORDER BY total_salary DESC LIMIT 1;

๐ŸŽฏ 9๏ธโƒฃ Customers Who Placed Orders
๐Ÿ“Š Tables: Same as Q4
โ“ Problem Statement: Find customers who have placed at least one order.

โœ… Solution
SELECT name FROM customers c WHERE EXISTS ( SELECT 1 FROM orders o WHERE c.customer_id = o.customer_id );

๐ŸŽฏ ๐Ÿ”Ÿ Remove Duplicate Records
๐Ÿ“Š Table: employees
id | name
1 | Rahul
2 | Rahul
3 | Amit

โ“ Problem Statement: Delete duplicate records but keep one unique record.

โœ… Solution
DELETE FROM employees WHERE id NOT IN ( SELECT MIN(id) FROM employees GROUP BY name );

๐Ÿš€ Pro Tip:
๐Ÿ‘‰ In interviews:
First explain logic
Then write query
Then optimize

Double Tap โ™ฅ๏ธ For More
โค15
๐Ÿ“Š Complete SQL Syllabus Roadmap (Beginner to Expert) ๐Ÿ—„๏ธ

๐Ÿ”ฐ Beginner Level:

1. Intro to Databases: What are databases, Relational vs. Non-Relational
2. SQL Basics: SELECT, FROM, WHERE
3. Data Types: INT, VARCHAR, DATE, BOOLEAN, etc.
4. Operators: Comparison, Logical (AND, OR, NOT)
5. Sorting & Filtering: ORDER BY, LIMIT, DISTINCT
6. Aggregate Functions: COUNT, SUM, AVG, MIN, MAX
7. GROUP BY and HAVING: Grouping Data and Filtering Groups
8. Basic Projects: Creating and querying a simple database (e.g., a student database)

โš™๏ธ Intermediate Level:

1. Joins: INNER, LEFT, RIGHT, FULL OUTER JOIN
2. Subqueries: Using queries within queries
3. Indexes: Improving Query Performance
4. Data Modification: INSERT, UPDATE, DELETE
5. Transactions: ACID Properties, COMMIT, ROLLBACK
6. Constraints: PRIMARY KEY, FOREIGN KEY, UNIQUE, NOT NULL, CHECK, DEFAULT
7. Views: Creating Virtual Tables
8. Stored Procedures & Functions: Reusable SQL Code
9. Date and Time Functions: Working with Date and Time Data
10. Intermediate Projects: Designing and querying a more complex database (e.g., an e-commerce database)

๐Ÿ† Expert Level:

1. Window Functions: RANK, ROW_NUMBER, LAG, LEAD
2. Common Table Expressions (CTEs): Recursive and Non-Recursive
3. Performance Tuning: Query Optimization Techniques
4. Database Design & Normalization: Understanding Database Schemas (Star, Snowflake)
5. Advanced Indexing: Clustered, Non-Clustered, Filtered Indexes
6. Database Administration: Backup and Recovery, Security, User Management
7. Working with Large Datasets: Partitioning, Data Warehousing Concepts
8. NoSQL Databases: Introduction to MongoDB, Cassandra, etc. (optional)
9. SQL Injection Prevention: Secure Coding Practices
10. Expert Projects: Designing, optimizing, and managing a large-scale database (e.g., a social media database)

๐Ÿ’ก Bonus: Learn about Database Security, Cloud Databases (AWS RDS, Azure SQL Database, Google Cloud SQL), and Data Modeling Tools.

๐Ÿ‘ Tap โค๏ธ for more
โค8๐Ÿ‘1
SQL Cheat Sheet for Data Analysts ๐Ÿ—„๏ธ๐Ÿ“Š

1. SELECT
What it is: Used to choose columns from a table
What it does: Returns specific columns of data

Query: Fetch name and salary
SELECT name, salary 
FROM employees;


2. FROM
What it is: Specifies the table
What it does: Tells SQL where to get data from

Query: Fetch all data from employees
SELECT * 
FROM employees;


3. WHERE
What it is: Filters rows based on condition
What it does: Returns only matching rows

Query: Employees with salary > 30000
SELECT * 
FROM employees
WHERE salary > 30000;


4. ORDER BY
What it is: Sorts the data
What it does: Arranges rows in order

Query: Sort by salary (highest first)
SELECT * 
FROM employees
ORDER BY salary DESC;


5. COUNT()
What it is: Counts rows
What it does: Returns total records

Query: Count employees
SELECT COUNT(*) 
FROM employees;


6. AVG()
What it is: Calculates average
What it does: Returns mean value

Query: Average salary
SELECT AVG(salary) 
FROM employees;


7. GROUP BY
What it is: Groups rows by column
What it does: Applies aggregation per group

Query: Avg salary per department
SELECT department, AVG(salary) 
FROM employees
GROUP BY department;


8. HAVING
What it is: Filters grouped data
What it does: Returns filtered groups

Query: Departments with avg salary > 40000
SELECT department, AVG(salary) 
FROM employees
GROUP BY department
HAVING AVG(salary) > 40000;


9. INNER JOIN
What it is: Combines matching rows from tables
What it does: Returns common data

Query: Employees with department names
SELECT e.name, d.department_name 
FROM employees e
INNER JOIN departments d
ON e.dept_id = d.dept_id;


10. LEFT JOIN
What it is: Combines all left + matching right
What it does: Returns all left table data

Query: All employees with departments
SELECT e.name, d.department_name 
FROM employees e
LEFT JOIN departments d
ON e.dept_id = d.dept_id;


11. CASE WHEN
What it is: Conditional logic
What it does: Creates values based on condition

Query: Categorize salary
SELECT name, 
CASE
WHEN salary > 40000 THEN 'High'
ELSE 'Low'
END AS category
FROM employees;


12. SUBQUERY
What it is: Query inside another query
What it does: Uses result of inner query

Query: Salary above average
SELECT name, salary 
FROM employees
WHERE salary > (
SELECT AVG(salary)
FROM employees
);


13. RANK()
What it is: Window function
What it does: Assigns rank without grouping

Query: Rank employees by salary
SELECT name, salary, 
RANK() OVER (ORDER BY salary DESC) AS rank
FROM employees;


14. DISTINCT
What it is: Removes duplicates
What it does: Returns unique values

Query: Unique departments
SELECT DISTINCT department 
FROM employees;


15. LIKE
What it is: Pattern matching
What it does: Filters text patterns

Query: Names starting with A
SELECT * 
FROM employees
WHERE name LIKE 'A%';


Double Tap โ™ฅ๏ธ For More
โค20๐Ÿ‘3
Last Chance to Join ๐Ÿš€

Donโ€™t miss this power-packed masterclass by Tushar Jha, Lead Data Scientist at Google.

Learn how FinTech leaders use data analytics to drive real growth with PW Skills.

โณ 2 Hours | High-Impact Learning

Secure your spot now before itโ€™s gone - https://tinyurl.com/3dzsw8my
โค2๐Ÿ‘1
Quick recap of essential SQL basics ๐Ÿ˜„๐Ÿ‘‡

SQL is a domain-specific language used for managing and querying relational databases. It's crucial for interacting with databases, retrieving, storing, updating, and deleting data. Here are some fundamental SQL concepts:

1. Database
- A database is a structured collection of data. It's organized into tables, and SQL is used to manage these tables.

2. Table
- Tables are the core of a database. They consist of rows and columns, and each row represents a record, while each column represents a data attribute.

3. Query
- A query is a request for data from a database. SQL queries are used to retrieve information from tables. The SELECT statement is commonly used for this purpose.

4. Data Types
- SQL supports various data types (e.g., INTEGER, TEXT, DATE) to specify the kind of data that can be stored in a column.

5. Primary Key
- A primary key is a unique identifier for each row in a table. It ensures that each row is distinct and can be used to establish relationships between tables.

6. Foreign Key
- A foreign key is a column in one table that links to the primary key in another table. It creates relationships between tables in a database.

7. CRUD Operations
- SQL provides four primary operations for data manipulation:
- Create (INSERT) - Add new records to a table.
- Read (SELECT) - Retrieve data from one or more tables.
- Update (UPDATE) - Modify existing data.
- Delete (DELETE) - Remove records from a table.

8. WHERE Clause
- The WHERE clause is used in SELECT, UPDATE, and DELETE statements to filter and conditionally manipulate data.

9. JOIN
- JOIN operations are used to combine data from two or more tables based on a related column. Common types include INNER JOIN, LEFT JOIN, and RIGHT JOIN.

10. Index
- An index is a database structure that improves the speed of data retrieval operations. It's created on one or more columns in a table.

11. Aggregate Functions
- SQL provides functions like SUM, AVG, COUNT, MAX, and MIN for performing calculations on groups of data.

12. Transactions
- Transactions are sequences of one or more SQL statements treated as a single unit. They ensure data consistency by either applying all changes or none.

13. Normalization
- Normalization is the process of organizing data in a database to minimize data redundancy and improve data integrity.

14. Constraints
- Constraints (e.g., NOT NULL, UNIQUE, CHECK) are rules that define what data is allowed in a table, ensuring data quality and consistency.

Here is an amazing resources to learn & practice SQL: https://bit.ly/3FxxKPz

Share with credits: https://t.me/sqlspecialist

Hope it helps :)
โค3
๐Ÿ”ฅ Top SQL Projects for Data Analytics ๐Ÿš€

If you're preparing for a Data Analyst role or looking to level up your SQL skills, working on real-world projects is the best way to learn!

Here are some must-do SQL projects to strengthen your portfolio. ๐Ÿ‘‡

๐ŸŸข Beginner-Friendly SQL Projects (Great for Learning Basics)

โœ… Employee Database Management โ€“ Build and query HR data ๐Ÿ“Š
โœ… Library Book Tracking โ€“ Create a database for book loans and returns
โœ… Student Grading System โ€“ Analyze student performance data
โœ… Retail Point-of-Sale System โ€“ Work with sales and transactions ๐Ÿ’ฐ
โœ… Hotel Booking System โ€“ Manage customer bookings and check-ins ๐Ÿจ

๐ŸŸก Intermediate SQL Projects (For Stronger Querying & Analysis)

โšก E-commerce Order Management โ€“ Analyze order trends & customer data ๐Ÿ›’
โšก Sales Performance Analysis โ€“ Work with revenue, profit margins & KPIs ๐Ÿ“ˆ
โšก Inventory Control System โ€“ Optimize stock tracking ๐Ÿ“ฆ
โšก Real Estate Listings โ€“ Manage and analyze property data ๐Ÿก
โšก Movie Rating System โ€“ Analyze user reviews & trends ๐ŸŽฌ

๐Ÿ”ต Advanced SQL Projects (For Business-Level Analytics)

๐Ÿ”น Social Media Analytics โ€“ Track user engagement & content trends
๐Ÿ”น Insurance Claim Management โ€“ Fraud detection & risk assessment
๐Ÿ”น Customer Feedback Analysis โ€“ Perform sentiment analysis on reviews โญ
๐Ÿ”น Freelance Job Platform โ€“ Match freelancers with project opportunities
๐Ÿ”น Pharmacy Inventory System โ€“ Optimize stock levels & prescriptions

๐Ÿ”ด Expert-Level SQL Projects (For Data-Driven Decision Making)

๐Ÿ”ฅ Music Streaming Analysis โ€“ Study user behavior & song trends ๐ŸŽถ
๐Ÿ”ฅ Healthcare Prescription Tracking โ€“ Identify patterns in medicine usage
๐Ÿ”ฅ Employee Shift Scheduling โ€“ Optimize workforce efficiency โณ
๐Ÿ”ฅ Warehouse Stock Control โ€“ Manage supply chain data efficiently
๐Ÿ”ฅ Online Auction System โ€“ Analyze bidding patterns & sales performance ๐Ÿ›๏ธ

๐Ÿ”— Pro Tip: If you're applying for Data Analyst roles, pick 3-4 projects, clean the data, and create interactive dashboards using Power BI/Tableau to showcase insights!

React with โ™ฅ๏ธ if you want detailed explanation of each project

Share with credits: ๐Ÿ‘‡ https://t.me/sqlspecialist

Hope it helps :)
โค3
SQL From Basic to Advanced level

Basic SQL is ONLY 7 commands:
- SELECT
- FROM
- WHERE (also use SQL comparison operators such as =, <=, >=, <> etc.)
- ORDER BY
- Aggregate functions such as SUM, AVERAGE, COUNT etc.
- GROUP BY
- CREATE, INSERT, DELETE, etc.
You can do all this in just one morning.

Once you know these, take the next step and learn commands like:
- LEFT JOIN
- INNER JOIN
- LIKE
- IN
- CASE WHEN
- HAVING (undertstand how it's different from GROUP BY)
- UNION ALL
This should take another day.

Once both basic and intermediate are done, start learning more advanced SQL concepts such as:
- Subqueries (when to use subqueries vs CTE?)
- CTEs (WITH AS)
- Stored Procedures
- Triggers
- Window functions (LEAD, LAG, PARTITION BY, RANK, DENSE RANK)
These can be done in a couple of days.
Learning these concepts is NOT hard at all

- what takes time is practice and knowing what command to use when. How do you master that?
- First, create a basic SQL project
- Then, work on an intermediate SQL project (search online) -

Lastly, create something advanced on SQL with many CTEs, subqueries, stored procedures and triggers etc.

This is ALL you need to become a badass in SQL, and trust me when I say this, it is not rocket science. It's just logic.

Remember that practice is the key here. It will be more clear and perfect with the continous practice

Best telegram channel to learn SQL: https://t.me/sqlanalyst

Data Analyst Jobs๐Ÿ‘‡
https://t.me/jobs_SQL

Join @free4unow_backup for more free resources.

Like this post if it helps ๐Ÿ˜„โค๏ธ

ENJOY LEARNING ๐Ÿ‘๐Ÿ‘
โค9
Data Analyst INTERVIEW QUESTIONS AND ANSWERS
๐Ÿ‘‡๐Ÿ‘‡

1.Can you name the wildcards in Excel?

Ans: There are 3 wildcards in Excel that can ve used in formulas.

Asterisk (*) โ€“ 0 or more characters. For example, Ex* could mean Excel, Extra, Expertise, etc.

Question mark (?) โ€“ Represents any 1 character. For example, R?ain may mean Rain or Ruin.

Tilde (~) โ€“ Used to identify a wildcard character (~, *, ?). For example, If you need to find the exact phrase India* in a list. If you use India* as the search string, you may get any word with India at the beginning followed by different characters (such as Indian, Indiana). If you have to look for Indiaโ€ exclusively, use ~.

Hence, the search string will be india~*. ~ is used to ensure that the spreadsheet reads the following character as is, and not as a wildcard.


2.What is cascading filter in tableau?

Ans: Cascading filters can also be understood as giving preference to a particular filter and then applying other filters on previously filtered data source. Right-click on the filter you want to use as a main filter and make sure it is set as all values in dashboard then select the subsequent filter and select only relevant values to cascade the filters. This will improve the performance of the dashboard as you have decreased the time wasted in running all the filters over complete data source.


3.What is the difference between .twb and .twbx extension?

Ans:
A .twb file contains information on all the sheets, dashboards and stories, but it wonโ€™t contain any information regarding data source. Whereas .twbx file contains all the sheets, dashboards, stories and also compressed data sources. For saving a .twbx extract needs to be performed on the data source. If we forward .twb file to someone else than they will be able to see the worksheets and dashboards but wonโ€™t be able to look into the dataset.


4.What are the various Power BI versions?

Power BI Premium capacity-based license, for example, allows users with a free license to act on content in workspaces with Premium capacity. A user with a free license can only use the Power BI service to connect to data and produce reports and dashboards in My Workspace outside of Premium capacity. They are unable to exchange material or publish it in other workspaces. To process material, a Power BI license with a free or Pro per-user license only uses a shared and restricted capacity. Users with a Power BI Pro license can only work with other Power BI Pro users if the material is stored in that shared capacity. They may consume user-generated information, post material to app workspaces, share dashboards, and subscribe to dashboards and reports. Pro users can share material with users who donโ€™t have a Power BI Pro subscription while workspaces are at Premium capacity.

ENJOY LEARNING ๐Ÿ‘๐Ÿ‘
โค4
โœ… Basic SQL Queries Interview Questions With Answers ๐Ÿ–ฅ๏ธ

1. What does SELECT do
โ€“ SELECT fetches data from a table
โ€“ You choose columns you want to see
Example: SELECT name, salary FROM employees;

2. What does FROM do
โ€“ FROM tells SQL where data lives
โ€“ It specifies the table name
Example: SELECT * FROM customers;

3. What is WHERE clause
โ€“ WHERE filters rows
โ€“ It runs before aggregation
Example: SELECT * FROM orders WHERE status = 'Delivered';

4. Difference between WHERE and HAVING
โ€“ WHERE filters rows before GROUP BY
โ€“ HAVING filters groups after aggregation
Example: WHERE filters orders, HAVING filters total_sales

5. How do you sort data
โ€“ Use ORDER BY
โ€“ Default order is ASC
Example: SELECT * FROM employees ORDER BY salary DESC;

6. How do you sort by multiple columns
โ€“ SQL sorts left to right
Example: SELECT * FROM students ORDER BY class ASC, marks DESC;

7. What is LIMIT
โ€“ LIMIT restricts number of rows returned
โ€“ Useful for top N queries
Example: SELECT * FROM products LIMIT 5;

8. What is OFFSET
โ€“ OFFSET skips rows
โ€“ Used with LIMIT for pagination
Example: SELECT * FROM products LIMIT 5 OFFSET 10;

9. How do you filter on multiple conditions
โ€“ Use AND, OR
Example: SELECT * FROM users WHERE city = 'Delhi' AND age > 25;

10. Difference between AND and OR
โ€“ AND needs all conditions true
โ€“ OR needs one condition true

Quick interview advice
โ€ข Always say execution order: FROM โ†’ WHERE โ†’ SELECT โ†’ ORDER BY โ†’ LIMIT
โ€ข Write clean examples
โ€ข Speak logic first, syntax nextยน

Double Tap โค๏ธ For More
โค6
๐Ÿง  SQL Interview Question (Top-N per Group + Tie Handling - Tricky)
๐Ÿ“Œ

scores(student_id, subject, marks)

โ“ Ques :

๐Ÿ‘‰ Find students who scored the highest marks in each subject.

๐Ÿ‘‰ If multiple students have the same top score, include all of them (handle ties).

๐Ÿงฉ How Interviewers Expect You to Think

โ€ข Group data by subject ๐Ÿ“š
โ€ข Identify highest marks within each group
โ€ข Handle ties correctly (donโ€™t lose rows)
โ€ข Use window functions (RANK vs ROW_NUMBER)

๐Ÿ’ก SQL Solution

SELECT
student_id,
subject,
marks
FROM (
SELECT
scores.student_id,
scores.subject,
scores.marks,
RANK() OVER (
PARTITION BY scores.subject
ORDER BY scores.marks DESC
) AS rnk
FROM scores
) ranked_scores
WHERE ranked_scores.rnk = 1;

๐Ÿ”ฅ Why This Question Is Powerful

โ€ข Tests Top-N per group (very common pattern) ๐Ÿง 
โ€ข Checks understanding of RANK vs ROW_NUMBER

โค๏ธ React if you want more real interview-level SQL questions ๐Ÿš€
โค14
Learn Ai in 2026 โ€”Absolutely FREE!๐Ÿš€

๐Ÿ’ธ Cost: ~โ‚น10,000~ โ‚น0 (FREE!)

What youโ€™ll learn:
โœ… 25+ Powerful AI Tools 
โœ… Crack Interviews with Ai 
โœ… Build Websites in seconds 
โœ… Make Videos  PPT 

Enroll Now (free): https://tinyurl.com/Free-Ai-Course-a

โš ๏ธ Register  Get Ai Certificate for resume
โค3
โœ… Core SQL Interview Questions With Answers ๐Ÿ–ฅ๏ธ

1 What is SQL
โ€ข SQL stands for Structured Query Language
โ€ข You use it to read and manage data in relational databases
โ€ข Used in MySQL, PostgreSQL, SQL Server, Oracle

2 What is an RDBMS
โ€ข Relational Database Management System
โ€ข Stores data in tables with rows and columns
โ€ข Uses keys to link tables
โ€ข Example. Customer table linked to Orders table using customer_id

3 What is a table
โ€ข Structured storage for data
โ€ข Rows are records
โ€ข Columns are attributes
โ€ข Example. One row equals one customer

4 What is a primary key
โ€ข Uniquely identifies each row
โ€ข Cannot be NULL
โ€ข No duplicate values
โ€ข Example. user_id in users table

5 What is a foreign key
โ€ข Links one table to another
โ€ข Refers to a primary key in another table
โ€ข Allows duplicate values
โ€ข Example. user_id in orders table

6 Difference between primary key and foreign key
โ€ข Primary key ensures uniqueness
โ€ข Foreign key ensures relationship
โ€ข One table can have one primary key
โ€ข One table can have multiple foreign keys

7 What is NULL
โ€ข Represents missing or unknown value
โ€ข Not equal to zero or empty string
โ€ข Use IS NULL or IS NOT NULL to check

8 What are constraints
โ€ข Rules applied on columns
โ€ข Maintain data quality
โ€ข Common constraints
โ€“ NOT NULL
โ€“ UNIQUE
โ€“ PRIMARY KEY
โ€“ FOREIGN KEY
โ€“ CHECK

9 What are data types
โ€ข Define type of data stored
โ€ข Common types
โ€“ INT for numbers
โ€“ VARCHAR for text
โ€“ DATE for dates
โ€“ FLOAT or DECIMAL for decimals

10 Interview tip you must remember
โ€ข Always explain with a small example
โ€ข Speak logic before syntax
โ€ข Keep answers short and direct

Double Tap โค๏ธ For More
โค13
๐Ÿš€Greetings from PVR Cloud Tech!! ๐ŸŒˆ

๐Ÿ”ฅ Do you want to become a Master in Azure Cloud Data Engineering?

(DataFactory + Databricks with PySpark + Microsoft Fabric)

If you're ready to build in-demand skills and unlock exciting career opportunities,
this is the perfect place to start!

๐Ÿ“Œ Start Date: 6th April 2026

โฐ Time: 08 PM โ€“ 09 PM IST | Monday

๐Ÿ”— ๐ˆ๐ง๐ญ๐ž๐ซ๐ž๐ฌ๐ญ๐ž๐ ๐ข๐ง ๐€๐ณ๐ฎ๐ซ๐ž ๐ƒ๐š๐ญ๐š ๐„๐ง๐ ๐ข๐ง๐ž๐ž๐ซ๐ข๐ง๐  ๐ฅ๐ข๐ฏ๐ž ๐ฌ๐ž๐ฌ๐ฌ๐ข๐จ๐ง๐ฌ?

๐Ÿ‘‰ Message us on WhatsApp:

https://wa.me/917032678595?text=Interested_to_join_Azure_Data_Engineering_live_sessions

๐Ÿ”น Course Content:

https://drive.google.com/file/d/1QKqhRMHx2SDNDTmPAf3_54fA6LljKHm6/view

๐Ÿ“ฑ Join WhatsApp Group:

https://chat.whatsapp.com/GCdcWr7v5JI1taguJrgU9j

๐Ÿ“ฅ Register Now:

https://forms.gle/UZJoAojmiqyVDfe2A

๐Ÿ“บ WhatsApp Channel:

https://www.whatsapp.com/channel/0029Vb60rGU8V0thkpbFFW2n

Team 
PVR Cloud Tech :) 
+91-9346060794
โค1