import java.util.*;
// dfs
class Main {
public static void main (String[] args) {
Main main = new Main();
Scanner sc = new Scanner(System.in);
int n = sc.nextInt();
int m = sc.nextInt();
int[][] island = new int[n][m];
for (int i = 0; i < n; ++i) {
for (int j = 0; j < m; ++j) {
island[i][j] = sc.nextInt();
}
}
int result = main.getIslandNum(island);
System.out.println(result);
}
public int getIslandNum(int[][] island) {
int numsIsland = 0;
int row = island.length;
int col = island[0].length;
for (int i = 0; i < row; ++i) {
for (int j = 0; j < col; ++j) {
if (island[i][j] == 1) {
++numsIsland;
dfs(island, i, j);
}
}
}
return numsIsland;
}
public void dfs(int[][] island, int x, int y) {
int row = island.length;
int col = island[0].length;
if (x < 0 || y < 0 || x >= row || y >= col || island[x][y] == 0) {
return;
}
island[x][y] = 0; // 标记为已经访问
dfs(island, x, y + 1);
dfs(island, x, y - 1);
dfs(island, x + 1, y);
dfs(island, x - 1, y);
}
}