const rl = require("readline").createInterface({ input: process.stdin });
var iter = rl[Symbol.asyncIterator]();
const readline = async () => (await iter.next()).value;
void (async function () {
const row = Number(await readline());
const tate = Number(await readline());
const matrix = [];
for (let i = 0; i < row; i++) {
matrix.push((await readline()).split(" ").map(Number));
}
const visited = new Array(row).fill(0).map(() => new Array(tate).fill(false));
const offsets = [
[0, 1],
[1, 0],
[0, -1],
[-1, 0],
];
const bfs = (i, j) => {
const line = [];
line.push(matrix[i][j]);
const queue = [[i, j]];
visited[i][j] = true;
while (queue.length > 0) {
const [x, y] = queue.shift();
if (x === row - 1 && y === tate - 1) {
return line;
}
let maxLen = -Infinity;
let bastIdx = [];
for (const [dx, dy] of offsets) {
const nx = x + dx;
const ny = y + dy;
if (nx >= 0 && nx < row && ny >= 0 && ny < tate && !visited[nx][ny]) {
const val = matrix[nx][ny];
if (val > maxLen) {
maxLen = val;
bastIdx = [nx, ny];
}
}
}
if (maxLen !== -Infinity) {
queue.push(bastIdx);
visited[bastIdx[0]][bastIdx[1]] = true;
line.push(maxLen);
}
}
return line;
};
const result = bfs(0, 0);
console.log(Math.min(...result));
})();