Как я могу повернуть мой дисплей самым простым способом?

Я счастливый обладатель сводного монитора, экран которого можно поворачивать (физически). Какой самый простой способ заставить мой дисплей поворачиваться, когда я поворачиваю монитор?

На данный момент я сначала запускаю приложение "Дисплеи", а затем меняю настройки и подтверждаю. Но на самом деле это довольно трудоемкая процедура, поскольку я хочу переключать свою ориентацию до нескольких раз в минуту.

Так есть индикатор для этого или эквивалент? Могу ли я установить сочетание клавиш, которое будет запускать выделенную команду? На самом деле я думаю о чем-то похожем на программу Windows iRotate.

6 ответов

Решение

Зайдите в Keyboard -> Shortcuts, выберите "Custom Shortcuts" и нажмите "+", чтобы добавить новый ярлык.

"Имя" - это описательное имя для действия (например, "Повернуть монитор"). В поле "Команда" введите пользовательскую команду, запускаемую при активном ярлыке.

Как только ярлык окажется в списке, выберите его строку, нажмите клавишу ВВОД, а затем комбинацию клавиш, для которой вы хотите активировать ярлык. В случае конфликта менеджер ярлыков сообщит вам об этом, и вы сможете выбрать другую комбинацию.

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

Теперь, что касается команды, которую вы должны использовать, это, вероятно, xrandr:

xrandr --output HDMI1 --rotate left

xrandr --output HDMI1 --rotate normal

Выходной параметр зависит от того, к какому порту подключен ваш монитор. Чтобы увидеть, что у вас есть, введите:

xrandr -q

Моя говорит:

Screen 0: minimum 320 x 200, current 1366 x 768, maximum 8192 x 8192
LVDS1 connected 1366x768+0+0 (normal left inverted right x axis y axis) 309mm x 174mm
   1366x768       60.0*+
   1360x768       59.8     60.0  
   1024x768       60.0  
   800x600        60.3     56.2  
   640x480        59.9  
VGA2 disconnected (normal left inverted right x axis y axis)
HDMI1 disconnected (normal left inverted right x axis y axis)
DP1 disconnected (normal left inverted right x axis y axis)

В этом случае мой --output будет LVDS1, так как все остальные отключены.

Прекрасно работает с

xrandr --output LVDS1 --rotate left
xrandr --output LVDS1 --rotate right
xrandr --output LVDS1 --rotate inverted
xrandr --output LVDS1 --rotate normal

Вот хороший пример того, как это сделать на основе сенсорного ввода: https://linuxappfinder.com/blog/auto_screen_rotation_in_ubuntu

Так что в основном попробуйте выше, чтобы идентифицировать экран, который вы хотите видеть повернутым. В зависимости от модели монитора может быть датчик, который посылает сигнал?

Это хорошо работает для моего Lenovo Yoga 2 11 со встроенным датчиком вращения, и это также перемещает док-станцию.

Сценарий:

#!/bin/sh
# Auto rotate screen based on device orientation

# Receives input from monitor-sensor (part of iio-sensor-proxy package)
# Screen orientation and launcher location is set based upon accelerometer position
# Launcher will be on the left in a landscape orientation and on the bottom in a portrait orientation
# This script should be added to startup applications for the user

# Clear sensor.log so it doesn't get too long over time
> sensor.log

# Launch monitor-sensor and store the output in a variable that can be parsed by the rest of the script
monitor-sensor >> sensor.log 2>&1 &

# Parse output or monitor sensor to get the new orientation whenever the log file is updated
# Possibles are: normal, bottom-up, right-up, left-up
# Light data will be ignored
while inotifywait -e modify sensor.log; do
# Read the last line that was added to the file and get the orientation
ORIENTATION=$(tail -n 1 sensor.log | grep 'orientation' | grep -oE '[^ ]+$')

# Set the actions to be taken for each possible orientation
case "$ORIENTATION" in
normal)
xrandr --output eDP1 --rotate normal && gsettings set com.canonical.Unity.Launcher launcher-position Left ;;
bottom-up)
xrandr --output eDP1 --rotate inverted && gsettings set com.canonical.Unity.Launcher launcher-position Left ;;
right-up)
xrandr --output eDP1 --rotate right && gsettings set com.canonical.Unity.Launcher launcher-position Bottom ;;
left-up)
xrandr --output eDP1 --rotate left && gsettings set com.canonical.Unity.Launcher launcher-position Bottom ;;
esac
done

и обязательное условие для датчиков:

sudo apt install iio-sensor-proxy inotify-tools

Немного более простой вариант ответа Винсента Герриса на основе входных данных датчика:

      #!/bin/bash
# Auto rotate screen based on device orientation

monitor-sensor | \
while IFS= read -r str; do
  if [[ $str =~ orientation\ changed:\ (.*)$ ]]; then
    case "${BASH_REMATCH[1]}" in
    normal)
      xrandr --output eDP-1 --rotate normal ;;
    bottom-up)
      xrandr --output eDP-1 --rotate inverted ;;
    right-up)
      xrandr --output eDP-1 --rotate right ;;
    left-up)
      xrandr --output eDP-1 --rotate left ;;
    esac
  fi
done

Я написал сценарий оболочки для этого. (Требуется xrandr grep awk)

#!/bin/sh
# invert_screen copyright 20170516 alexx MIT Licence ver 1.0
orientation=$(xrandr -q|grep -v dis|grep connected|awk '{print $4}')
display=$(xrandr -q|grep -v dis|grep connected|awk '{print $1}')
if [ "$orientation" == "inverted" ]; then
   xrandr --output $display --rotate normal
else
   xrandr --output $display --rotate inverted
fi

Если вам нравятся однострочники:

[ "$(xrandr -q|grep -v dis|grep con|awk '{print $4}')" == 'inverted' ] && xrandr -o normal || xrandr -o inverted

В дополнение к сценарию, опубликованному в ответе derHugo , на Kubuntu 20.10 мне пришлось изменить его на {print $5}а также использовать bash вместо простого sh. С этими небольшими изменениями мой сценарий выглядит так:

      #!/bin/bash
# invert_screen copyright 20170516 alexx MIT Licence ver 1.0
orientation=$(xrandr -q|grep -v dis|grep connected|awk '{print $5}')
display=$(xrandr -q|grep -v dis|grep connected|awk '{print $1}')
if [ "$orientation" == "inverted" ]; then
   xrandr --output $display --rotate normal
else
   xrandr --output $display --rotate inverted
fi
Другие вопросы по тегам