Seu arquivo de entrada é:
1 1 1 1 text1
7 9 4 2 text2
2 2 0.5 0.7 text3
5 4 1 2 text4
Com essa entrada, um sort
simples funcionará:
$ sort << EOF
> 1 1 1 1 text1
> 7 9 4 2 text2
> 2 2 0.5 0.7 text3
> 5 4 1 2 text4
> EOF
1 1 1 1 text1
2 2 0.5 0.7 text3
5 4 1 2 text4
7 9 4 2 text2
Se alterarmos a entrada para algo como ...
$ cat test.txt
1 3 1 1 text1
7 9 4 2 text2
2 1 0.5 0.7 text3
5 4 1 2 text4
Então a entrada se torna desafiadora. Um simples sort
não funciona mais e podemos testar outras abordagens:
$ sort -k1,1n -k2,2n < test.txt
1 3 1 1 text1
2 1 0.5 0.7 text3
5 4 1 2 text4
7 9 4 2 text2
Este não é o que esperaríamos - As duas primeiras linhas de saída são invertidas - o valor mais alto da coluna 1/2 na linha 1 é "3" e o mais alto na linha 2 é "2".
O seguinte parece funcionar, pelo menos para o arquivo de entrada revisado, mas não é bonito (meu awk-fu é fraco):
$ awk '{ sorton=$1; if ($2>$1) { sorton=$2 }; print $1, $2, $3, $4, $5, sorton }' < test.txt | sort -k 6 | cut -d " " -f 1-5
2 1 0.5 0.7 text3
1 3 1 1 text1
5 4 1 2 text4
7 9 4 2 text2
@ Nominal-Animal e @JJoao sugeriram refinamentos, resultando em:
$ awk '{ k= $1>$2 ? $1: $2 ; print k, $0 }' test.txt | sort -g | cut -d ' ' -f 2-
2 1 0.5 0.7 text3
1 3 1 1 text1
5 4 1 2 text4
7 9 4 2 text2
(Sinta-se à vontade para editar esta postagem para refinar uma solução awk
.)