Come inviare avvisi sugli account utente inattivi in Linux: una guida completa allo script

La gestione efficace degli account utente è una pietra angolare della sicurezza informatica. Tra le varie misure per mantenere un ambiente sicuro, il monitoraggio degli account inattivi o non utilizzati è fondamentale. Account utente inattivi in Linux, se non controllati, possono essere potenziali punti di ingresso per attività dannose. Per risolvere questo problema, in questo articolo presenteremo i dettagli di uno script Bash che avvisa gli amministratori quando gli account utente rimangono inattivi per un determinato numero di giorni.

Background

Account utente inattivi in Linux rappresentano un rischio significativo in qualsiasi infrastruttura IT. Possono essere sfruttati per accessi non autorizzati, con conseguenti potenziali violazioni dei dati. I fornitori di servizi gestiti (MSP) e i professionisti IT hanno bisogno di strumenti efficienti per tenere traccia di questi account e gestirli. Questo script è una soluzione potente che permette di inviare avvisi automatici sugli account inattivi in sistemi Linux, migliorando la sicurezza generale.

Lo script per tenere traccia degli account utente inattivi in Linux:

#!/usr/bin/env bash
#
# Description: Alerts when there is an inactive/unused account that has not logged in for the specified number of days.
#
# Preset Parameter: --daysInactive "90"
#   Alert if account has been inactive for x days.
#
# Preset Parameter: --showDisabled
#   Includes disabled accounts in alert and report.
#
# Preset Parameter: --multilineField "ReplaceMeWithNameOfYourMultilineField"
#   Name of an optional multiline custom field to save the results to.
#
# Preset Parameter: --wysiwygField "ReplaceMeWithNameOfYourWYSIWYGField"
#   Name of an optional WYSIWYG custom field to save the results to.
#
# Preset Parameter: --help
#   Displays some help text.
#
# Release Notes: Initial Release
# By using this script, you indicate your acceptance of the following legal terms as well as our Terms of Use at https://www.ninjaone.com/terms-of-use.
# Ownership Rights: NinjaOne owns and will continue to own all right, title, and interest in and to the script (including the copyright). NinjaOne is giving you a limited license to use the script in accordance with these legal terms. 
# Use Limitation: You may only use the script for your legitimate personal or internal business purposes, and you may not share the script with another party. 
# Republication Prohibition: Under no circumstances are you permitted to re-publish the script in any script library or website belonging to or under the control of any other software provider. 
# Warranty Disclaimer: The script is provided “as is” and “as available”, without warranty of any kind. NinjaOne makes no promise or guarantee that the script will be free from defects or that it will meet your specific needs or expectations. 
# Assumption of Risk: Your use of the script is at your own risk. You acknowledge that there are certain inherent risks in using the script, and you understand and assume each of those risks. 
# Waiver and Release: You will not hold NinjaOne responsible for any adverse or unintended consequences resulting from your use of the script, and you waive any legal or equitable rights or remedies you may have against NinjaOne relating to your use of the script. 
# EULA: If you are a NinjaOne customer, your use of the script is subject to the End User License Agreement applicable to you (EULA).
#

# These are all our preset parameter defaults. You can set these = to something if you would prefer the script defaults to a certain parameter value.
_arg_daysInactive=
_arg_showDisabled="off"
_arg_multilineField=
_arg_wysiwygField=

# Help text function for when invalid input is encountered
print_help() {
  printf '\n\n%s\n\n' 'Usage: --daysInactive|-d <arg> [--multilineField|-m <arg>] [--wysiwygField|-w <arg>] [--showDisabled] [--help|-h]'
  printf '%s\n' 'Preset Parameter: --daysInactive "90"'
  printf '\t%s\n' "Alert if account has been inactive for x days."
  printf '%s\n' 'Preset Parameter: --showDisabled'
  printf '\t%s\n' "Includes disabled accounts in alert and report."
  printf '%s\n' 'Preset Parameter: --multilineField "ReplaceMeWithNameOfYourMultilineField"'
  printf '\t%s\n' "Name of an optional multiline custom field to save the results to."
  printf '%s\n' 'Preset Parameter: --wysiwygField "ReplaceMeWithNameOfYourWYSIWYGField"'
  printf '\t%s\n' "Name of an optional WYSIWYG custom field to save the results to."
  printf '\n%s\n' 'Preset Parameter: --help'
  printf '\t%s\n' "Displays this help menu."
}

# Determines whether or not help text is necessary and routes the output to stderr
die() {
  local _ret="${2:-1}"
  echo "$1" >&2
  test "${_PRINT_HELP:-no}" = yes && print_help >&2
  exit "${_ret}"
}

