Data Analytics – Telegram
Data Analytics
108K subscribers
126 photos
2 files
791 links
Perfect channel to learn Data Analytics

Learn SQL, Python, Alteryx, Tableau, Power BI and many more

For Promotions: @coderfun @love_data
Download Telegram
Data Analytics
SQL Interview Questions with detailed answers: 9️⃣ What is the difference between UNION and UNION ALL? Both UNION and UNION ALL are used to combine the results of two or more SELECT queries, but they handle duplicate records differently. 1️⃣ UNION (Removes…
SQL Interview Questions with detailed answers:

🔟 How do you calculate a running total in SQL?

A running total (also known as a cumulative sum) is the sum of values up to the current row. You can calculate it using window functions like SUM() OVER().

Using SUM() with OVER() (Best Approach)

SELECT employee_id, salary, SUM(salary) OVER (ORDER BY employee_id) AS running_total FROM employees;


Explanation:
SUM(salary) OVER (ORDER BY employee_id) calculates a cumulative sum.
The ORDER BY employee_id ensures the total is calculated sequentially.

Running Total Partitioned by a Category

To calculate the running total within groups (e.g., per department): 👇

SELECT department_id, employee_id, salary, SUM(salary) OVER (PARTITION BY department_id ORDER BY employee_id) AS running_total FROM employees;


Top 20 SQL Interview Questions

Like this post if you want me to continue this SQL Interview Series♥️

Share with credits: https://news.1rj.ru/str/sqlspecialist

Hope it helps :)
👍251🎉1👌1
Which of the following aggregate function is used to calculate mean in SQL?
Anonymous Quiz
13%
SUM()
52%
MEAN()
3%
MIN()
32%
AVG()
👍138🔥1🥰1👌1
If you want to Excel at using the most used database language in the world, learn these powerful SQL features:

Wildcards (%, _) – Flexible pattern matching
Window Functions – ROW_NUMBER(), RANK(), DENSE_RANK(), LEAD(), LAG()
Common Table Expressions (CTEs) – WITH for better readability
Recursive Queries – Handle hierarchical data
STRING Functions – LEFT(), RIGHT(), LEN(), TRIM(), UPPER(), LOWER()
Date Functions – DATEDIFF(), DATEADD(), FORMAT()
Pivot & Unpivot – Transform row data into columns
Aggregate Functions – SUM(), AVG(), COUNT(), MIN(), MAX()
Joins & Self Joins – Master INNER, LEFT, RIGHT, FULL, SELF JOIN
Indexing – Speed up queries with CREATE INDEX

Like it if you need a complete tutorial on all these topics! 👍❤️

#sql
👍2913👎1
Changed the channel name from "Data Analysts" to "Data Analytics" as moving further I've decided to also teach Data Science, AI, and the latest industry trends to help you stay ahead!

If you support this change, react with a like ❤️
112👍28🎉3🔥2
Data Analytics
SQL Interview Questions with detailed answers: 🔟 How do you calculate a running total in SQL? A running total (also known as a cumulative sum) is the sum of values up to the current row. You can calculate it using window functions like SUM() OVER(). Using…
SQL Interview Questions with detailed answers:

1️⃣1️⃣ How does a self-join work? Give an example.

A self-join is when a table joins with itself. It is useful for comparing rows within the same table, such as finding employees and their managers.

Example:

Find Employee-Manager Relationships


SELECT e1.employee_id AS Employee, e1.name AS Employee_Name, e2.employee_id AS Manager, e2.name AS Manager_Name FROM employees e1 JOIN employees e2 ON e1.manager_id = e2.employee_id; 


Explanation:
e1 represents employees.
e2 represents managers.
The join condition e1.manager_id = e2.employee_id matches employees to their managers.

Top 20 SQL Interview Questions

Like this post if you want me to continue this SQL Interview Series♥️

Share with credits: https://news.1rj.ru/str/sqlspecialist

Hope it helps :)
👍1710
Which of the following window function is used to return the rank of each record in the current result set without skipping values if the preceding results are identical?
Anonymous Quiz
20%
ROW_NUNBER()
33%
RANK()
4%
LAG()
43%
DENSE_RANK()
👍136👎3
If you want to Excel as a Data Analyst and land a high-paying job, master these essential skills:

