Tutorial

Nuevas actualizaciones y mejoras para Macfleet.

Aviso importante

Los ejemplos de código y scripts proporcionados en estos tutoriales son solo para propósitos educativos. Macfleet no es responsable de ningún problema, daño o vulnerabilidad de seguridad que pueda surgir del uso, modificación o implementación de estos ejemplos. Siempre revisa y prueba el código en un entorno seguro antes de usarlo en sistemas de producción.

Managing Screen Mirroring Icon in Mac Menu Bar

Screen Mirroring on Mac utilizes Apple's AirPlay technology to wirelessly display your Mac's screen content on compatible devices like Apple TV or AirPlay-enabled smart TVs. For administrators managing multiple Mac systems, controlling the visibility of the Screen Mirroring icon in the menu bar can help streamline the user interface and maintain consistency across devices.

This guide provides shell scripts to programmatically show or hide the Screen Mirroring icon in the Mac menu bar, particularly useful for fleet management and automated deployment scenarios.

Understanding Screen Mirroring

Screen Mirroring allows you to:

  • Display your Mac's screen on Apple TV or compatible smart TVs
  • Mirror presentations during meetings
  • Stream content to larger displays
  • Share your screen wirelessly within the same network

The Screen Mirroring option can be controlled through System Settings, but for automated management across multiple devices, shell scripts provide a more efficient solution.

Prerequisites

Before running these scripts, ensure you have:

  • Administrative privileges on the Mac
  • Terminal access
  • macOS 10.15 or later
  • Understanding of shell scripting basics

Script to Show Screen Mirroring Icon

This script makes the Screen Mirroring icon visible in the menu bar:

#!/bin/bash

# Get the current user and their UID
CurrentUser=$(ls -l /dev/console | awk '/ / { print $3 }')
CurrentUserUID=$(id -u "$CurrentUser")

# Enable Screen Mirroring in menu bar
launchctl asuser $CurrentUserUID sudo -iu "$CurrentUser" defaults write com.apple.airplay showInMenuBarIfPresent -int 1

echo "Screen Mirroring icon has been enabled in the menu bar"

What this script does:

  1. Identifies the current user: Uses /dev/console to determine who is currently logged in
  2. Gets user ID: Retrieves the numeric user ID for the current user
  3. Applies setting: Uses launchctl asuser to run the defaults command in the user's context
  4. Enables the icon: Sets showInMenuBarIfPresent to 1 to show the icon

Script to Hide Screen Mirroring Icon

This script hides the Screen Mirroring icon from the menu bar:

#!/bin/bash

# Get the current user and their UID
CurrentUser=$(ls -l /dev/console | awk '/ / { print $3 }')
CurrentUserUID=$(id -u "$CurrentUser")

# Disable Screen Mirroring in menu bar
launchctl asuser $CurrentUserUID sudo -iu "$CurrentUser" defaults write com.apple.airplay showInMenuBarIfPresent -int 0

echo "Screen Mirroring icon has been hidden from the menu bar"

What this script does:

  1. Identifies the current user: Same process as the show script
  2. Gets user ID: Retrieves the numeric user ID
  3. Applies setting: Uses launchctl asuser for proper user context
  4. Hides the icon: Sets showInMenuBarIfPresent to 0 to hide the icon

Usage Instructions

Running the Scripts

  1. Save the script to a file (e.g., show_screen_mirroring.sh or hide_screen_mirroring.sh)
  2. Make it executable:
    chmod +x show_screen_mirroring.sh
  3. Run the script:
    ./show_screen_mirroring.sh

Verification

After running either script, you can verify the changes:

  1. Check the menu bar: The Screen Mirroring icon should appear or disappear based on the script executed
  2. Check System Settings:
    • Go to System Settings > Control Center > Screen Mirroring
    • The "Always Show in Menu Bar" option should reflect the script's action

Advanced Usage

Checking Current Status

You can check the current status of the Screen Mirroring icon:

#!/bin/bash

CurrentUser=$(ls -l /dev/console | awk '/ / { print $3 }')
CurrentUserUID=$(id -u "$CurrentUser")

status=$(launchctl asuser $CurrentUserUID sudo -iu "$CurrentUser" defaults read com.apple.airplay showInMenuBarIfPresent 2>/dev/null)

if [ "$status" = "1" ]; then
    echo "Screen Mirroring icon is currently shown in menu bar"
elif [ "$status" = "0" ]; then
    echo "Screen Mirroring icon is currently hidden from menu bar"
else
    echo "Screen Mirroring menu bar setting is not configured"
fi

