Restart linux red hat

Содержание
  1. How to restart CentOS or RHEL server safely
  2. Restarting CentOS or RHEL server safely over ssh
  3. Best way to gracefully restart CentOS or RHEL
  4. Understanding reboot or ‘systemctl reboot’ or ‘shutdown -r now’ commands
  5. When should I use the old shutdown command?
  6. 6 different commands to restart network in RHEL/CentOS 7/8
  7. Some Background and Changes with RHEL/CentOS 8
  8. How to check if interface is configured with NetworkManager
  9. Method 1: Using systemctl restart NetworkManager
  10. Method 2: Using ifup and ifdown
  11. On RHEL/CentOS 8 with NetworkManager
  12. On RHEL/CentOS 8 without NetworkManager
  13. Method 3: Using nmcli networking
  14. Method 4: using nmcli con up and down
  15. Method 5: Using nmtui
  16. Method 6: Using systemctl restart network
  17. Conclusion
  18. Related Posts
  19. 2 thoughts on “6 different commands to restart network in RHEL/CentOS 7/8”
  20. linux-notes.org
  21. Перезагрузка/выключение компьютера из командной строки
  22. Перезагрузка компьютера из командной строки
  23. Выключение компьютера из командной строки
  24. Добавить комментарий Отменить ответ
  25. 🐧 Как безопасно перезапустить сервер CentOS или RHEL
  26. Безопасный перезапуск сервера CentOS или RHEL через ssh
  27. Лучший способ правильно перезапустить CentOS или RHEL
  28. Что такое перезагрузка, команды systemctl reboot или shutdown -r now
  29. Когда следует использовать старую команду shutdown?
  30. Как узнать дату и время перезагрузки системы CentOS / RHEL?
  31. Заключение

How to restart CentOS or RHEL server safely

There is no graceful shutdown or restart. However, modern Linux distro does an outstanding job when you need to reboot the server powered by CentOS or RHEL. Let us different options to restart the CentOS/RHEL 7/8 server.

Tutorial details
Difficulty level Easy
Root privileges Yes
Requirements RHEL or CentOS
Est. reading time 2m

Restarting CentOS or RHEL server safely over ssh

RHEL/CentOS Linux commands that we can use to restart the server carefully:

  1. shutdown command : All in one command to halt, power-off or reboot the machine.
  2. systemctl command : Systemd’s systemctl command can reboot or shutdown your server too.
  3. reboot command : Symbolic link and aliased to /sbin/systemctl to restart the CentOS/RHEL.
  4. halt command : Again, symbolic link and alias set to /sbin/systemctl to halt the CentOS/RHEL. Shut down and halt the system. You still need to press the power-off button manually.
  5. poweroff command : Symlink or soft link to /sbin/systemctl to power off your CentOS/RHEL box. Shut down and poweroff the system complety. Please note that there is no need to press the power off button.

The last three command acts as a shortcut to a longer command and saves some typing. Instead of typing “ sudo shutdown -r now “, we can type “ sudo reboot “.

Best way to gracefully restart CentOS or RHEL

The procedure is:

  1. Synchronize cached writes to persistent storage as root user by flushing everything to avoid problem with PostgreSQL/MySQL/MariaDB, run:
    # sync;sync
  2. Restart the CentOS/RHEL server, run:
    # shutdown -r now
  3. An alternative and recommended way is to type as shutdown/reboot is soft link to /sbin/systemctl:
    # systemctl reboot
    OR
    # systemctl poweroff # complete power off
  4. Personally, if I were you, I would shutdown the database server before issuing the reboot command. Hence:
    # sync;sync
    # systemctl stop postgresql
    # systemctl stop mysql # MySQL/MariDB
    # systemctl reboot

Understanding reboot or ‘systemctl reboot’ or ‘shutdown -r now’ commands

Open the terminal and run the following command:
ls -l /sbin/

Modern CentOS/RHEL symlinked to systemctl

Please do not pass the —force option to the systemct as it will reboot the box immediately without terminating any processes or unmounting any file systems. This will result in data loss for sure. Therefore avoid the following:
# systemctl —force —force reboot
# systemctl —force —force shutdown
So why —force option provided? It can be used in an emergency when the CentOS/RHEL system manager has crashed, and you need to shutdown the server. Hence, keeping verified backups are important for your systems.

