우리는 매우 오래된 배포판에서 lightdm / xfce를 포함한 최신 데비안 Jessie 기반 시스템과 물론 systemd (및 udisks2)로 서버를 업데이트하고 있습니다. 하나의 고착 지점은 USB 드라이브를 자동 마운트하는 것입니다. 우리는 몇 가지 udev 규칙으로 이것을 달성했습니다. 이전 규칙은 거의 여전히 작동합니다. 마운트 지점이 생성되고 드라이브가 제대로 마운트되었지만 몇 초 후에 시스템이 마운트를 해제하는 작업을 수행하므로 후속 액세스 시도로 인해 “전송 엔드 포인트가 연결되지 않았습니다”오류가 발생합니다.
명령 행을 통해 드라이브를 수동으로 마운트하면 정상적으로 작동합니다. 파일 관리자 (thunar와 thunar-volman, 차례로 udisks2를 사용)를 허용합니다. 그러나 이러한 옵션은 실행 가능한 옵션이 아닙니다. 이러한 시스템은 대부분 헤드리스로 실행되므로 Thunar는 정상적으로 실행되지 않습니다. 무인 크론 기반 백업을 위해 디스크 드라이브를 연결할 수 있어야합니다.
마운트를 수행하기 전에 몇 초 동안 대기하는 분리 된 작업을 생성하기 위해 udev 스크립트를 수정하면 트릭을 수행 할 수 있지만 systemd는이를 방지하기 위해 방해가되는 것처럼 보입니다. 계속.
어쩌면 udev 스크립트가 udisks2를 간지럽 히는 것이 올바른 방법일까요? 나는 길을 잃었으므로 조언을 크게 부탁드립니다.
답변
몇 번의 잘못된 시작 후에 나는 이것을 알아 냈습니다. 핵심은 udev와 마운팅 스크립트 사이에 시스템 단위 서비스를 추가하는 것입니다.
(기록을 위해 udisksctl mount -b /dev/sdb1
, udev 규칙 또는 시스템 단위 파일에서 직접 호출 된 udisks2 (같은 것을 통해 ) 를 사용 하여이 작업을 수행 할 수 없었습니다 . 경쟁 조건이 있고 장치 노드가 준비가되어 있지 않습니다 , 결과 Error looking up object for device /dev/sdb1
. 불행, udisks2는 점 messyness 마운트 모두 돌볼 수 있기 때문에 …)
힘든 작업은 마운트 스크립트를 생성 및 제거하고 드라이브를 마운트 및 마운트 해제하는 쉘 스크립트로 수행됩니다.
/usr/local/bin/usb-mount.sh
#!/bin/bash
# This script is called from our systemd unit file to mount or unmount
# a USB drive.
usage()
{
echo "Usage: $0 {add|remove} device_name (e.g. sdb1)"
exit 1
}
if [[ $# -ne 2 ]]; then
usage
fi
ACTION=$1
DEVBASE=$2
DEVICE="/dev/${DEVBASE}"
# See if this drive is already mounted, and if so where
MOUNT_POINT=$(/bin/mount | /bin/grep ${DEVICE} | /usr/bin/awk '{ print $3 }')
do_mount()
{
if [[ -n ${MOUNT_POINT} ]]; then
echo "Warning: ${DEVICE} is already mounted at ${MOUNT_POINT}"
exit 1
fi
# Get info for this drive: $ID_FS_LABEL, $ID_FS_UUID, and $ID_FS_TYPE
eval $(/sbin/blkid -o udev ${DEVICE})
# Figure out a mount point to use
LABEL=${ID_FS_LABEL}
if [[ -z "${LABEL}" ]]; then
LABEL=${DEVBASE}
elif /bin/grep -q " /media/${LABEL} " /etc/mtab; then
# Already in use, make a unique one
LABEL+="-${DEVBASE}"
fi
MOUNT_POINT="/media/${LABEL}"
echo "Mount point: ${MOUNT_POINT}"
/bin/mkdir -p ${MOUNT_POINT}
# Global mount options
OPTS="rw,relatime"
# File system type specific mount options
if [[ ${ID_FS_TYPE} == "vfat" ]]; then
OPTS+=",users,gid=100,umask=000,shortname=mixed,utf8=1,flush"
fi
if ! /bin/mount -o ${OPTS} ${DEVICE} ${MOUNT_POINT}; then
echo "Error mounting ${DEVICE} (status = $?)"
/bin/rmdir ${MOUNT_POINT}
exit 1
fi
echo "**** Mounted ${DEVICE} at ${MOUNT_POINT} ****"
}
do_unmount()
{
if [[ -z ${MOUNT_POINT} ]]; then
echo "Warning: ${DEVICE} is not mounted"
else
/bin/umount -l ${DEVICE}
echo "**** Unmounted ${DEVICE}"
fi
# Delete all empty dirs in /media that aren't being used as mount
# points. This is kind of overkill, but if the drive was unmounted
# prior to removal we no longer know its mount point, and we don't
# want to leave it orphaned...
for f in /media/* ; do
if [[ -n $(/usr/bin/find "$f" -maxdepth 0 -type d -empty) ]]; then
if ! /bin/grep -q " $f " /etc/mtab; then
echo "**** Removing mount point $f"
/bin/rmdir "$f"
fi
fi
done
}
case "${ACTION}" in
add)
do_mount
;;
remove)
do_unmount
;;
*)
usage
;;
esac
스크립트는 시스템 단위 파일에 의해 호출됩니다. “@”파일 이름 구문을 사용하여 장치 이름을 인수로 전달할 수 있습니다.
/etc/systemd/system/usb-mount@.service
[Unit]
Description=Mount USB Drive on %i
[Service]
Type=oneshot
RemainAfterExit=true
ExecStart=/usr/local/bin/usb-mount.sh add %i
ExecStop=/usr/local/bin/usb-mount.sh remove %i
마지막으로 일부 udev 규칙은 핫 플러그 / 언 플러그에서 시스템 장치 서비스를 시작하고 중지합니다.
/etc/udev/rules.d/99-local.rules
KERNEL=="sd[a-z][0-9]", SUBSYSTEMS=="usb", ACTION=="add", RUN+="/bin/systemctl start usb-mount@%k.service"
KERNEL=="sd[a-z][0-9]", SUBSYSTEMS=="usb", ACTION=="remove", RUN+="/bin/systemctl stop usb-mount@%k.service"
이것은 트릭을 수행하는 것 같습니다! 다음과 같은 것들을 디버깅하는 데 유용한 몇 가지 명령 :
udevadm control -l debug
자세한 로깅을 설정
/var/log/syslog
하여 진행 상황을 확인할 수 있습니다.udevadm control --reload-rules
rules.d 디렉토리에서 파일을 수정 한 후 (필요하지는 않지만 상처를 줄 수는 없습니다 …)systemctl daemon-reload
시스템 단위 파일을 수정 한 후
답변
모든 표준화 된 마운트 권한 옵션을 사용할 수 있는 새로운 간결한 systemd
자동 마운트 옵션이 있으며 fstab
다음과 같습니다.
x-systemd.automount
한 fstab
줄로 된 예 :
/dev/sdd1 /mnt/hitachi-one auto noauto,x-systemd.automount 0 2
이 noauto
옵션은 이전 소프트웨어와 마찬가지로 부팅시 마운트를 시도하지 않음을 의미합니다 autofs
.
새 x-systemd.automount
줄을 추가 한 후 fstab
다음을 실행해야합니다.
sudo systemctl daemon-reload
다음 중 하나 또는 둘 다 :
sudo systemctl restart remote-fs.target
sudo systemctl restart local-fs.target
그것에 대한 자세한 정보 :
https://wiki.archlinux.org/index.php/Fstab#Automount_with_systemd
답변
@MikeBlackwell에서 다음과 같이 스크립트를 수정했습니다.
- 여러 문자를 단지에 걸쳐 장치 이름을 인식
/dev/sd[a-z]
하지만/dev/sd[a-z]*
, 스핀들 수가 많은 서버의 경우가 종종 있습니다. - 자동 마운트 된 드라이브 목록을 추적하십시오.
/var/log/usb-mount.track
- usb-mount.sh
/var/log/messages
태그 를 사용 하여 조치를 로그하십시오. - 레이블을 할당되지 않은 드라이브 문제에서 실행되지에 마운트 지점에 대한 장치 레이블 접두어 장치 이름 (비어?)
/media/sdd2_usbtest
,/media/sdd2_
- 파일을 적절하게 배치하고 필요한 경우 실행 취소하는 래퍼 스크립트 포함
@MikeBlackwell은 이미 대부분의 무거운 작업을 수행했기 때문에 다시 작성하지 않기로 결정했습니다. 필요한 변경을했습니다. 나는 그의 대답과 원래 답변의 URI를 목격 한 그의 작품을 인정했다.
https://github.com/raamsri/automount-usb 에서 찾으십시오.
답변
사용 pmount , systemd와 마이크 블랙웰의 접근 방식은, 당신은 모든 일을 단순화 할 수 있습니다 :
/etc/systemd/system/usb-mount@.service
[Unit]
Description=Mount USB Drive on %i
[Service]
Type=oneshot
RemainAfterExit=true
ExecStart=/usr/bin/pmount --umask 000 /dev/%i /media/%i
ExecStop=/usr/bin/pumount /dev/%i
/etc/udev/rules.d/99-usb-mount.rules
ACTION=="add",KERNEL=="sd[a-z][0-9]*",SUBSYSTEMS=="usb",RUN+="/bin/systemctl start usb-mount@%k.service"
ACTION=="remove",KERNEL=="sd[a-z][0-9]*",SUBSYSTEMS=="usb",RUN+="/bin/systemctl stop usb-mount@%k.service"
고마워 마이크.
답변
Warren Young의 답변과 함께 갈 것입니다.
드라이브의 환경 평가에서 오류가 발생하여 공간 보호 기능을 추가했습니다.
모든 사용자가 비 ntfs 또는 vfat 디스크에 완전히 액세스 할 수 있도록 usb 디스크 chmod 섹션을 추가했습니다.
/usr/local/bin/usb-mount.sh
#!/bin/bash
# This script is called from our systemd unit file to mount or unmount
# a USB drive.
usage()
{
echo "Usage: $0 {add|remove} device_name (e.g. sdb1)"
exit 1
}
if [[ $# -ne 2 ]]; then
usage
fi
ACTION="$1"
DEVBASE="$2"
DEVICE="/dev/${DEVBASE}"
# See if this drive is already mounted, and if so where
MOUNT_POINT=$(/bin/mount | /bin/grep ${DEVICE} | /usr/bin/awk '{ print $3 }')
do_mount()
{
if [[ -n "${MOUNT_POINT}" ]]; then
echo "Warning: ${DEVICE} is already mounted at ${MOUNT_POINT}"
exit 1
fi
# Get info for this drive: $ID_FS_LABEL, $ID_FS_UUID, and $ID_FS_TYPE
# added some sed's to avoid space issues
eval $(/sbin/blkid -o udev ${DEVICE}|sed 's/=/="/'|sed 's/$/"/')
# Figure out a mount point to use
LABEL="${ID_FS_LABEL}"
if [[ -z "${LABEL}" ]]; then
LABEL="${DEVBASE}"
elif /bin/grep -q " /media/${LABEL} " /etc/mtab; then
# Already in use, make a unique one
LABEL+="-${DEVBASE}"
fi
MOUNT_POINT="/media/${LABEL}"
echo "Mount point: ${MOUNT_POINT}"
/bin/mkdir -p "${MOUNT_POINT}"
# Global mount options
OPTS="rw,relatime"
#added a chmod checker for file systems that don't
#understand allow all to read write
CHMOD=no
# File system type specific mount options
if [[ ${ID_FS_TYPE} == "vfat" ]]; then
OPTS+=",users,gid=100,umask=000,shortname=mixed,utf8=1,flush"
#added options I wanted on ntfs
elif [[ ${ID_FS_TYPE} == "ntfs" ]]; then
OPTS+=",user,users,umask=000,allow_other"
else
CHMOD=yes
fi
if ! /bin/mount -o "${OPTS}" ${DEVICE} "${MOUNT_POINT}"; then
echo "Error mounting ${DEVICE} (status = $?)"
/bin/rmdir "${MOUNT_POINT}"
exit 1
fi
echo "**** Mounted ${DEVICE} at ${MOUNT_POINT} ****"
if [ "${CHMOD}" = "yes" ];then
/usr/bin/find "${MOUNT_POINT}" -type f -exec chmod 0666 {} \;
/usr/bin/find "${MOUNT_POINT}" -type d -exec chmod 0777 {} \;
fi
}
do_unmount()
{
if [[ -z ${MOUNT_POINT} ]]; then
echo "Warning: ${DEVICE} is not mounted"
else
/bin/umount -l ${DEVICE}
echo "**** Unmounted ${DEVICE}"
fi
# Delete all empty dirs in /media that aren't being used as mount
# points. This is kind of overkill, but if the drive was unmounted
# prior to removal we no longer know its mount point, and we don't
# want to leave it orphaned...
for f in /media/* ; do
if [[ -n $(/usr/bin/find "$f" -maxdepth 0 -type d -empty) ]]; then
if ! /bin/grep -q " $f " /etc/mtab; then
echo "**** Removing mount point $f"
/bin/rmdir "$f"
fi
fi
done
}
case "${ACTION}" in
add)
do_mount
;;
remove)
do_unmount
;;
*)
usage
;;
esac