#include <bits/stdc++.h>
using namespace std;
bool canAchieveTarget(long long n, long long k, long long target) {
// To make all elements at least `target`, each element needs to be incremented to `target`
// The total operations needed to achieve this
long long requiredOps = target * n; // Total operations needed to set all elements to `target`
return k >= requiredOps; // Check if we have enough operations
}
void solve() {
long long n, k;
cin >> n >> k;
// Binary search for the maximum value of `target` (Y)
long long left = 0, right = k / n, bestTarget = 0;
while (left <= right) {
long long mid = (left + right) / 2;
if (canAchieveTarget(n, k, mid)) {
bestTarget = mid;
left = mid + 1; // Try for a larger target
} else {
right = mid - 1; // Try for a smaller target
}
}
// The final result is X * Y, where X = K - (N * bestTarget)
long long X = k - (n * bestTarget);
long long Y = bestTarget;
cout << X * Y << endl;
}
int main() {
ios_base::sync_with_stdio(false);
cin.tie(0);
int t;
cin >> t;
while (t--) {
solve();
}
return 0;
}