Sum of all elements between k1'th and k2'th smallest elements
Last Updated :
23 Jul, 2025
Given an array of integers and two numbers k1 and k2. Find the sum of all elements between given two k1'th and k2'th smallest elements of the array. It may be assumed that (1 <= k1 < k2 <= n) and all elements of array are distinct.
Examples :
Input : arr[] = {20, 8, 22, 4, 12, 10, 14}, k1 = 3, k2 = 6
Output : 26
3rd smallest element is 10. 6th smallest element
is 20. Sum of all element between k1 & k2 is
12 + 14 = 26
Input : arr[] = {10, 2, 50, 12, 48, 13}, k1 = 2, k2 = 6
Output : 73
Method 1 (Sorting): First sort the given array using an O(n log n) sorting algorithm like Merge Sort, Heap Sort, etc and return the sum of all element between index k1 and k2 in the sorted array.
Implementation:
C++
// C++ program to find sum of all element between
// to K1'th and k2'th smallest elements in array
#include <bits/stdc++.h>
using namespace std;
// Returns sum between two kth smallest elements of the array
int sumBetweenTwoKth(int arr[], int n, int k1, int k2)
{
// Sort the given array
sort(arr, arr + n);
/* Below code is equivalent to
int result = 0;
for (int i=k1; i<k2-1; i++)
result += arr[i]; */
return accumulate(arr + k1, arr + k2 - 1, 0);
}
// Driver program
int main()
{
int arr[] = { 20, 8, 22, 4, 12, 10, 14 };
int k1 = 3, k2 = 6;
int n = sizeof(arr) / sizeof(arr[0]);
cout << sumBetweenTwoKth(arr, n, k1, k2);
return 0;
}
Java
// Java program to find sum of all element
// between to K1'th and k2'th smallest
// elements in array
import java.util.Arrays;
class GFG {
// Returns sum between two kth smallest
// element of array
static int sumBetweenTwoKth(int arr[],
int k1, int k2)
{
// Sort the given array
Arrays.sort(arr);
// Below code is equivalent to
int result = 0;
for (int i = k1; i < k2 - 1; i++)
result += arr[i];
return result;
}
// Driver code
public static void main(String[] args)
{
int arr[] = { 20, 8, 22, 4, 12, 10, 14 };
int k1 = 3, k2 = 6;
int n = arr.length;
System.out.print(sumBetweenTwoKth(arr,
k1, k2));
}
}
// This code is contributed by Anant Agarwal.
Python3
# Python program to find sum of
# all element between to K1'th and
# k2'th smallest elements in array
# Returns sum between two kth
# smallest element of array
def sumBetweenTwoKth(arr, n, k1, k2):
# Sort the given array
arr.sort()
result = 0
for i in range(k1, k2-1):
result += arr[i]
return result
# Driver code
arr = [ 20, 8, 22, 4, 12, 10, 14 ]
k1 = 3; k2 = 6
n = len(arr)
print(sumBetweenTwoKth(arr, n, k1, k2))
# This code is contributed by Anant Agarwal.
C#
// C# program to find sum of all element
// between to K1'th and k2'th smallest
// elements in array
using System;
class GFG {
// Returns sum between two kth smallest
// element of array
static int sumBetweenTwoKth(int[] arr, int n,
int k1, int k2)
{
// Sort the given array
Array.Sort(arr);
// Below code is equivalent to
int result = 0;
for (int i = k1; i < k2 - 1; i++)
result += arr[i];
return result;
}
// Driver code
public static void Main()
{
int[] arr = { 20, 8, 22, 4, 12, 10, 14 };
int k1 = 3, k2 = 6;
int n = arr.Length;
Console.Write(sumBetweenTwoKth(arr, n, k1, k2));
}
}
// This code is contributed by nitin mittal.
PHP
<?php
// PHP program to find sum of all element between
// to K1'th and k2'th smallest elements in array
// Returns sum between two kth smallest elements of the array
function sumBetweenTwoKth($arr, $n, $k1, $k2)
{
// Sort the given array
sort($arr);
// Below code is equivalent to
$result = 0;
for ($i = $k1; $i < $k2 - 1; $i++)
$result += $arr[$i];
return $result;
}
// Driver program
$arr = array( 20, 8, 22, 4, 12, 10, 14 );
$k1 = 3;
$k2 = 6;
$n = count($arr);;
echo sumBetweenTwoKth($arr, $n, $k1, $k2);
// This code is contributed by mits
?>
JavaScript
<script>
// Javascript program to find sum of all element
// between to K1'th and k2'th smallest
// elements in array
// Returns sum between two kth smallest
// element of array
function sumBetweenTwoKth(arr, k1 , k2)
{
// Sort the given array
arr.sort(function(a, b){return a - b});
// Below code is equivalent to
var result = 0;
for(var i = k1; i < k2 - 1; i++)
result += arr[i];
return result;
}
// Driver code
var arr = [ 20, 8, 22, 4, 12, 10, 14 ];
var k1 = 3, k2 = 6;
var n = arr.length;
document.write(sumBetweenTwoKth(arr,
k1, k2));
// This code is contributed by shikhasingrajput
</script>
Time Complexity: O(n log n)
Auxiliary Space: O(1)
Method 2 (Using Min Heap):
We can optimize the above solution by using a min-heap.
- Create a min heap of all array elements. (This step takes O(n) time)
- Do extract minimum k1 times (This step takes O(K1 Log n) time)
- Do extract minimum k2 - k1 - 1 time and sum all extracted elements. (This step takes O ((K2 - k1) * Log n) time)
Time Complexity Analysis:
- By doing a simple analysis, we can observe that time complexity of step3 [ Determining step for overall time complexity ] can reach to O(nlogn) also.
- Take a look at the following description:
- Time Complexity of step3 is: O((k2-k1)*log(n)) .
- In worst case, (k2-k1) would be almost O(n) [ Assume situation when k1=0 and k2=len(arr)-1 ]
- When O(k2-k1) =O(n) then overall complexity will be O(n* Log n ) .
- but in most cases...it will be lesser than O(n Log n) which is equal to sorting approach described above.
Implementation:
C++
// C++ implementation of above approach
#include <bits/stdc++.h>
using namespace std;
int n = 7;
void minheapify(int a[], int index)
{
int small = index;
int l = 2 * index + 1;
int r = 2 * index + 2;
if (l < n && a[l] < a[small])
small = l;
if (r < n && a[r] < a[small])
small = r;
if (small != index) {
swap(a[small], a[index]);
minheapify(a, small);
}
}
int main()
{
int i = 0;
int k1 = 3;
int k2 = 6;
int a[] = { 20, 8, 22, 4, 12, 10, 14 };
int ans = 0;
for (i = (n / 2) - 1; i >= 0; i--) {
minheapify(a, i);
}
// decreasing value by 1 because we want min heapifying k times and it starts
// from 0 so we have to decrease it 1 time
k1--;
k2--;
// Step 1: Do extract minimum k1 times (This step takes O(K1 Log n) time)
for (i = 0; i <= k1; i++) {
// cout<<a[0]<<endl;
a[0] = a[n - 1];
n--;
minheapify(a, 0);
}
/*Step 2: Do extract minimum k2 – k1 – 1 times and sum all
extracted elements. (This step takes O ((K2 – k1) * Log n) time)*/
for (i = k1 + 1; i < k2; i++) {
// cout<<a[0]<<endl;
ans += a[0];
a[0] = a[n - 1];
n--;
minheapify(a, 0);
}
cout << ans;
return 0;
}
Java
// Java implementation of above approach
class GFG
{
static int n = 7;
static void minheapify(int []a, int index)
{
int small = index;
int l = 2 * index + 1;
int r = 2 * index + 2;
if (l < n && a[l] < a[small])
small = l;
if (r < n && a[r] < a[small])
small = r;
if (small != index)
{
int t = a[small];
a[small] = a[index];
a[index] = t;
minheapify(a, small);
}
}
// Driver code
public static void main (String[] args)
{
int i = 0;
int k1 = 3;
int k2 = 6;
int []a = { 20, 8, 22, 4, 12, 10, 14 };
int ans = 0;
for (i = (n / 2) - 1; i >= 0; i--)
{
minheapify(a, i);
}
// decreasing value by 1 because we want
// min heapifying k times and it starts
// from 0 so we have to decrease it 1 time
k1--;
k2--;
// Step 1: Do extract minimum k1 times
// (This step takes O(K1 Log n) time)
for (i = 0; i <= k1; i++)
{
a[0] = a[n - 1];
n--;
minheapify(a, 0);
}
for (i = k1 + 1; i < k2; i++)
{
// cout<<a[0]<<endl;
ans += a[0];
a[0] = a[n - 1];
n--;
minheapify(a, 0);
}
System.out.println(ans);
}
}
// This code is contributed by mits
Python3
# Python 3 implementation of above approach
n = 7
def minheapify(a, index):
small = index
l = 2 * index + 1
r = 2 * index + 2
if (l < n and a[l] < a[small]):
small = l
if (r < n and a[r] < a[small]):
small = r
if (small != index):
(a[small], a[index]) = (a[index], a[small])
minheapify(a, small)
# Driver Code
i = 0
k1 = 3
k2 = 6
a = [ 20, 8, 22, 4, 12, 10, 14 ]
ans = 0
for i in range((n //2) - 1, -1, -1):
minheapify(a, i)
# decreasing value by 1 because we want
# min heapifying k times and it starts
# from 0 so we have to decrease it 1 time
k1 -= 1
k2 -= 1
# Step 1: Do extract minimum k1 times
# (This step takes O(K1 Log n) time)
for i in range(0, k1 + 1):
a[0] = a[n - 1]
n -= 1
minheapify(a, 0)
# Step 2: Do extract minimum k2 – k1 – 1 times and
# sum all extracted elements.
# (This step takes O ((K2 – k1) * Log n) time)*/
for i in range(k1 + 1, k2) :
ans += a[0]
a[0] = a[n - 1]
n -= 1
minheapify(a, 0)
print (ans)
# This code is contributed
# by Atul_kumar_Shrivastava
C#
// C# implementation of above approach
using System;
class GFG
{
static int n = 7;
static void minheapify(int []a, int index)
{
int small = index;
int l = 2 * index + 1;
int r = 2 * index + 2;
if (l < n && a[l] < a[small])
small = l;
if (r < n && a[r] < a[small])
small = r;
if (small != index)
{
int t = a[small];
a[small] = a[index];
a[index] = t;
minheapify(a, small);
}
}
// Driver code
static void Main()
{
int i = 0;
int k1 = 3;
int k2 = 6;
int []a = { 20, 8, 22, 4, 12, 10, 14 };
int ans = 0;
for (i = (n / 2) - 1; i >= 0; i--)
{
minheapify(a, i);
}
// decreasing value by 1 because we want
// min heapifying k times and it starts
// from 0 so we have to decrease it 1 time
k1--;
k2--;
// Step 1: Do extract minimum k1 times
// (This step takes O(K1 Log n) time)
for (i = 0; i <= k1; i++)
{
// cout<<a[0]<<endl;
a[0] = a[n - 1];
n--;
minheapify(a, 0);
}
/*Step 2: Do extract minimum k2 – k1 – 1 times
and sum all extracted elements. (This step
takes O ((K2 – k1) * Log n) time)*/
for (i = k1 + 1; i < k2; i++)
{
// cout<<a[0]<<endl;
ans += a[0];
a[0] = a[n - 1];
n--;
minheapify(a, 0);
}
Console.Write(ans);
}
}
// This code is contributed by mits
JavaScript
<script>
// Javascript implementation of above approach
let n = 7;
function minheapify(a, index)
{
let small = index;
let l = 2 * index + 1;
let r = 2 * index + 2;
if (l < n && a[l] < a[small])
small = l;
if (r < n && a[r] < a[small])
small = r;
if (small != index)
{
let t = a[small];
a[small] = a[index];
a[index] = t;
minheapify(a, small);
}
}
// Driver code
let i = 0;
let k1 = 3;
let k2 = 6;
let a = [ 20, 8, 22, 4, 12, 10, 14 ];
let ans = 0;
for(i = parseInt(n / 2, 10) - 1; i >= 0; i--)
{
minheapify(a, i);
}
// decreasing value by 1 because we want
// min heapifying k times and it starts
// from 0 so we have to decrease it 1 time
k1--;
k2--;
// Step 1: Do extract minimum k1 times
// (This step takes O(K1 Log n) time)
for(i = 0; i <= k1; i++)
{
a[0] = a[n - 1];
n--;
minheapify(a, 0);
}
for(i = k1 + 1; i < k2; i++)
{
// cout<<a[0]<<endl;
ans += a[0];
a[0] = a[n - 1];
n--;
minheapify(a, 0);
}
document.write(ans);
// This code is contributed by vaibhavrabadiya117
</script>
Time Complexity: O(n + k2 Log n)
Auxiliary Space: O(1)
Method 3 : (Using Max Heap - most optimized )
The Below Idea uses the Max Heap Strategy to find the solution.
Algorithm:
- The idea is to find the Kth Smallest element for the K2 .
- Then just keep an popping the elements until the size of heap is K1, and make sure to add the elements to a variable before popping the elements.
Now the idea revolves around Kth Smallest Finding:
- The CRUX over here is that, we are storing the K smallest elements in the MAX Heap
- So while every push, if the size goes over K, then we pop the Maximum value.
- This way after whole traversal. we are left out with K elements.
- Then the N-K th Largest Element is Popped and given, which is as same as K'th Smallest element.
So by this manner we can write a functional code with using the C++ STL Priority_Queue, we get the most time and space optimized solution.
C++
// C++ program to find sum of all element between
// to K1'th and k2'th smallest elements in array
#include <bits/stdc++.h>
using namespace std;
long long sumBetweenTwoKth(long long A[], long long N,
long long K1, long long K2)
{
// Using max heap to find K1'th and K2'th smallest
// elements
priority_queue<long long> maxH;
// Using this for loop we eliminate the extra elements
// which are greater than K2'th smallest element as they
// are not required for us
for (int i = 0; i < N; i++) {
maxH.push(A[i]);
if (maxH.size() > K2) {
maxH.pop();
}
}
// popping out the K2'th smallest element
maxH.pop();
long long ans = 0;
// adding the elements to ans until we reach the K1'th
// smallest element
while (maxH.size() > K1) {
ans += maxH.top();
maxH.pop();
}
return ans;
}
int main()
{
long long arr[] = { 20, 8, 22, 4, 12, 10, 14 };
long long k1 = 3, k2 = 6;
long long n = sizeof(arr) / sizeof(arr[0]);
cout << sumBetweenTwoKth(arr, n, k1, k2);
return 0;
}
Java
// Java program to find sum of all element between
// to K1'th and k2'th smallest elements in array
import java.util.*;
public class GFG {
static long sumBetweenTwoKth(long A[], long N, long K1,
long K2)
{
// Using max heap to find K1'th and K2'th smallest
// elements
PriorityQueue<Long> maxH = new PriorityQueue<>(
Collections.reverseOrder());
// Using this for loop we eliminate the extra
// elements which are greater than K2'th smallest
// element as they are not required for us
for (int i = 0; i < N; i++) {
maxH.add(A[i]);
if (maxH.size() > K2) {
maxH.remove();
}
}
// popping out the K2'th smallest element
maxH.remove();
long ans = 0;
// adding the elements to ans until we reach the
// K1'th smallest element
while (maxH.size() > K1) {
ans += maxH.peek();
maxH.remove();
}
return ans;
}
public static void main(String[] args)
{
long arr[] = { 20, 8, 22, 4, 12, 10, 14 };
long k1 = 3, k2 = 6;
long n = arr.length;
System.out.println(
sumBetweenTwoKth(arr, n, k1, k2));
}
}
// This code is contributed by karandeep1234
Python3
# Python3 program to find sum of all element between
# to K1'th and k2'th smallest elements in array
def sumBetweenTwoKth(A, N, K1, K2):
# Using max heap to find K1'th and K2'th smallest
# elements
maxH = []
# Using this for loop we eliminate the extra elements
# which are greater than K2'th smallest element as they
# are not required for us
for i in range(0,N):
maxH.append(A[i])
maxH.sort(reverse=True)
if (len(maxH) > K2):
maxH.pop(0)
# popping out the K2'th smallest element
maxH.pop(0)
ans = 0
# adding the elements to ans until we reach the K1'th
# smallest element
while (len(maxH) > K1):
ans += maxH[0]
maxH.pop(0)
return ans
arr = [ 20, 8, 22, 4, 12, 10, 14 ]
k1 = 3
k2 = 6
n = len(arr)
print(sumBetweenTwoKth(arr, n, k1, k2))
# This code is contributed by akashish__
C#
using System;
using System.Collections.Generic;
public class GFG {
public static long sumBetweenTwoKth(long[] A, long N,
long K1, long K2)
{
// Using max heap to find K1'th and K2'th smallest
// elements
SortedSet<long> maxH = new SortedSet<long>();
// Using this for loop we eliminate the extra
// elements which are greater than K2'th smallest
// element as they are not required for us
for (int i = 0; i < N; i++) {
maxH.Add(A[i]);
if (maxH.Count > K2) {
maxH.Remove(maxH.Max);
}
}
// popping out the K2'th smallest element
maxH.Remove(maxH.Max);
long ans = 0;
// adding the elements to ans until we reach the
// K1'th smallest element
while (maxH.Count > K1) {
ans += maxH.Max;
maxH.Remove(maxH.Max);
}
return ans;
}
static public void Main()
{
long[] arr = { 20, 8, 22, 4, 12, 10, 14 };
long k1 = 3, k2 = 6;
long n = arr.Length;
Console.WriteLine(sumBetweenTwoKth(arr, n, k1, k2));
}
}
// This code is contributed by akashish__
JavaScript
// JS program to find sum of all element between
// to K1'th and k2'th smallest elements in array
function PriorityQueue () {
let collection = [];
this.printCollection = function() {
(console.log(collection));
};
this.enqueue = function(element){
if (this.isEmpty()){
collection.push(element);
} else {
let added = false;
for (let i=0; i<collection.length; i++){
if (element[1] < collection[i][1]){ //checking priorities
collection.splice(i,0,element);
added = true;
break;
}
}
if (!added){
collection.push(element);
}
}
};
this.dequeue = function() {
let value = collection.shift();
return value[0];
};
this.front = function() {
return collection[0];
};
this.size = function() {
return collection.length;
};
this.isEmpty = function() {
return (collection.length === 0);
};
}
function sumBetweenTwoKth(A, N, K1, K2)
{
// Using max heap to find K1'th and K2'th smallest
// elements
let maxH = new PriorityQueue();
// Using this for loop we eliminate the extra elements
// which are greater than K2'th smallest element as they
// are not required for us
for (let i = 0; i < N; i++) {
maxH.enqueue(A[i]);
if (maxH.size() > K2) {
maxH.dequeue();
}
}
// popping out the K2'th smallest element
maxH.dequeue();
let ans = 0;
// adding the elements to ans until we reach the K1'th
// smallest element
while (maxH.size() > K1) {
ans += maxH.front();
maxH.dequeue();
}
return ans;
}
let arr = [ 20, 8, 22, 4, 12, 10, 14 ];
let k1 = 3, k2 = 6;
let n = arr.length;
console.log(sumBetweenTwoKth(arr, n, k1, k2));
// This code is contributed by akashish__
Time Complexity: ( N * log K2 ) + ( (K2-K1) * log (K2-K1) ) + O(N) = O(NLogK2) (Dominant Term)
Reasons:
- The Traversal O(N) in the function
- Time Complexity for finding K2'th smallest element is ( N * log K2 )
- Time Complexity for popping ( K2-K1 ) elements is ( (K2-K1) * log (K2-K1) )
- As 1 Insertion takes O(LogK) where K is the size of Heap.
- As 1 Deletion takes O(LogK) where K is the size of Heap.
Extra Space Complexity: O(K2), As we use Heap / Priority Queue and we only store at max K elements, not more than that.
The above Method-3 Idea, Algorithm, and Code are contributed by Balakrishnan R (rbkraj000 - GFG ID).
References : https://www.geeksforgeeks.org/dsa/heap-sort/
other Geeks.
Similar Reads
Basics & Prerequisites
Data Structures
Getting Started with Array Data StructureArray is a collection of items of the same variable type that are stored at contiguous memory locations. It is one of the most popular and simple data structures used in programming. Basic terminologies of ArrayArray Index: In an array, elements are identified by their indexes. Array index starts fr
14 min read
String in Data StructureA string is a sequence of characters. The following facts make string an interesting data structure.Small set of elements. Unlike normal array, strings typically have smaller set of items. For example, lowercase English alphabet has only 26 characters. ASCII has only 256 characters.Strings are immut
2 min read
Hashing in Data StructureHashing is a technique used in data structures that efficiently stores and retrieves data in a way that allows for quick access. Hashing involves mapping data to a specific index in a hash table (an array of items) using a hash function. It enables fast retrieval of information based on its key. The
2 min read
Linked List Data StructureA linked list is a fundamental data structure in computer science. It mainly allows efficient insertion and deletion operations compared to arrays. Like arrays, it is also used to implement other data structures like stack, queue and deque. Hereâs the comparison of Linked List vs Arrays Linked List:
2 min read
Stack Data StructureA Stack is a linear data structure that follows a particular order in which the operations are performed. The order may be LIFO(Last In First Out) or FILO(First In Last Out). LIFO implies that the element that is inserted last, comes out first and FILO implies that the element that is inserted first
2 min read
Queue Data StructureA Queue Data Structure is a fundamental concept in computer science used for storing and managing data in a specific order. It follows the principle of "First in, First out" (FIFO), where the first element added to the queue is the first one to be removed. It is used as a buffer in computer systems
2 min read
Tree Data StructureTree Data Structure is a non-linear data structure in which a collection of elements known as nodes are connected to each other via edges such that there exists exactly one path between any two nodes. Types of TreeBinary Tree : Every node has at most two childrenTernary Tree : Every node has at most
4 min read
Graph Data StructureGraph Data Structure is a collection of nodes connected by edges. It's used to represent relationships between different entities. If you are looking for topic-wise list of problems on different topics like DFS, BFS, Topological Sort, Shortest Path, etc., please refer to Graph Algorithms. Basics of
3 min read
Trie Data StructureThe Trie data structure is a tree-like structure used for storing a dynamic set of strings. It allows for efficient retrieval and storage of keys, making it highly effective in handling large datasets. Trie supports operations such as insertion, search, deletion of keys, and prefix searches. In this
15+ min read
Algorithms
Searching AlgorithmsSearching algorithms are essential tools in computer science used to locate specific items within a collection of data. In this tutorial, we are mainly going to focus upon searching in an array. When we search an item in an array, there are two most common algorithms used based on the type of input
2 min read
Sorting AlgorithmsA Sorting Algorithm is used to rearrange a given array or list of elements in an order. For example, a given array [10, 20, 5, 2] becomes [2, 5, 10, 20] after sorting in increasing order and becomes [20, 10, 5, 2] after sorting in decreasing order. There exist different sorting algorithms for differ
3 min read
Introduction to RecursionThe process in which a function calls itself directly or indirectly is called recursion and the corresponding function is called a recursive function. A recursive algorithm takes one step toward solution and then recursively call itself to further move. The algorithm stops once we reach the solution
14 min read
Greedy AlgorithmsGreedy algorithms are a class of algorithms that make locally optimal choices at each step with the hope of finding a global optimum solution. At every step of the algorithm, we make a choice that looks the best at the moment. To make the choice, we sometimes sort the array so that we can always get
3 min read
Graph AlgorithmsGraph is a non-linear data structure like tree data structure. The limitation of tree is, it can only represent hierarchical data. For situations where nodes or vertices are randomly connected with each other other, we use Graph. Example situations where we use graph data structure are, a social net
3 min read
Dynamic Programming or DPDynamic Programming is an algorithmic technique with the following properties.It is mainly an optimization over plain recursion. Wherever we see a recursive solution that has repeated calls for the same inputs, we can optimize it using Dynamic Programming. The idea is to simply store the results of
3 min read
Bitwise AlgorithmsBitwise algorithms in Data Structures and Algorithms (DSA) involve manipulating individual bits of binary representations of numbers to perform operations efficiently. These algorithms utilize bitwise operators like AND, OR, XOR, NOT, Left Shift, and Right Shift.BasicsIntroduction to Bitwise Algorit
4 min read
Advanced
Segment TreeSegment Tree is a data structure that allows efficient querying and updating of intervals or segments of an array. It is particularly useful for problems involving range queries, such as finding the sum, minimum, maximum, or any other operation over a specific range of elements in an array. The tree
3 min read
Pattern SearchingPattern searching algorithms are essential tools in computer science and data processing. These algorithms are designed to efficiently find a particular pattern within a larger set of data. Patten SearchingImportant Pattern Searching Algorithms:Naive String Matching : A Simple Algorithm that works i
2 min read
GeometryGeometry is a branch of mathematics that studies the properties, measurements, and relationships of points, lines, angles, surfaces, and solids. From basic lines and angles to complex structures, it helps us understand the world around us.Geometry for Students and BeginnersThis section covers key br
2 min read
Interview Preparation
Practice Problem