When should I use the old shutdown command?

The shutdown command has additional options, including backward compatibility. For instance, display a message:

Источник

6 different commands to restart network in RHEL/CentOS 7/8

Table of Contents

In this tutorial I will share different methods you can use to restart your network with RHEL/CentOS environment. I will cover both RHEL/CentOS 7 and 8 releases as with RHEL/CentOS 8 there are some major changes in terms of how networking is handled. Now Red Hat is completely moving towards Network Manager and is trying to ditch the legacy initscripts.

Some Background and Changes with RHEL/CentOS 8

If you are coming from RHEL/CentOS 5 or 6 then you will be familiar with SysV scripts to restart any service i.e.

With RHEL/CentOS 7 the SysV scripts are deprecated (although you may still use these commands but they can be removed any time and shouldn’t be used). Now all the system services, partitions, sockets are handled by systemd. But that is a different topic altogether, now with RHEL/CentOS 7 we used

But with RHEL/CentOS 8 we get below error for this command

This is because with RHEL/CentOS 7, the network scripts were part of initscripts rpm, which is removed as part of RHEL/CentOS 8 and is migrated to network-scripts rpm
I have already written a detailed guide on this topic and the steps to use legacy network restart commands.

Now considering all these changes, we have multiple methods which we can use to restart network in RHEL/CentOS release. But before we jump there, let us understand if our interface is managed by NetworkManager or not as your command and steps to restart network would vary accordingly.

How to check if interface is configured with NetworkManager

There are couple of methods to verify if your Ethernet is configured via NetworkManager or manually using ip command or some other method:

Use nmcli con show to list the active connections

If you can see your interface in the output then it means that the interface is configured with NetworkManager

Alternatively grep for NM_CONTOLLED in /etc/sysconfig/network-scripts/ifcfg-ethXX

It is also possible you get a blank output, in such case you can use nmcli to verify but most likely the interface was configured with NetworkManager which is why you don’t see any entry for NM_CONTROLLED .

So now you know if your interface is configured via NetworkManager or not.

Method 1: Using systemctl restart NetworkManager

You can use nmcli or nmtui to configure your network. Once the network configuration is done, you can use systemctl to restart the NetworkManager service

This should update your network changes. But if your network is not managed by NetworkManager , this command will do no change to your interface configuration.

Method 2: Using ifup and ifdown

Use this command with precaution as this can bring down your active interface which you may be using for SSH connections locking you out of the system. The only way to recover the network access by connecting to your server via console.

On RHEL/CentOS 8 with NetworkManager

With RHEL/CentOS 8, the ifup and ifdown commands are part of NetworkManager rpm unlike older releases where these were part of initscripts rpm.

So since you are using NetworkManager , you can also use ifup and ifdown to refresh the network configuration of any interface. For example you did some changes for eth1 , so to refresh the changes first bring down the interface and then bring it up

This should update your network configuration.

On RHEL/CentOS 8 without NetworkManager

On RHEL/CentOS 8 if your network interface is not managed by NetworkManager then you must install network-scripts to be able to use ifup and ifdown command.

Next you can check the rpm ownership for ifup

Now ifup is part of both NetworkManager and network-scripts rpm. Next you can use ifdown eth1 && ifup eth1

Similar WARN is visible for ifup action.

ifup and ifdown interface

Since network-scripts is added just to support fallback behaviour, it throws WARNING every time you use ifup or ifdown without NetworkManager .

Method 3: Using nmcli networking

We can also use the command-line tool » nmcli networking » for controlling NetworkManager to restart network and update network configuration.

This command will bring down all the NetworkManager interfaces and then will bring them up.
IMPORTANT: It is important that you execute the command in this format as if you try to execute separately then your server may become unreachable as the first command will bring down all the NetworkManager managed interfaces

Method 4: using nmcli con up and down

With nmcli we can also use nmcli con up or con down similar to traditional ifup and ifdown to de-activate and activate individual network interface instead of restarting all the networking interfaces on the server.