1️⃣ Data Extraction & Processing:
SQL – SELECT, JOIN, GROUP BY, CTE, WINDOW FUNCTIONS
Python/R for Data Analysis – Pandas, NumPy, Matplotlib, Seaborn
Excel – Pivot Tables, VLOOKUP, XLOOKUP, Power Query

2️⃣ Data Cleaning & Transformation:
Handling Missing Data – COALESCE(), IFNULL(), DROPNA()
Data Normalization – Removing duplicates, standardizing formats
ETL Process – Extract, Transform, Load

3️⃣ Exploratory Data Analysis (EDA):
Denoscriptive Statistics – Mean, Median, Mode, Variance, Standard Deviation
Data Visualization – Bar Charts, Line Charts, Heatmaps, Histograms

4️⃣ Business Intelligence & Reporting:
Power BI & Tableau – Dashboards, DAX, Filters, Drill-through
Google Data Studio – Interactive reports

5️⃣ Data-Driven Decision Making:
A/B Testing – Hypothesis testing, P-values
Forecasting & Trend Analysis – Time Series Analysis
KPI & Metrics Analysis – ROI, Churn Rate, Customer Segmentation

6️⃣ Data Storytelling & Communication:
Presentation Skills – Explain insights to non-technical stakeholders
Dashboard Best Practices – Clean UI, relevant KPIs, interactive visuals

7️⃣ Bonus: Automation & AI Integration
SQL Query Optimization – Improve query performance
Python Scripting – Automate repetitive tasks
ChatGPT & AI Tools – Enhance productivity

Like this post if you need a complete tutorial on all these topics! 👍❤️

Share with credits: https://news.1rj.ru/str/sqlspecialist

Hope it helps :)

#dataanalysts
👍5628🔥5🥰5👏4👎1👌1
Which of the following tool/library is not used for data visualization?
Anonymous Quiz
11%
Power BI
3%
Tableau
15%
Matplotlib
72%
Django
👍19🔥2🥰2
Which of the following SQL join is used to combine each row of one table with each row of another table, and return the Cartesian product of the sets of rows from the tables that are joined?
Anonymous Quiz
12%
LEFT JOIN
16%
SELF JOIN
7%
RIGHT JOIN
65%
CROSS JOIN
👍20🔥21
SQL Interview Questions with detailed answers:

1️⃣2️⃣ What is a window function, and how is it different from GROUP BY?

A window function performs calculations across a set of table rows related to the current row, without collapsing the result set like GROUP BY.

Key Differences Between Window Functions and GROUP BY:

1️⃣ Window functions retain all rows, while GROUP BY collapses data into a smaller result set.

2️⃣ Window functions use aggregate functions like SUM(), AVG(), and RANK(), but they do not group data; instead, they compute results for each row individually within a defined window.

3️⃣ GROUP BY does not allow row-wise calculations, whereas window functions can provide rankings, running totals, and moving averages while keeping the original data intact.

4️⃣ Window functions support partitions, meaning they can reset calculations within groups using PARTITION BY. In contrast, GROUP BY always groups the entire dataset based on specified columns.

Example of a Window Function (SUM() Over a Window)

SELECT employee_id, department_id, salary, SUM(salary) OVER (PARTITION BY department_id ORDER BY employee_id) AS running_total FROM employees; 


Here, SUM(salary) is calculated for each department separately, but all rows remain in the result.

Example of GROUP BY (Aggregates Data)

SELECT department_id, SUM(salary) FROM employees GROUP BY department_id; 


In this case, the result shows only one row per department, removing individual employee details.

Top 20 SQL Interview Questions

Like this post if you want me to continue this SQL Interview Series♥️

Share with credits: https://news.1rj.ru/str/sqlspecialist

Hope it helps :)
👍156
Data Analytics
If you want to Excel as a Data Analyst and land a high-paying job, master these essential skills: 1️⃣ Data Extraction & Processing: • SQL – SELECT, JOIN, GROUP BY, CTE, WINDOW FUNCTIONS • Python/R for Data Analysis – Pandas, NumPy, Matplotlib, Seaborn • Excel…
Let me start with teaching each topic one by one.

Let's start with SQL first, as it's one of the most important skills.

Topic 1: SQL Basics for Data Analysts

SQL (Structured Query Language) is used to retrieve, manipulate, and analyze data stored in databases.

1️⃣ Understanding Databases & Tables

Databases store structured data in tables.

Tables contain rows (records) and columns (fields).