# Converts a string input into an HTML table format.
convertToHTMLTable() {
  local _arg_delimiter=" "
  local _arg_inputObject

  # Process command-line arguments for the function.
  while test $# -gt 0; do
    _key="$1"
    case "$_key" in
    --delimiter | -d)
      test $# -lt 2 && echo "[Error] Missing value for the required argument" >&2 && return 1
      _arg_delimiter=$2
      shift
      ;;
    --*)
      echo "[Error] Got an unexpected argument" >&2
      return 1
      ;;
    *)
      _arg_inputObject=$1
      ;;
    esac
    shift
  done

  # Handles missing input by checking stdin or returning an error.
  if [[ -z $_arg_inputObject ]]; then
    if [ -p /dev/stdin ]; then
      _arg_inputObject=$(cat)
    else
      echo "[Error] Missing input object to convert to table" >&2
      return 1
    fi
  fi

  local htmlTable="<table>\n"
  htmlTable+=$(printf '%b' "$_arg_inputObject" | head -n1 | awk -F "$_arg_delimiter" '{
    printf "<tr>"
    for (i=1; i<=NF; i+=1)
      { printf "<th>"$i"</th>" }
    printf "</tr>"
    }')
  htmlTable+="\n"
  htmlTable+=$(printf '%b' "$_arg_inputObject" | tail -n +2 | awk -F "$_arg_delimiter" '{
    printf "<tr>"
    for (i=1; i<=NF; i+=1)
      { printf "<td>"$i"</td>" }
    print "</tr>"
    }')
  htmlTable+="\n</table>"

  printf '%b' "$htmlTable" '\n'
}

# Parses command-line arguments and sets script variables accordingly.
parse_commandline() {
  while test $# -gt 0; do
    _key="$1"
    case "$_key" in
    --daysInactive | --daysinactive | --days | -d)
      test $# -lt 2 && die "Missing value for the optional argument '$_key'." 1
      _arg_daysInactive=$2
      shift
      ;;
    --daysInactive=*)
      _arg_daysInactive="${_key##--daysInactive=}"
      ;;
    --multilineField | --multilinefield | --multiline | -m)
      test $# -lt 2 && die "Missing value for the optional argument '$_key'." 1
      _arg_multilineField=$2
      shift
      ;;
    --multilineField=*)
      _arg_multilineField="${_key##--multilineField=}"
      ;;
    --wysiwygField | --wysiwygfield | --wysiwyg | -w)
      test $# -lt 2 && die "Missing value for the optional argument '$_key'." 1
      _arg_wysiwygField=$2
      shift
      ;;
    --wysiwygField=*)
      _arg_wysiwygField="${_key##--wysiwygField=}"
      ;;
    --showDisabled | --showdisabled)
      _arg_showDisabled="on"
      ;;
    --help | -h)
      _PRINT_HELP=yes die 0
      ;;
    *)
      _PRINT_HELP=yes die "FATAL ERROR: Got an unexpected argument '$1'" 1
      ;;
    esac
    shift
  done
}

# Parses the command-line arguments passed to the script.
parse_commandline "$@"

# If dynamic script variables are used replace the commandline arguments with them.
if [[ -n $daysInactive ]]; then
  _arg_daysInactive="$daysInactive"
fi

if [[ -n $includeDisabled && $includeDisabled == "true" ]]; then
  _arg_showDisabled="on"
fi

if [[ -n $multilineCustomFieldName ]]; then
  _arg_multilineField="$multilineCustomFieldName"
fi

if [[ -n $wysiwygCustomFieldName ]]; then
  _arg_wysiwygField="$wysiwygCustomFieldName"
fi

# Check if _arg_daysInactive contains any non-digit characters or is less than zero.
# If any of these conditions are true, display the help text and terminate with an error.
if [[ -z $_arg_daysInactive || $_arg_daysInactive =~ [^0-9]+ || $_arg_daysInactive -lt 0 ]]; then
  _PRINT_HELP=yes die "FATAL ERROR: Days Inactive of '$_arg_daysInactive' is invalid! Days Inactive must be a positive number." 1
fi

# Check if both _arg_multilineField and _arg_wysiwygField are set and not empty.
if [[ -n "$_arg_multilineField" && -n "$_arg_wysiwygField" ]]; then
  # Convert both field names to uppercase to check for equality.
  multiline=$(echo "$_arg_multilineField" | tr '[:lower:]' '[:upper:]')
  wysiwyg=$(echo "$_arg_wysiwygField" | tr '[:lower:]' '[:upper:]')

  # If the converted names are the same, it means both fields cannot be identical.
  # If they are, terminate the script with an error.
  if [[ "$multiline" == "$wysiwyg" ]]; then
    _PRINT_HELP=no die 'FATAL ERROR: Multline Field and WYSIWYG Field cannot be the same name. https://ninjarmm.zendesk.com/hc/en-us/articles/360060920631-Custom-Fields-Configuration-Device-Role-Fields'
  fi