IMPORTANT: It is important that you execute the command in this format as if you try to execute separately then your server may become unreachable as the first command will bring down all the NetworkManager managed interfaces

Method 5: Using nmtui

We also have NetworkManager TUI which is an alternative to nmcli command. Users who are not comfortable with nmcli command line, they can use nmtui to manage their network
To de-activate or activate a network interface using nmtui , execute nmtui as root user on the Linux server terminal

This should open a window, next select «Activate a Connection» to update the network configuration

Activate a connection

Select the interface which you would wish to deactivate and re-activate.

Next Activate the respective interface

Activate eth1

Once your interface is active, you can come back and exit the nmtui session.

Method 6: Using systemctl restart network

With RHEL/CentOS 8, the initscripts rpm has been deprecated hence this command will not work by default. We must manually install network-scripts rpm from the RHEL/CentOS 8 repository to be able to restart network using this command.

Next you should be able to use the legacy command even on RHEL/CentOS 8 to restart your network interface

Conclusion

In this tutorial I shared different possible methods to restart network service and individual network cards on different Red Hat and CentOS distributions. Red Hat is now pushing the usage of NetworkManager and legacy initscripts is already deprecated. We can expect the network-scripts support to also be dropped in near future so you should already start switching to NetworkManager in your environment.

Lastly I hope the steps from the article to restart network on RHEL/CentOS 7/8 Linux was helpful. So, let me know your suggestions and feedback using the comment section.

Didn’t find what you were looking for? Perform a quick search across GoLinuxCloud

If my articles on GoLinuxCloud has helped you, kindly consider buying me a coffee as a token of appreciation.

For any other feedbacks or questions you can either use the comments section or contact me form.

Thank You for your support!!

2 thoughts on “6 different commands to restart network in RHEL/CentOS 7/8”

How do I configure 2 different networks on one NIC and avoid the reverse path filtering nightmare? On my laptop I have one onboard NIC. I have 2 networks I have to push data across: 192.168.9.x/24 w/gtwy and 22.142.4.x/26 w/ no gtwy as a second address in NetworkManager. But it dies not work. I have set net.ipv4.all.rp_filter=2 (loose)

I am not sure if I understand your question. If you want to create two networks using single interface then you would need virtual LAN

Источник

linux-notes.org

Перезагрузка/выключение компьютера из командной строки

Хотелось бы рассказать как правильно выключать/перезапускать компьютер или сервер с командной строки. Некоторые могут сказать что есть всего пару команд которые позволяют это сделать, но я постараюсь привести как можно больше готовых примеров. Некоторые, знают не все возможности Unix/Linux. В этой статье «Перезагрузка/выключение компьютера из командной строки» я приведу готовые примеры по выключению и перезагрузки серверов под управлением ОС Unix и Linux.

Для начала, нужно открыть консоль (терминал). После чего, выполнить одну из команд что ниже.

Перезагрузка компьютера из командной строки

Самый простой способ перезапустить сервер, использовать следующую команду:

Вас попросят ввести пароль от пользователя с правами «суперпользователя» или «root» и после чего сервер перезапустится.

Существует утилита под названием shutdown, которую тоже можно использовать для перезапуска:

Запланировать выключение системы на 09 часа 09 минут:

Для отмены запланированного выключения служит команда:

Так же, можно перезапустить ПК еще одной командой:

Выключение компьютера из командной строки

Самый простой способ выключить ПК или сервер с командной строки — это использовать утилиту shutdown:

Можно указать время через которое он выключиться сам ( минуты), я укажу 120 мин (2ч) в качестве примера:

Есть и другой способ выключить сервер, для этого служит еще одна команда:

Вот еще один вариант выключить свой сервер/ПК:

Если нужно выключить вашу ОС, можно использовать:

Запланируем выключение сервера или своего ПК на нормальное (корректное) выключение, скажем, на 23:59 и отправим задание в фоновый режим:

Тоже способ выключения системы:

Тема «Перезагрузка/выключение компьютера из командной строки» завершена. Надеюсь было познавательно.

Добавить комментарий Отменить ответ

