const rl = require("readline").createInterface({ input: process.stdin });
var iter = rl[Symbol.asyncIterator]();
const readline = async () => (await iter.next()).value;
void (async function () {
const [n, m, k] = (await readline()).split(" ").map(Number);
const matrix = [];
for (let i = 0; i < n; i++) {
matrix.push((await readline()).split(" "));
}
let ans = 0;
const visited = new Array(n).fill(0).map(() => new Array(m).fill(false));
const bfs = (i, j) => {
let count = 0;
if (matrix[i][j] == "E") {
count++;
}
visited[i][j] = true;
const queue = [[i, j]];
const offsets = [
[0, 1],
[1, 0],
[0, -1],
[-1, 0],
];
while (queue.length > 0) {
const [x, y] = queue.shift();
for (const [dx, dy] of offsets) {
const newX = x + dx;
const newY = y + dy;
if (
newX >= 0 &&
newX < n &&
newY >= 0 &&
newY < m &&
matrix[newX][newY] !== "#" &&
!visited[newX][newY]
) {
visited[newX][newY] = true;
queue.push([newX, newY]);
if (matrix[newX][newY] == "E") {
count++;
}
}
}
}
return count < k;
};
for (let i = 0; i < n; i++) {
for (let j = 0; j < m; j++) {
if (!visited[i][j] && matrix[i][j] !== "#") {
if (bfs(i, j)) ans++;
}
}
}
console.log(ans);
})();