fi

# Retrieves the list of user accounts with UniqueIDs greater than 499 (typically these are all not service accounts) from the local user directory.
userAccounts=$(cut -d ":" -f1,3 /etc/passwd | grep -v "nobody" | awk -F ':' '$2 >= 1000 {print $1}')

# Sets up a header string for the table that will display user account information.
header=$(printf '%s' "Username" ';' "Password Last Set" ';' "Last Logon" ';' "Enabled")

# Initializes an empty string to store information about relevant user accounts.
relevantAccounts=

# Iterates over each user account retrieved earlier.
for userAccount in $userAccounts; do
  # Extracts the last login information for that user, filtering out unnecessary lines and formatting.
  lastLogin=$(last -RF1 "$userAccount" | grep -v "wtmp" | grep "\S" | tr -s " " | cut -f3-7 -d " ")

  # Converts the last login date to seconds since the epoch, for easier date comparison.
  if [[ -n $lastLogin ]]; then
    lastLogin=$(date -d "$lastLogin" +"%s")
  fi

  # Calculates the cutoff date in seconds since the epoch for inactivity comparison, based on the days inactive argument.
  if [[ $_arg_daysInactive -gt 0 ]]; then
    cutoffDate=$(date -d "${_arg_daysInactive} days ago" +"%s")
  fi

  # Retrieves the timestamp when the password was last set for the user account and converts it to a readable format.
  passwordLastSet=$(passwd -S "$userAccount" | cut -f3 -d " ")

  # Checks if the user account is part of the group that defines disabled accounts, setting the 'enabled' variable accordingly.
  unlockedaccount=$(passwd -S "$userAccount" | cut -f2 -d " " | grep -v "L")
  nologin=$(grep "$userAccount" /etc/passwd | cut -d ":" -f7 | grep "nologin")
  if [[ -n $unlockedaccount && -z $nologin ]]; then
    enabled="true"
  else
    enabled="false"
  fi

  # Checks if the account is inactive based on the last login date and cutoff date or if the account should be included regardless of its active status.
  if [[ $_arg_daysInactive == "0" || -z "$lastLogin" || $lastLogin -le $cutoffDate ]]; then
    # Formats the last login date or sets it to "Never" if the user has never logged in.
    if [[ -n $lastLogin ]]; then
      lastLogin=$(date -d "@$lastLogin")
    else
      lastLogin="Never"
    fi

    # Skips adding disabled accounts to the output if they should not be shown.
    if [[ $_arg_showDisabled == "off" && $enabled == "false" ]]; then
      continue
    fi

    # Appends the account information to the 'relevantAccounts' string if it meets the criteria.
    relevantAccounts+=$(printf '%s' '\n' "$userAccount" ';' "$passwordLastSet" ';' "$lastLogin" ';' "$enabled")
    foundInactiveAccounts="true"
  fi
done

# Checks if there are any inactive accounts found.
if [[ $foundInactiveAccounts == "true" ]]; then
  # Formats a nice table for easier viewing
  tableView="$header"
  tableView+=$(printf '%s' '\n' "--------" ';' "-----------------" ';' "----------" ';' "-------")
  tableView+="$relevantAccounts"
  tableView=$(printf '%b' "$tableView" | column -s ';' -t)

  # Output to the activity log
  echo ""
  echo 'WARNING: Inactive accounts detected!'
  echo ""
  printf '%b' "$tableView"
  echo ""
else
  # If no inactive accounts were found, outputs a simple message.
  echo "No inactive accounts detected."
fi

# Checks if there is a multiline custom field set and if any inactive accounts have been found.
if [[ -n $_arg_multilineField && $foundInactiveAccounts == "true" ]]; then
  echo ""
  echo "Attempting to set Custom Field '$_arg_multilineField'..."

  # Formats the relevantAccounts data for the multiline custom field.
  multilineValue=$(printf '%b' "$relevantAccounts" | grep "\S" | awk -F ";" '{ 
      print "Username: "$1
      print "Password Last Set: "$2
      print "Last Logon: "$3
      print "Enabled: "$4 
      print ""
  }')

  # Tries to set the multiline custom field using ninjarmm-cli and captures the output.
  if ! output=$(printf '%b' "$multilineValue" | /opt/NinjaRMMAgent/programdata/ninjarmm-cli set --stdin "$_arg_multilineField" 2>&1); then
    echo "[Error] $output" >&2
    EXITCODE=1
  else
    echo "Successfully set Custom Field '$_arg_multilineField'!"
  fi