Этот сайт использует Akismet для борьбы со спамом. Узнайте, как обрабатываются ваши данные комментариев.

Источник

🐧 Как безопасно перезапустить сервер CentOS или RHEL

Я использую команду reboot, чтобы перезагрузить сервер PostgreSQL, работающий на RHEL 7.

У нас также есть сервер разработки, работающий на CentOS 7.

Однако иногда я замечал повреждение базы данных или проблемы с файлами.

Есть ли такая команда безопасной перезагрузки, которая выполнит плавную перезагрузку нашего сервера CentOS или RHEL 7 без каких-либо проблем?

Как лучше всего перезапустить CentOS / RHEL через ssh?

Вообще нету корректного выключения или перезапуска.

Однако современный дистрибутив Linux отлично справляется с задачей, когда вам нужно перезагрузить сервер на базе CentOS или RHEL.

Давайте рассмотрим разные варианты перезапуска сервера CentOS / RHEL 7/8.

Безопасный перезапуск сервера CentOS или RHEL через ssh

  1. Команды RHEL / CentOS Linux, которые мы можем использовать для осторожного перезапуска сервера:
  2. Команда shutdown : все в одной команде для остановки, выключения или перезагрузки машины.
  3. Команда systemctl: команда Systemd systemctl также может перезагрузить или выключить ваш сервер.
  4. Команда reboot: символическая ссылка и алиас /sbin/systemctl для перезапуска CentOS / RHEL.
  5. Команда halt: опять же, символическая ссылка и алиас установлены на /sbin/systemctl, чтобы остановить CentOS / RHEL. Выключает и останавливает систему. Вам все равно нужно нажать кнопку выключения вручную.
  6. Команда poweroff: символическая ссылка или софт ссылка на /sbin/systemctl для выключения вашего CentOS / RHEL. Выключает и полностью отключает систему. Обратите внимание, что нет необходимости нажимать кнопку выключения питания.

Лучший способ правильно перезапустить CentOS или RHEL

Порядок действий такой:

Чтобы избежать проблем с PostgreSQL / MySQL / MariaDB, синхронизируйте кэшированные записи в постоянное хранилище от имени пользователя root, выполнив:

Перезагрузите сервер CentOS / RHEL, запустите:

Альтернативный и рекомендуемый способ, поскольку выключение / перезагрузка – это софт ссылка на /sbin/systemctl:

# systemctl reboot
или
# systemctl poweroff # полное выключение

Лично я на вашем месте я бы выключил сервер базы данных перед командой перезагрузки:

Что такое перезагрузка, команды systemctl reboot или shutdown -r now

Откройте терминал и выполните следующую команду:

Все вышеперечисленные команды будут:

  • Останавливать все запущенные процессы/службы.
  • Отключать все файловые системы.
  • Стирать временные файлы на диске
  • Система перезагрузится.

Пожалуйста, не передавайте параметр –force для systemctl, так как он немедленно перезагрузит компьютер без завершения каких-либо процессов или размонтирования каких-либо файловых систем.

Это обязательно приведет к потере данных.

Поэтому избегайте следующего:

Когда следует использовать старую команду shutdown?

Команда shutdown имеет дополнительные параметры, включая обратную совместимость.

Например, отобразить сообщение:

«now» означает немедленно.

Мы можем передать строку времени в формате «чч: мм» для часа/минут, указав время для выполнения выключения, указанное в 24-часовом формате.

В качестве альтернативы, это может быть синтаксис «+ m», относящийся к установленному количеству минут m с этого момента.

Обратите внимание, что «now» является алиасом для «+0», т.е. запускает немедленное завершение работы.

Если аргумент времени не указан, подразумевается «+1»:

Мы можем отменить отложенное завершение работы.

Это может использоваться для отмены эффекта вызова выключения с аргументом времени, который не равен «+0» или «now»:

sudo shutdown -c

Как узнать дату и время перезагрузки системы CentOS / RHEL?

Заключение

Вы узнали о правильном способе выключения или перезапуска вашего CentOS / RHEL, и мы также рекомендуем вам хранить проверенные резервные копии, чтобы избежать потери данных.

Источник

Читайте также:  Diskpart from windows install
Оцените статью