Encontre um padrão e substitua o valor no script de shell

0

Eu tenho tentado fazer as seguintes alterações no meu arquivo de configuração usando o shell script. Este é o meu seguinte arquivo de configuração de pesquisa elástica.

Precisa comentar abaixo da linha e substituir seu valor.

#network.host: 192.168.0.1

e adicione estas linhas na seção de rede

transport.host: localhost
transport.tcp.port: 9300

Como posso conseguir isso?

# ======================== Elasticsearch Configuration =========================
#
# NOTE: Elasticsearch comes with reasonable defaults for most settings.
#       Before you set out to tweak and tune the configuration, make sure you
#       understand what are you trying to accomplish and the consequences.
#
# The primary way of configuring a node is via this file. This template lists
# the most important settings you may want to configure for a production cluster.
#
# Please consult the documentation for further information on configuration options:
# https://www.elastic.co/guide/en/elasticsearch/reference/index.html
#
# ---------------------------------- Cluster -----------------------------------
#
# Use a descriptive name for your cluster:
#
#cluster.name: my-application
#
# ------------------------------------ Node ------------------------------------
#
# Use a descriptive name for the node:
#
#node.name: node-1
#
# Add custom attributes to the node:
#
#node.attr.rack: r1
#
# ----------------------------------- Paths ------------------------------------
#
# Path to directory where to store the data (separate multiple locations by comma):
#
path.data: /var/lib/elasticsearch
#
# Path to log files:
#
path.logs: /var/log/elasticsearch
#
# ----------------------------------- Memory -----------------------------------
#
# Lock the memory on startup:
#
#bootstrap.memory_lock: true
#
# Make sure that the heap size is set to about half the memory available
# on the system and that the owner of the process is allowed to use this
# limit.
#
# Elasticsearch performs poorly when the system is swapping the memory.
#
# ---------------------------------- Network -----------------------------------
#
# Set the bind address to a specific IP (IPv4 or IPv6):
#
#network.host: 192.168.0.1
#
# Set a custom port for HTTP:
#
#http.port: 9200
#
# For more information, consult the network module documentation.
#
# --------------------------------- Discovery ----------------------------------
#
# Pass an initial list of hosts to perform discovery when new node is started:
# The default list of hosts is ["127.0.0.1", "[::1]"]
#
#discovery.zen.ping.unicast.hosts: ["host1", "host2"]
#
# Prevent the "split brain" by configuring the majority of nodes (total number of master-eligible nodes / 2 + 1):
#
#discovery.zen.minimum_master_nodes: 
#
# For more information, consult the zen discovery module documentation.
#
# ---------------------------------- Gateway -----------------------------------
#
# Block initial recovery after a full cluster restart until N nodes are started:
#
#gateway.recover_after_nodes: 3
#
# For more information, consult the gateway module documentation.
#
# ---------------------------------- Various -----------------------------------
#
# Require explicit names when deleting indices:
#
    
por frodo 21.03.2018 / 07:48

1 resposta

1

Você pode usar sed para fazer isso.

A primeira parte é bastante simples, encontrando uma rede comentada. O host e substituí-la por uma não comentada com um valor diferente pode ser feito com:

sed -i -e 's/^#network\.host: .*/network.host: 1.2.3.4/' "${ES_HOME}/config/elasticsearch.yml"

A opção -i faz uma modificação no local, portanto, ela substituirá seu arquivo elasticsearch.yml atual. (Você pode salvar um backup dele, por exemplo, elasticsearch.yml.bak usando -i.bak ).

O argumento para -e é um script sed, neste caso uma expressão regular com um comando search / replace. Ele corresponde a uma linha comentada, começando com #network.host e a substitui por uma linha descomentada, incluindo um IP.

Se você deseja obter o IP ou o nome do host de uma variável de ambiente, pode fazer isso quebrando a string '...' em dois e inserindo a variável externa:

sed -i -e 's/^#network\.host: .*/network.host: '"${ip_address}"'/' "${ES_HOME}/config/elasticsearch.yml"

Mas note que isso pode ser frágil ... Se o conteúdo de ${ip_address} incluir um caractere / , isso quebrará o comando sed ...

Para a segunda parte, inserindo as linhas transport.host, você pode usar o comando i\ do sed para inserir uma linha antes da que você corresponde. Por exemplo, você pode combinar o último comentário na seção Rede ("... consulte a documentação do módulo de rede") e insira lá. Como você está inserindo várias linhas, você vai querer iniciar um novo bloco { para que você possa executar vários comandos.

Isso deve ser feito (observe que esse é um comando que abrange várias linhas!):

sed -i -e '
/consult the network module documentation/{
i\
# Set custom transport settings:
i\
#
i\
transport.host: localhost
i\
transport.tcp.port: 9300
i\
#
}' "${ES_HOME}/config/elasticsearch.yml"

Agora podemos juntar tudo, e também adicionar um cheque para pular a inserção, se já foi feito antes. Podemos fazer isso procurando o comentário que inserimos ("Definir configuração de transporte personalizada") e usando o comando b para pular para o final do script, pulando a seguinte edição nesse caso.

O script final é:

# Set your own IP into ${ip_address} however you have to.
ip_address=1.2.3.4
sed -i -e '
s/^#network\.host: .*/network.host: '"${ip_address}"'/
/^# Set custom transport settings/,$b
/consult the network module documentation/{
i\
# Set custom transport settings:
i\
#
i\
transport.host: localhost
i\
transport.tcp.port: 9300
i\
#
}' "${ES_HOME}/config/elasticsearch.yml"
    
por 21.03.2018 / 08:27