fi

# Checks if there is a WYSIWYG custom field set and if any inactive accounts have been found.
if [[ -n $_arg_wysiwygField && $foundInactiveAccounts == "true" ]]; then
  echo ""
  echo "Attempting to set Custom Field '$_arg_wysiwygField'..."

  # Initializes an HTML formatted string with headers and account details.
  htmlObject="$header"
  htmlObject+="$relevantAccounts"

  # Converts the text data to an HTML table format.
  htmlObject=$(convertToHTMLTable --delimiter ';' "$htmlObject")

  # Tries to set the WYSIWYG custom field using ninjarmm-cli and captures the output.
  if ! output=$(echo "$htmlObject" | /opt/NinjaRMMAgent/programdata/ninjarmm-cli set --stdin "$_arg_wysiwygField" 2>&1); then
    echo "[Error] $output" >&2
    EXITCODE=1
  else
    echo "Successfully set Custom Field '$_arg_wysiwygField'!"
  fi
fi

# Checks if an error code is set and exits the script with that code.
if [[ -n $EXITCODE ]]; then
  exit "$EXITCODE"
fi

 

Analisi dettagliata

Vediamo come funziona questo script per mantenere l’ordine degli account utente sui tuoi sistemi Linux.

Parametri preimpostati

Lo script per tenere traccia degli account utente inattivi in Linux inizia con la definizione dei parametri preimpostati:

  • –daysInactive: Il numero di giorni in cui un account deve essere inattivo per attivare un avviso.
  • –showDisabled: Parametro per includere o meno gli account disabilitati nel report.
  • –multilineField: Il nome di un campo personalizzato multilinea in cui salvare i risultati.
  • –wysiwygField: Il nome di un campo personalizzato WYSIWYG per salvare i risultati.
  • –help: Visualizza il testo di aiuto.

Parsing degli argomenti della riga di comando

Lo script per tenere traccia degli account utente inattivi in Linux utilizza una funzione per analizzare gli argomenti della riga di comando, impostando di conseguenza le variabili dello script. Se vengono forniti argomenti errati, lo script per tenere traccia degli account utente inattivi in Linux visualizza un messaggio di aiuto ed esce.

Rilevamento degli account utente inattivi in Linux

La funzionalità principale consiste nel rilevare gli account utente inattivi in Linux. Recupera un elenco di account utente con UniqueID superiore a 499 (in genere account non di servizio) dalla directory utenti locale. Quindi controlla la data dell’ultimo accesso di ciascun account e la confronta con la data corrente meno il parametro –daysInactive. Gli account che soddisfano i criteri di inattività vengono contrassegnati.

Generazione di report

Se vengono rilevati account utente inattivi in Linux, lo script genera una tabella formattata che mostra gli account inattivi:

  • Nome utente
  • Più recente impostazione di password
  • Ultimo accesso
  • Stato abilitato

Integrazione con campi personalizzati

Lo script per tenere traccia degli account utente inattivi in Linux può salvare i risultati nei campi personalizzati specificati. Formatta i dati in testo normale o in HTML, a seconda che siano salvati rispettivamente in un campo multilinea o WYSIWYG.

Casi d’uso potenziali

Immagina un amministratore IT che gestisce i server Linux di un’azienda. Le verifiche periodiche degli account utente fanno parte dei protocolli di sicurezza. L’amministratore pianifica l’esecuzione di questo script settimanalmente. Una settimana, lo script rileva diversi account inattivi che non hanno effettuato l’accesso per oltre 90 giorni. Dopo aver esaminato il report, l’amministratore decide di disabilitare questi account fino a un’ulteriore verifica, riducendo così i potenziali rischi per la sicurezza.

Confronti

Altri metodi per ottenere risultati simili possono essere l’auditing manuale o l’utilizzo di strumenti più complessi di gestione degli utenti. L’audit manuale richiede molto tempo ed è soggetto a errori umani. Gli strumenti avanzati possono essere costosi e richiedere un’impostazione e una configurazione approfondite. Questo script per tenere traccia degli account utente inattivi in Linux offre una soluzione semplice e conveniente, ed è un’eccellente via di mezzo.