Each column has a specific data type (INTEGER, VARCHAR, DATE, etc.).

2️⃣ Basic SQL Commands

Let's start with some fundamental queries:

🔹 SELECT – Retrieve Data

SELECT * FROM employees; -- Fetch all columns from 'employees' table SELECT name, salary FROM employees; -- Fetch specific columns 

🔹 WHERE – Filter Data

SELECT * FROM employees WHERE department = 'Sales'; -- Filter by department SELECT * FROM employees WHERE salary > 50000; -- Filter by salary 


🔹 ORDER BY – Sort Data

SELECT * FROM employees ORDER BY salary DESC; -- Sort by salary (highest first) SELECT name, hire_date FROM employees ORDER BY hire_date ASC; -- Sort by hire date (oldest first) 


🔹 LIMIT – Restrict Number of Results

SELECT * FROM employees LIMIT 5; -- Fetch only 5 rows SELECT * FROM employees WHERE department = 'HR' LIMIT 10; -- Fetch first 10 HR employees 


🔹 DISTINCT – Remove Duplicates

SELECT DISTINCT department FROM employees; -- Show unique departments 


Mini Task for You: Try to write an SQL query to fetch the top 3 highest-paid employees from an "employees" table.

You can find free SQL Resources here
👇👇
https://news.1rj.ru/str/mysqldata

Like this post if you want me to continue covering all the topics! 👍❤️

Share with credits: https://news.1rj.ru/str/sqlspecialist

Hope it helps :)

#sql
19👍11👏2
Which of the following is case sensitive language?
Anonymous Quiz
73%
Python
27%
SQL
👍2
Data Analytics
SQL Interview Questions with detailed answers: 1️⃣2️⃣ What is a window function, and how is it different from GROUP BY? A window function performs calculations across a set of table rows related to the current row, without collapsing the result set like…
SQL Interview Questions with detailed answers

1️⃣3️⃣ How do you detect and remove duplicate records in SQL?

Detecting Duplicate Records:
To find duplicate rows based on specific columns, use GROUP BY with HAVING COUNT(*) > 1:

SELECT employee_id, department_id, COUNT(*) FROM employees GROUP BY employee_id, department_id HAVING COUNT(*) > 1; 


This retrieves records where the same employee_id and department_id appear more than once.

Removing Duplicates Using ROW_NUMBER():
To delete duplicates while keeping only one occurrence, use ROW_NUMBER():

WITH CTE AS ( SELECT *, ROW_NUMBER() OVER (PARTITION BY employee_id, department_id ORDER BY employee_id) AS row_num FROM employees ) DELETE FROM employees WHERE employee_id IN (SELECT employee_id FROM CTE WHERE row_num > 1); 

Alternative: Deleting Using DISTINCT and a Temp Table
If ROW_NUMBER() is not supported, you can create a temporary table:

CREATE TABLE employees_temp AS SELECT DISTINCT * FROM employees; DROP TABLE employees; ALTER TABLE employees_temp RENAME TO employees; 


This removes duplicates by keeping only distinct records.

Top 20 SQL Interview Questions

Like this post if you want me to continue this SQL Interview Series♥️

Share with credits: https://news.1rj.ru/str/sqlspecialist

Hope it helps :)
15👍15👏1
Data Analytics
SQL Interview Questions with detailed answers 1️⃣3️⃣ How do you detect and remove duplicate records in SQL? Detecting Duplicate Records: To find duplicate rows based on specific columns, use GROUP BY with HAVING COUNT(*) > 1: SELECT employee_id, department_id…
SQL Interview Questions with detailed answers:

1️⃣4️⃣ Explain the difference between EXISTS and IN.

Both EXISTS and IN are used to filter data based on a subquery, but they work differently in terms of performance and execution.

Key Differences Between EXISTS and IN:

1️⃣ EXISTS checks for the existence of rows in a subquery and returns TRUE if at least one row is found. It stops checking once a match is found, making it more efficient for large datasets.
2️⃣ IN checks if a value is present in a list of values returned by a subquery. It evaluates all rows, which can be slower if the subquery returns a large number of results.
3️⃣ EXISTS is preferred for correlated subqueries, where the inner query depends on the outer query.
4️⃣ IN is generally better for small, fixed lists of values but can be inefficient for large subquery results.

Example of EXISTS:

SELECT employee_id, name FROM employees e WHERE EXISTS ( SELECT 1 FROM departments d WHERE d.department_id = e.department_id ); 


Here, EXISTS checks if a matching department_id exists in the departments table and returns TRUE as soon as it finds a match.

Example of IN:

SELECT employee_id, name FROM employees WHERE department_id IN (SELECT department_id FROM departments); 


In this case, IN retrieves all department_id values from the departments table and checks each row in the employees table against this list.

Top 20 SQL Interview Questions

Like this post if you want me to continue this SQL Interview Series♥️

Share with credits: https://news.1rj.ru/str/sqlspecialist

Hope it helps :)
👍118🔥1
If you want to Excel at Power BI and become a data visualization pro, master these essential features:

DAX Functions – SUMX(), CALCULATE(), FILTER(), ALL()
Power Query – Clean & transform data efficiently
Data Modeling – Relationships, star & snowflake schemas
Measures vs. Calculated Columns – When & how to use them
Time Intelligence – TOTALYTD(), DATESINPERIOD(), PREVIOUSMONTH()
Custom Visuals – Go beyond default charts
Drill-Through & Drill-Down – Interactive insights
Row-Level Security (RLS) – Control data access
Bookmarks & Tooltips – Enhance dashboard storytelling
Performance Optimization – Speed up slow reports

Like it if you need a complete tutorial on all these topics! 👍❤️

Free Power BI Resources: 👇 https://news.1rj.ru/str/PowerBI_analyst

Share with credits: https://news.1rj.ru/str/sqlspecialist

Hope it helps :)
👍245🥰2👏2
If you want to Excel as a Data Analyst, master these powerful skills:

SQL Queries – SELECT, JOINs, GROUP BY, CTEs, Window Functions
Excel Functions – VLOOKUP, XLOOKUP, PIVOT TABLES, POWER QUERY
Data Cleaning – Handle missing values, duplicates, and inconsistencies
Python for Data Analysis – Pandas, NumPy, Matplotlib, Seaborn
Data Visualization – Create dashboards in Power BI/Tableau
Statistical Analysis – Hypothesis testing, correlation, regression
ETL Process – Extract, Transform, Load data efficiently
Business Acumen – Understand industry-specific KPIs
A/B Testing – Data-driven decision-making
Storytelling with Data – Present insights effectively

Like it if you need a complete tutorial on all these topics! 👍❤️
👍404
SQL Interview Questions with detailed answers:

1️⃣5️⃣ What is the purpose of COALESCE()?

The COALESCE() function is used to return the first non-NULL value from a list of expressions. It is commonly used to handle missing values in SQL queries.

Why Use COALESCE()?

1️⃣ Replaces NULL values with a default or fallback value.
2️⃣ Prevents NULL-related errors in calculations and reports.
3️⃣ Improves data presentation by ensuring meaningful values appear instead of NULLs.

Example: Replacing NULLs in a Column

SELECT employee_id, name, COALESCE(salary, 0) AS salary FROM employees; 


Here, if salary is NULL, it will be replaced with 0.

Example: Selecting the First Non-NULL Value

SELECT employee_id, COALESCE(phone_number, email, 'No Contact Info') AS contact FROM employees; 


This returns phone_number if available; otherwise, it returns email. If both are NULL, it defaults to 'No Contact Info'.

Top 20 SQL Interview Questions

Like this post if you want me to continue this SQL Interview Series♥️

Share with credits: https://news.1rj.ru/str/sqlspecialist

Hope it helps :)
👍137👏2
Which of the following python library is primarily used for data manipulation and analysis?
Anonymous Quiz
88%
Pandas
7%
Scikit learn
3%
Javanoscript
2%
Keras
👍121
If you want to Excel at Tableau and become a data visualization expert, master these essential features:

• Calculated Fields – Create custom metrics
• LOD Expressions – FIXED, INCLUDE, EXCLUDE for advanced aggregations
• Table Calculations – RANK(), WINDOW_SUM(), RUNNING_TOTAL()
• Data Blending vs. Joins – Combine data efficiently
• Parameters – Create interactive dashboards
• Dual-Axis & Combined Charts – Advanced visual storytelling
• Filters & Context Filters – Optimize performance
• Dashboard Actions – Make reports interactive
• Storytelling with Data – Present insights effectively
• Performance Optimization – Speed up slow dashboards

