#include <iostream>
#include <vector>
#include <algorithm>
using namespace std;
int main() {
int T;
cin >> T;
while (T--) {
int N;
string S;
cin >> N >> S;
// Step 1: Count consecutive 1's blocks in the initial string
vector<int> onesBlocks;
int count = 0;
// Counting blocks of consecutive 1's
for (int i = 0; i < N; ++i) {
if (S[i] == '1') {
count++;
} else {
if (count > 0) {
onesBlocks.push_back(count);
}
count = 0;
}
}
if (count > 0) {
onesBlocks.push_back(count); // For trailing 1's
}
// If there are no blocks of 1's at all
if (onesBlocks.empty()) {
cout << 0 << endl;
continue;
}
// Step 2: Strategy Simulation
// Roy's aim: Maximize consecutive 1's
// Emon's aim: Minimize consecutive 1's
// We know that Emon can break any large block of 1's
// The longest block at the end could be at most 1 (since players flip optimally)
// Find the largest block of consecutive 1's initially
int maxConsecutiveOnes = *max_element(onesBlocks.begin(), onesBlocks.end());
// In most cases, the result is either the largest block or 1 (since Emon will break large blocks)
cout << min(maxConsecutiveOnes, 1) << endl;
}
return 0;
}