Compatibility Notes

  • macOS 12.0 and below: The setting is located in System Preferences > Dock & Menu Bar > AirPlay
  • macOS 13.0 and above: The setting is in System Settings > Control Center > Screen Mirroring
  • User Override: Users can manually change this setting from the System Settings, overriding the script's configuration

Best Practices

  1. Test First: Always test scripts on a single device before bulk deployment
  2. Backup Settings: Consider backing up current settings before making changes
  3. User Communication: Inform users about changes to their menu bar configuration
  4. Documentation: Keep records of which devices have which configurations
  5. Regular Audits: Periodically verify that settings remain as intended

Troubleshooting

Common Issues

  1. Permission Denied: Ensure the script has sudo privileges
  2. User Not Found: The script may fail if run when no user is logged in
  3. Setting Not Applied: Try logging out and back in to refresh the menu bar

Debugging

Add debugging to your scripts:

#!/bin/bash

# Enable debugging
set -x

CurrentUser=$(ls -l /dev/console | awk '/ / { print $3 }')
echo "Current user: $CurrentUser"

CurrentUserUID=$(id -u "$CurrentUser")
echo "User UID: $CurrentUserUID"

# Continue with the rest of the script...

Security Considerations

  • These scripts require administrative privileges
  • Always validate the source of scripts before execution
  • Consider implementing logging for audit trails
  • Test scripts in a controlled environment first

Conclusion

Managing the Screen Mirroring icon visibility in the Mac menu bar through shell scripts provides administrators with powerful tools for maintaining consistent user interfaces across their Mac fleet. Whether you're deploying to a single device or managing hundreds of Macs, these scripts offer a reliable, automated solution.

Remember to thoroughly test any scripts in your environment and consider the user experience when making interface changes. With proper implementation, you can streamline your Mac management workflow while maintaining the flexibility that users need for their daily work.

Tutorial

Nuevas actualizaciones y mejoras para Macfleet.

Configurando un Runner de GitHub Actions en un Mac Mini (Apple Silicon)

Runner de GitHub Actions

GitHub Actions es una plataforma poderosa de CI/CD que te permite automatizar tus flujos de trabajo de desarrollo de software. Aunque GitHub ofrece runners hospedados, los runners auto-hospedados proporcionan mayor control y personalización para tu configuración de CI/CD. Este tutorial te guía a través de la configuración y conexión de un runner auto-hospedado en un Mac mini para ejecutar pipelines de macOS.

Prerrequisitos

Antes de comenzar, asegúrate de tener:

  • Un Mac mini (regístrate en Macfleet)
  • Un repositorio de GitHub con derechos de administrador
  • Un gestor de paquetes instalado (preferiblemente Homebrew)
  • Git instalado en tu sistema

Paso 1: Crear una Cuenta de Usuario Dedicada

Primero, crea una cuenta de usuario dedicada para el runner de GitHub Actions:

# Crear la cuenta de usuario 'gh-runner'
sudo dscl . -create /Users/gh-runner
sudo dscl . -create /Users/gh-runner UserShell /bin/bash
sudo dscl . -create /Users/gh-runner RealName "GitHub runner"
sudo dscl . -create /Users/gh-runner UniqueID "1001"
sudo dscl . -create /Users/gh-runner PrimaryGroupID 20
sudo dscl . -create /Users/gh-runner NFSHomeDirectory /Users/gh-runner

# Establecer la contraseña para el usuario
sudo dscl . -passwd /Users/gh-runner tu_contraseña

# Agregar 'gh-runner' al grupo 'admin'
sudo dscl . -append /Groups/admin GroupMembership gh-runner

Cambia a la nueva cuenta de usuario:

su gh-runner

Paso 2: Instalar Software Requerido

Instala Git y Rosetta 2 (si usas Apple Silicon):

# Instalar Git si no está ya instalado
brew install git

# Instalar Rosetta 2 para Macs Apple Silicon
softwareupdate --install-rosetta

Paso 3: Configurar el Runner de GitHub Actions

  1. Ve a tu repositorio de GitHub
  2. Navega a Configuración > Actions > Runners