Domande frequenti

  1. E se volessi controllare l’inattività per un numero diverso di giorni? Modifica di conseguenza il parametro –daysInactive. Per esempio, usa –daysInactive 60 per impostare la verifica su 60 giorni di inattività.
  2. Posso escludere gli account disabilitati dal report? Sì, lo script per tenere traccia degli account utente inattivi in Linux permette di utilizzare il parametro –showDisabled per attivare l’inclusione degli account disabilitati.
  3. Come faccio a salvare i risultati in un campo personalizzato? Specifica i nomi dei campi personalizzati usando i parametri –multilineField o –wysiwygField.
  4. Cosa succede se fornisco parametri errati? Lo script per tenere traccia degli account utente inattivi in Linux visualizzerà un messaggio di aiuto e uscirà, per permetterti di fornire i dati corretti.

Implicazioni

Il monitoraggio regolare degli account utente inattivi in Linux ha profonde implicazioni per la sicurezza informatica. Aiuta a prevenire gli accessi non autorizzati, a ridurre la superficie di attacco e a garantire la conformità ai criteri di sicurezza. Utilizzando questo script, gli amministratori possono automatizzare un aspetto cruciale della gestione degli account utente, migliorando la sicurezza e l’efficienza complessiva.

Raccomandazioni

  • Pianifica l’esecuzione dello script per tenere traccia degli account utente inattivi in Linux a intervalli regolari, per esempio settimanalmente o mensilmente.
  • Esamina tempestivamente il report sugli account inattivi e intraprendi le azioni appropriate.
  • Utilizza la funzione campi personalizzati per integrare i risultati con gli strumenti di gestione IT esistenti.

Considerazioni finali

Una gestione efficiente degli account utente inattivi è fondamentale per mantenere la sicurezza informatica. Questo script fornisce una soluzione pratica e automatizzata per tenere traccia degli account utente inattivi in Linux, che consente agli amministratori di essere sempre in anticipo rispetto alle potenziali minacce alla sicurezza. Incorporando questo strumento nei tuoi protocolli di sicurezza, potrai garantire un ambiente IT più sicuro e conforme.

NinjaOne offre soluzioni di gestione IT complete che si integrano perfettamente con script come questo, fornendo funzionalità avanzate e una gestione centralizzata per l’infrastruttura IT. Sfrutta le capacità dell’automazione e implementa solide pratiche di sicurezza con NinjaOne per proteggere efficacemente la tua organizzazione.

Passi successivi

La creazione di un team IT efficiente ed efficace richiede una soluzione centralizzata che funga da principale strumento per la fornitura di servizi. NinjaOne consente ai team IT di monitorare, gestire, proteggere e supportare tutti i dispositivi, ovunque essi si trovino, senza la necessità di una complessa infrastruttura locale.

Per saperne di più su NinjaOne Endpoint Management, fai un tour dal vivo, o inizia la tua prova gratuita della piattaforma NinjaOne.

Categorie:

Ti potrebbe interessare anche

Guarda una demo×
×

Guarda NinjaOne in azione!

Inviando questo modulo, accetto La politica sulla privacy di NinjaOne.

Termini e condizioni NinjaOne

Cliccando sul pulsante “Accetto” qui sotto, dichiari di accettare i seguenti termini legali e le nostre condizioni d’uso:

  • Diritti di proprietà: NinjaOne possiede e continuerà a possedere tutti i diritti, i titoli e gli interessi relativi allo script (compreso il copyright). NinjaOne ti concede una licenza limitata per l’utilizzo dello script in conformità con i presenti termini legali.
  • Limitazione d’uso: Puoi utilizzare lo script solo per legittimi scopi personali o aziendali interni e non puoi condividere lo script con altri soggetti.
  • Divieto di ripubblicazione: In nessun caso ti è consentito ripubblicare lo script in una libreria di script appartenente o sotto il controllo di un altro fornitore di software.
  • Esclusione di garanzia: Lo script viene fornito “così com’è” e “come disponibile”, senza garanzie di alcun tipo. NinjaOne non promette né garantisce che lo script sia privo di difetti o che soddisfi le tue esigenze o aspettative specifiche.
  • Assunzione del rischio: L’uso che farai dello script è da intendersi a tuo rischio. Riconosci che l’utilizzo dello script comporta alcuni rischi intrinseci, che comprendi e sei pronto ad assumerti.
  • Rinuncia e liberatoria: Non riterrai NinjaOne responsabile di eventuali conseguenze negative o indesiderate derivanti dall’uso dello script e rinuncerai a qualsiasi diritto legale o di equità e a qualsiasi rivalsa nei confronti di NinjaOne in relazione all’uso dello script.
  • EULA: Se sei un cliente NinjaOne, l’uso dello script è soggetto al Contratto di licenza con l’utente finale (EULA) applicabile.