You are given an image, that can be represented with a 2-d n by m grid of pixels. Each pixel of the image is either on or off, denoted by the characters "0" or "1", respectively. You would like to compress this image. You want to choose an integer k > 1 and split the image into kby k blocks. If n and m are not divisible by k, the image is padded with only zeros on the right and bottom so that they are divisible by k. Each pixel in each individual block must have the same value. The given image may not be compressible in its current state. Find the minimum number of pixels you need to toggle (after padding) in order for the image to be compressible for some k. More specifically, the steps are to first choose k, then the image is padded with zeros, then, we can toggle the pixels so it is compressible for this k. The image must be compressible in that state.
The first line of input will contain two integers n, m (2 ≤ n, m ≤ 2 500), the dimensions of the image.
The next n lines of input will contain a binary string with exactly m characters, representing the image.
Print a single integer, the minimum number of pixels needed to toggle to make the image compressible.
3 5 00100 10110 11001
5
We first choose k = 2.
The image is padded as follows:
001000 101100 110010 000000
We can toggle the image to look as follows:
001100 001100 000000 000000
We can see that this image is compressible for k = 2.
#include<bits/stdc++.h>
#define INF 0X3f3f3f3f
using namespace std;
const int MAXN = 2500+10;
char s[MAXN];
int n,m,j,i,k,a[MAXN],sum[MAXN][MAXN],x,y,ans=INF,res,tmp;
int main(void)
{
scanf("%d%d",&n,&m);
for(i = 1; i <= n; ++i)
for(scanf("%s",s+1),j = 1; j <= m; ++j)
sum[i][j] = sum[i-1][j]+sum[i][j-1]-sum[i-1][j-1]+(s[j]=='1');
for(k = 2; k <= max(n,m); ++k)
{
res = 0;
for(i = k; i-k <= n; i+=k)
{
for(j = k; j-k <= m; j+=k)
{
x = min(n,i); y = min(m,j);
tmp = sum[x][y]-sum[i-k][y]-sum[x][j-k]+sum[i-k][j-k];
res += min(tmp,k*k-tmp);
}
}
ans = min(ans,res);
}
printf("%d\n",ans);
}