Runner de GitHub Actions

  1. Haz clic en "New self-hosted runner" (https://github.com/<username>/<repository>/settings/actions/runners/new)
  2. Selecciona macOS como imagen del runner y ARM64 como arquitectura
  3. Sigue los comandos proporcionados para descargar y configurar el runner

Runner de GitHub Actions

Crea un archivo .env en el directorio _work del runner:

# archivo _work/.env
ImageOS=macos15
XCODE_15_DEVELOPER_DIR=/Applications/Xcode.app/Contents/Developer
  1. Ejecuta el script run.sh en tu directorio del runner para completar la configuración.
  2. Verifica que el runner esté activo y escuchando trabajos en la terminal y revisa la configuración del repositorio de GitHub para la asociación del runner y el estado Idle.

Runner de GitHub Actions

Paso 4: Configurar Sudoers (Opcional)

Si tus acciones requieren privilegios de root, configura el archivo sudoers:

sudo visudo

Agrega la siguiente línea:

gh-runner ALL=(ALL) NOPASSWD: ALL

Paso 5: Usar el Runner en Flujos de Trabajo

Configura tu flujo de trabajo de GitHub Actions para usar el runner auto-hospedado:

name: Flujo de trabajo de muestra

on:
  workflow_dispatch:

jobs:
  build:
    runs-on: [self-hosted, macOS, ARM64]
    steps:
      - name: Instalar NodeJS
        run: brew install node

El runner está autenticado en tu repositorio y etiquetado con self-hosted, macOS, y ARM64. Úsalo en tus flujos de trabajo especificando estas etiquetas en el campo runs-on:

runs-on: [self-hosted, macOS, ARM64]

Mejores Prácticas

  • Mantén tu software del runner actualizado
  • Monitorea regularmente los logs del runner para problemas
  • Usa etiquetas específicas para diferentes tipos de runners
  • Implementa medidas de seguridad apropiadas
  • Considera usar múltiples runners para balanceo de carga

Solución de Problemas

Problemas comunes y soluciones:

  1. Runner no conectando:

    • Verifica conectividad de red
    • Verifica validez del token de GitHub
    • Asegúrate de permisos apropiados
  2. Fallas de construcción:

    • Verifica instalación de Xcode
    • Verifica dependencias requeridas
    • Revisa logs del flujo de trabajo
  3. Problemas de permisos:

    • Verifica permisos de usuario
    • Verifica configuración de sudoers
    • Revisa permisos del sistema de archivos

Conclusión

Ahora tienes un runner auto-hospedado de GitHub Actions configurado en tu Mac mini. Esta configuración te proporciona más control sobre tu entorno de CI/CD y te permite ejecutar flujos de trabajo específicos de macOS de manera eficiente.

Recuerda mantener regularmente tu runner y mantenerlo actualizado con los últimos parches de seguridad y versiones de software.

Aplicación Nativa

Aplicación nativa de Macfleet

Guía de Instalación de Macfleet

Macfleet es una solución poderosa de gestión de flota diseñada específicamente para entornos de Mac Mini alojados en la nube. Como proveedor de hosting en la nube de Mac Mini, puedes usar Macfleet para monitorear, gestionar y optimizar toda tu flota de instancias Mac virtualizadas.

Esta guía de instalación te llevará a través de la configuración del monitoreo de Macfleet en sistemas macOS, Windows y Linux para asegurar una supervisión integral de tu infraestructura en la nube.

🍎 macOS

  • Descarga el archivo .dmg para Mac aquí
  • Haz doble clic en el archivo .dmg descargado
  • Arrastra la aplicación Macfleet a la carpeta Aplicaciones
  • Expulsa el archivo .dmg
  • Abre Preferencias del Sistema > Seguridad y Privacidad
    • Pestaña Privacidad > Accesibilidad
    • Marca Macfleet para permitir el monitoreo
  • Inicia Macfleet desde Aplicaciones
  • El seguimiento comienza automáticamente

🪟 Windows

  • Descarga el archivo .exe para Windows aquí
  • Haz clic derecho en el archivo .exe > "Ejecutar como administrador"
  • Sigue el asistente de instalación
  • Acepta los términos y condiciones
  • Permite en Windows Defender si se solicita
  • Concede permisos de monitoreo de aplicaciones
  • Inicia Macfleet desde el Menú Inicio
  • La aplicación comienza el seguimiento automáticamente

🐧 Linux

  • Descarga el paquete .deb (Ubuntu/Debian) o .rpm (CentOS/RHEL) aquí
  • Instala usando tu gestor de paquetes
    • Ubuntu/Debian: sudo dpkg -i Macfleet-linux.deb
    • CentOS/RHEL: sudo rpm -ivh Macfleet-linux.rpm
  • Permite permisos de acceso X11 si se solicita
  • Agrega el usuario a los grupos apropiados si es necesario
  • Inicia Macfleet desde el menú de Aplicaciones
  • La aplicación comienza el seguimiento automáticamente

Nota: Después de la instalación en todos los sistemas, inicia sesión con tus credenciales de Macfleet para sincronizar datos con tu panel de control.