Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

Java program to count pairs in an array whose sum is less than given number x #261

Open
wants to merge 1 commit into
base: master
Choose a base branch
from
Open
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
52 changes: 52 additions & 0 deletions sumofpairslessthanx
Original file line number Diff line number Diff line change
@@ -0,0 +1,52 @@
// Java program to count pairs in an array
// whose sum is less than given number x
class sum {

// Function to count pairs in array
// with sum less than x.
static int findPairs(int arr[], int n, int x)
{

int l = 0, r = n - 1;
int result = 0;

while (l < r)
{

// If current left and current
// right have sum smaller than x,
// the all elements from l+1 to r
// form a pair with current l.
if (arr[l] + arr[r] <= x)
{
System.out.println(arr[l]+" "+arr[r]);
result += (r - l);
l++;
}

// Move to smaller value
else
r--;
}

return result;
}

// Driver method
public static void main(String[] args)
{
int n1 = 100;
int arr[] = new int[n1];
for(int i =0;i<n1;i++)
arr[i] = i+1;

for(int i =0;i<n1;i++)
System.out.println(arr[i]);
int n = arr.length;
int x = n1+1;

System.out.print(findPairs(arr, n, x));
}
}

// This code is contributed by Anant Agarwal.