Free Tableau Resources: 👇 https://whatsapp.com/channel/0029VasYW1V5kg6z4EHOHG1t

Like it if you need a complete tutorial on all these topics! 👍❤️

Share with credits: https://news.1rj.ru/str/sqlspecialist

Hope it helps :)
👍122
If you want to Excel in Data Science and become an expert, master these essential concepts:

Core Data Science Skills:

• Python for Data Science – Pandas, NumPy, Matplotlib, Seaborn
• SQL for Data Extraction – SELECT, JOIN, GROUP BY, CTEs, Window Functions
• Data Cleaning & Preprocessing – Handling missing data, outliers, duplicates
• Exploratory Data Analysis (EDA) – Visualizing data trends

Machine Learning (ML):

• Supervised Learning – Linear Regression, Decision Trees, Random Forest
• Unsupervised Learning – Clustering, PCA, Anomaly Detection
• Model Evaluation – Cross-validation, Confusion Matrix, ROC-AUC
• Hyperparameter Tuning – Grid Search, Random Search

Deep Learning (DL):

• Neural Networks – TensorFlow, PyTorch, Keras
• CNNs & RNNs – Image & sequential data processing
• Transformers & LLMs – GPT, BERT, Stable Diffusion

Big Data & Cloud Computing:

• Hadoop & Spark – Handling large datasets
• AWS, GCP, Azure – Cloud-based data science solutions
• MLOps – Deploy models using Flask, FastAPI, Docker

Statistics & Mathematics for Data Science:

• Probability & Hypothesis Testing – P-values, T-tests, Chi-square
• Linear Algebra & Calculus – Matrices, Vectors, Derivatives
• Time Series Analysis – ARIMA, Prophet, LSTMs

Real-World Applications:

• Recommendation Systems – Personalized AI suggestions
• NLP (Natural Language Processing) – Sentiment Analysis, Chatbots
• AI-Powered Business Insights – Data-driven decision-making

Like this post if you need a complete tutorial on essential data science topics! 👍❤️

Share with credits: https://news.1rj.ru/str/sqlspecialist

Hope it helps :)
👍2015👌1
Data Analytics
SQL Interview Questions with detailed answers: 1️⃣5️⃣ What is the purpose of COALESCE()? The COALESCE() function is used to return the first non-NULL value from a list of expressions. It is commonly used to handle missing values in SQL queries. Why Use…
SQL Interview Questions with detailed answers:

1️⃣6️⃣ How do you optimize a slow SQL query?

Optimizing SQL queries is essential for improving database performance. Here are key techniques to speed up slow queries:

1️⃣ Use Indexing
Indexes help the database retrieve data faster. Adding an index on frequently used columns can improve performance.

CREATE INDEX idx_employee_id ON employees(employee_id);


2️⃣ Avoid SELECT *
Fetching unnecessary columns slows down queries. Select only required columns instead of using SELECT *.

SELECT employee_id, name FROM employees; 


3️⃣ Use EXISTS Instead of IN
EXISTS is faster than IN when dealing with subqueries because it stops checking once it finds a match.

SELECT name FROM employees e WHERE EXISTS (SELECT 1 FROM departments d WHERE d.department_id = e.department_id); 


4️⃣ Optimize Joins
Use appropriate join types (INNER JOIN, LEFT JOIN, etc.) and ensure the joined columns are indexed.

SELECT e.name, d.department_name FROM employees e JOIN departments d ON e.department_id = d.department_id; 


5️⃣ Use LIMIT for Large Datasets
If you only need a subset of data, use LIMIT to fetch fewer rows.

SELECT * FROM employees LIMIT 100; 


6️⃣ Partition Large Tables
Partitioning helps divide large tables into smaller chunks, improving query performance.

CREATE TABLE employees_2024 PARTITION OF employees FOR VALUES FROM ('2024-01-01') TO ('2024-12-31'); 


7️⃣ Analyze and Use Query Execution Plans
Use EXPLAIN ANALYZE to understand how a query is executed and find bottlenecks.

EXPLAIN ANALYZE SELECT * FROM employees WHERE salary > 50000; 


Optimizing queries depends on the database structure and data size.


Top 20 SQL Interview Questions

Like this post if you want me to continue this SQL Interview Series♥️

Share with credits: https://news.1rj.ru/str/sqlspecialist

Hope it helps :)
👍2413