Tutorial

Novas atualizações e melhorias para a Macfleet.

Aviso importante

Os exemplos de código e scripts fornecidos nestes tutoriais são apenas para fins educacionais. A Macfleet não é responsável por quaisquer problemas, danos ou vulnerabilidades de segurança que possam surgir do uso, modificação ou implementação destes exemplos. Sempre revise e teste o código em um ambiente seguro antes de usá-lo em sistemas de produção.

Desktop Wallpaper Management on macOS

Implement enterprise-grade desktop wallpaper management across your MacFleet deployment with standardized branding policies, automated image deployment, and comprehensive compliance monitoring. This tutorial provides solutions for maintaining consistent corporate visual identity and brand presence.

Understanding macOS Desktop Wallpaper Management

macOS provides several methods for setting desktop wallpapers programmatically:

  • AppleScript via osascript - Cross-application scripting for Finder integration
  • System Preferences - Native configuration through System Database
  • Desktop Pictures Database - Direct SQLite database manipulation
  • Configuration Profiles - MDM-based wallpaper deployment
  • User Defaults - Per-user preference management

Basic Wallpaper Operations

Set Desktop Wallpaper

#!/bin/bash

# Basic wallpaper setting
path="$1"
osascript -e 'tell application "Finder" to set desktop picture to POSIX file "'"$path"'"'
ret=$?

if [ $ret == "0" ]; then
    echo "Wallpaper set successfully"
else
    echo "Operation failed."
fi

Enhanced Wallpaper Setting with Validation

#!/bin/bash

# Enhanced wallpaper setting with validation and error handling
set_wallpaper() {
    local image_path="$1"
    local user_name="$2"
    
    # Validate image file exists
    if [[ ! -f "$image_path" ]]; then
        echo "❌ Error: Image file not found: $image_path"
        return 1
    fi
    
    # Validate image format
    local file_type
    file_type=$(file --mime-type "$image_path" | awk '{print $2}')
    
    if [[ ! "$file_type" =~ ^image/ ]]; then
        echo "❌ Error: Invalid image format: $file_type"
        return 1
    fi
    
    # Set wallpaper using AppleScript
    echo "Setting wallpaper: $image_path"
    
    if [[ -n "$user_name" ]]; then
        # Set for specific user
        sudo -u "$user_name" osascript -e "tell application \"Finder\" to set desktop picture to POSIX file \"$image_path\""
    else
        # Set for current user
        osascript -e "tell application \"Finder\" to set desktop picture to POSIX file \"$image_path\""
    fi
    
    local result=$?
    
    if [[ $result -eq 0 ]]; then
        echo "✅ Wallpaper set successfully for ${user_name:-current user}"
        return 0
    else
        echo "❌ Failed to set wallpaper (exit code: $result)"
        return 1
    fi
}

# Usage example
# set_wallpaper "/Users/Admin/Pictures/company_wallpaper.png" "admin"

Enterprise Wallpaper Management System

Comprehensive Wallpaper Management Tool

#!/bin/bash

# MacFleet Enterprise Desktop Wallpaper Management Tool
# Centralized branding and wallpaper policy enforcement

# Configuration
CONFIG_FILE="/etc/macfleet/wallpaper_policy.conf"
LOG_FILE="/var/log/macfleet_wallpaper.log"
WALLPAPER_DIR="/Library/MacFleet/Wallpapers"
REPORT_DIR="/var/log/macfleet_reports"

# Create directories
mkdir -p "$(dirname "$CONFIG_FILE")" "$(dirname "$LOG_FILE")" "$WALLPAPER_DIR" "$REPORT_DIR"

# Default wallpaper policy
cat > "$CONFIG_FILE" 2>/dev/null << 'EOF' || true
# MacFleet Wallpaper Management Policy
# Version: 2.0

# Branding Configuration
ENFORCE_CORPORATE_BRANDING=true
ALLOW_USER_CUSTOMIZATION=false
DEFAULT_WALLPAPER="corporate_standard.jpg"
FALLBACK_WALLPAPER="macfleet_default.png"

# Wallpaper Repository
WALLPAPER_REPOSITORY_URL="https://assets.macfleet.com/wallpapers"
LOCAL_WALLPAPER_DIR="/Library/MacFleet/Wallpapers"
SYNC_WALLPAPERS=true

# Policy Settings
SCHEDULE_WALLPAPER_CHANGES=false
WALLPAPER_ROTATION_INTERVAL=86400  # 24 hours
VALIDATE_IMAGE_INTEGRITY=true
LOG_WALLPAPER_CHANGES=true

# User Restrictions
BLOCK_SYSTEM_PREFERENCES_DESKTOP=false
HIDE_DESKTOP_PREFERENCES=false
LOCK_WALLPAPER_SETTINGS=false

# Supported Formats
SUPPORTED_FORMATS="jpg,jpeg,png,heic,bmp,tiff,gif"
MAX_FILE_SIZE_MB=10
MIN_RESOLUTION="1024x768"
EOF

# Source configuration
source "$CONFIG_FILE" 2>/dev/null || true

# Logging function
log_action() {
    echo "$(date '+%Y-%m-%d %H:%M:%S') - $1" | tee -a "$LOG_FILE"
}

# Validate image file
validate_image() {
    local image_path="$1"
    local errors=()
    
    # Check file existence
    if [[ ! -f "$image_path" ]]; then
        errors+=("File does not exist")
        printf '%s\n' "${errors[@]}"
        return 1
    fi
    
    # Check file format
    local file_type
    file_type=$(file --mime-type "$image_path" 2>/dev/null | awk '{print $2}')
    
    if [[ ! "$file_type" =~ ^image/ ]]; then
        errors+=("Invalid image format: $file_type")
    fi
    
    # Check file extension
    local extension
    extension=$(echo "${image_path##*.}" | tr '[:upper:]' '[:lower:]')
    
    if [[ ",$SUPPORTED_FORMATS," != *",$extension,"* ]]; then
        errors+=("Unsupported file format: $extension")
    fi
    
    # Check file size
    if command -v stat >/dev/null; then
        local file_size_mb
        file_size_mb=$(( $(stat -f%z "$image_path" 2>/dev/null || echo 0) / 1024 / 1024 ))
        
        if [[ $file_size_mb -gt $MAX_FILE_SIZE_MB ]]; then
            errors+=("File too large: ${file_size_mb}MB (max: ${MAX_FILE_SIZE_MB}MB)")
        fi
    fi
    
    # Check image dimensions
    if command -v sips >/dev/null; then
        local dimensions
        dimensions=$(sips -g pixelWidth -g pixelHeight "$image_path" 2>/dev/null | grep -E "pixelWidth|pixelHeight" | awk '{print $2}' | tr '\n' 'x' | sed 's/x$//')
        
        if [[ -n "$dimensions" ]]; then
            local width height
            width=$(echo "$dimensions" | cut -d'x' -f1)
            height=$(echo "$dimensions" | cut -d'x' -f2)
            local min_width min_height
            min_width=$(echo "$MIN_RESOLUTION" | cut -d'x' -f1)
            min_height=$(echo "$MIN_RESOLUTION" | cut -d'x' -f2)
            
            if [[ $width -lt $min_width || $height -lt $min_height ]]; then
                errors+=("Resolution too low: ${dimensions} (min: ${MIN_RESOLUTION})")
            fi
        fi
    fi
    
    if [[ ${#errors[@]} -eq 0 ]]; then
        return 0
    else
        printf '%s\n' "${errors[@]}"
        return 1
    fi
}

# Download wallpaper from repository
download_wallpaper() {
    local wallpaper_name="$1"
    local local_path="$WALLPAPER_DIR/$wallpaper_name"
    
    if [[ "$SYNC_WALLPAPERS" != "true" ]]; then
        echo "Wallpaper sync disabled"
        return 1
    fi
    
    echo "Downloading wallpaper: $wallpaper_name"
    
    # Download using curl
    if curl -fsSL "$WALLPAPER_REPOSITORY_URL/$wallpaper_name" -o "$local_path.tmp"; then
        # Validate downloaded image
        if validate_image "$local_path.tmp" >/dev/null 2>&1; then
            mv "$local_path.tmp" "$local_path"
            echo "✅ Downloaded and validated: $wallpaper_name"
            log_action "Downloaded wallpaper: $wallpaper_name"
            return 0
        else
            rm -f "$local_path.tmp"
            echo "❌ Downloaded file failed validation"
            return 1
        fi
    else
        echo "❌ Failed to download wallpaper"
        return 1
    fi
}

# Set wallpaper for user
set_user_wallpaper() {
    local image_path="$1"
    local target_user="$2"
    
    echo "=== Setting Wallpaper ==="
    echo "Image: $image_path"
    echo "User: ${target_user:-current user}"
    
    # Validate image
    if ! validate_image "$image_path"; then
        echo "❌ Image validation failed"
        return 1
    fi
    
    # Set wallpaper
    if [[ -n "$target_user" ]]; then
        # Set for specific user (requires appropriate permissions)
        sudo -u "$target_user" osascript -e "tell application \"Finder\" to set desktop picture to POSIX file \"$image_path\"" 2>/dev/null
    else
        # Set for current user
        osascript -e "tell application \"Finder\" to set desktop picture to POSIX file \"$image_path\""
    fi
    
    local result=$?
    
    if [[ $result -eq 0 ]]; then
        echo "✅ Wallpaper set successfully"
        log_action "Wallpaper set: $image_path for user: ${target_user:-current}"
        return 0
    else
        echo "❌ Failed to set wallpaper (exit code: $result)"
        log_action "FAILED to set wallpaper: $image_path for user: ${target_user:-current}"
        return 1
    fi
}

# Apply corporate wallpaper
apply_corporate_wallpaper() {
    local wallpaper_name="${1:-$DEFAULT_WALLPAPER}"
    local target_user="$2"
    
    echo "=== Applying Corporate Wallpaper ==="
    
    if [[ "$ENFORCE_CORPORATE_BRANDING" != "true" ]]; then
        echo "Corporate branding enforcement disabled"
        return 0
    fi
    
    # Check if wallpaper exists locally
    local wallpaper_path="$WALLPAPER_DIR/$wallpaper_name"
    
    if [[ ! -f "$wallpaper_path" ]]; then
        echo "Wallpaper not found locally, attempting download..."
        if ! download_wallpaper "$wallpaper_name"; then
            echo "Using fallback wallpaper..."
            wallpaper_path="$WALLPAPER_DIR/$FALLBACK_WALLPAPER"
            
            if [[ ! -f "$wallpaper_path" ]]; then
                echo "❌ No wallpaper available (including fallback)"
                return 1
            fi
        else
            wallpaper_path="$WALLPAPER_DIR/$wallpaper_name"
        fi
    fi
    
    # Apply wallpaper
    set_user_wallpaper "$wallpaper_path" "$target_user"
}

# Get current wallpaper information
get_current_wallpaper() {
    echo "=== Current Wallpaper Information ==="
    
    # Get current wallpaper path using AppleScript
    local current_wallpaper
    current_wallpaper=$(osascript -e 'tell application "Finder" to get desktop picture as string' 2>/dev/null)
    
    if [[ -n "$current_wallpaper" ]]; then
        # Convert from HFS+ path to POSIX path
        local posix_path
        posix_path=$(osascript -e "get POSIX path of \"$current_wallpaper\"" 2>/dev/null)
        
        echo "Current wallpaper: $posix_path"
        
        if [[ -f "$posix_path" ]]; then
            echo "File size: $(du -h "$posix_path" | cut -f1)"
            
            # Get image dimensions if sips is available
            if command -v sips >/dev/null; then
                local dimensions
                dimensions=$(sips -g pixelWidth -g pixelHeight "$posix_path" 2>/dev/null | grep -E "pixelWidth|pixelHeight" | awk '{print $2}' | tr '\n' 'x' | sed 's/x$//')
                echo "Dimensions: $dimensions"
            fi
            
            # Check if it's a corporate wallpaper
            if [[ "$posix_path" == "$WALLPAPER_DIR"* ]]; then
                echo "✅ Corporate wallpaper detected"
            else
                echo "⚠️  Non-corporate wallpaper detected"
            fi
        else
            echo "⚠️  Wallpaper file not found"
        fi
    else
        echo "❌ Unable to retrieve current wallpaper"
    fi
}

# Sync wallpaper repository
sync_wallpaper_repository() {
    echo "=== Syncing Wallpaper Repository ==="
    
    if [[ "$SYNC_WALLPAPERS" != "true" ]]; then
        echo "Wallpaper sync disabled"
        return 0
    fi
    
    # Create wallpaper directory
    mkdir -p "$WALLPAPER_DIR"
    
    # Download manifest file
    local manifest_file="$WALLPAPER_DIR/.manifest"
    
    if curl -fsSL "$WALLPAPER_REPOSITORY_URL/manifest.txt" -o "$manifest_file.tmp" 2>/dev/null; then
        echo "Downloaded wallpaper manifest"
        
        # Process manifest and download wallpapers
        while IFS= read -r wallpaper_name; do
            [[ -z "$wallpaper_name" || "$wallpaper_name" =~ ^# ]] && continue
            
            local local_path="$WALLPAPER_DIR/$wallpaper_name"
            
            if [[ ! -f "$local_path" ]]; then
                echo "Downloading: $wallpaper_name"
                download_wallpaper "$wallpaper_name"
            else
                echo "Already exists: $wallpaper_name"
            fi
        done < "$manifest_file.tmp"
        
        mv "$manifest_file.tmp" "$manifest_file"
        echo "✅ Wallpaper repository synchronized"
        log_action "Wallpaper repository synchronized"
    else
        echo "❌ Failed to download manifest"
        return 1
    fi
}

# Generate compliance report
generate_wallpaper_report() {
    local report_file="$REPORT_DIR/wallpaper_compliance_$(date +%Y%m%d_%H%M%S).json"
    
    echo "=== Generating Wallpaper Compliance Report ==="
    
    # Get current wallpaper
    local current_wallpaper
    current_wallpaper=$(osascript -e 'tell application "Finder" to get desktop picture as string' 2>/dev/null)
    local posix_path=""
    local is_corporate="false"
    local compliance_status="non_compliant"
    
    if [[ -n "$current_wallpaper" ]]; then
        posix_path=$(osascript -e "get POSIX path of \"$current_wallpaper\"" 2>/dev/null)
        
        if [[ "$posix_path" == "$WALLPAPER_DIR"* ]]; then
            is_corporate="true"
            compliance_status="compliant"
        fi
    fi
    
    # Create JSON report
    cat > "$report_file" << EOF
{
  "report_type": "wallpaper_compliance",
  "timestamp": "$(date -u +%Y-%m-%dT%H:%M:%SZ)",
  "device_info": {
    "hostname": "$(hostname)",
    "serial_number": "$(system_profiler SPHardwareDataType | grep "Serial Number" | awk -F: '{print $2}' | xargs)",
    "macos_version": "$(sw_vers -productVersion)",
    "current_user": "$(whoami)"
  },
  "wallpaper_status": {
    "current_wallpaper": "$posix_path",
    "is_corporate_wallpaper": $is_corporate,
    "compliance_status": "$compliance_status",
    "branding_enforced": $ENFORCE_CORPORATE_BRANDING
  },
  "policy_settings": {
    "corporate_branding_enforced": $ENFORCE_CORPORATE_BRANDING,
    "user_customization_allowed": $ALLOW_USER_CUSTOMIZATION,
    "default_wallpaper": "$DEFAULT_WALLPAPER",
    "wallpaper_sync_enabled": $SYNC_WALLPAPERS
  },
  "repository_info": {
    "local_wallpaper_count": $(find "$WALLPAPER_DIR" -name "*.jpg" -o -name "*.png" -o -name "*.jpeg" 2>/dev/null | wc -l | xargs),
    "last_sync": "$(stat -f %Sm "$WALLPAPER_DIR/.manifest" 2>/dev/null || echo "never")"
  }
}
EOF
    
    echo "Wallpaper compliance report saved to: $report_file"
    log_action "Wallpaper compliance report generated: $report_file"
}

# Main function with argument handling
main() {
    log_action "=== MacFleet Wallpaper Management Tool Started ==="
    
    case "${1:-status}" in
        "set")
            set_user_wallpaper "$2" "$3"
            ;;
        "corporate")
            apply_corporate_wallpaper "$2" "$3"
            ;;
        "sync")
            sync_wallpaper_repository
            ;;
        "validate")
            if validate_image "$2"; then
                echo "✅ Image validation passed: $2"
            else
                echo "❌ Image validation failed: $2"
            fi
            ;;
        "download")
            download_wallpaper "$2"
            ;;
        "report")
            generate_wallpaper_report
            ;;
        "status"|*)
            get_current_wallpaper
            ;;
    esac
    
    log_action "=== Wallpaper management operation completed ==="
}

# Execute main function
main "$@"

Advanced Wallpaper Management

Automated Wallpaper Rotation

#!/bin/bash

# Automated wallpaper rotation system
setup_wallpaper_rotation() {
    echo "=== Setting Up Wallpaper Rotation ==="
    
    if [[ "$SCHEDULE_WALLPAPER_CHANGES" != "true" ]]; then
        echo "Wallpaper rotation disabled in policy"
        return 0
    fi
    
    # Create rotation script
    local rotation_script="/usr/local/bin/macfleet-wallpaper-rotate"
    
    cat > "$rotation_script" << 'EOF'
#!/bin/bash
# MacFleet Wallpaper Rotation Script

WALLPAPER_DIR="/Library/MacFleet/Wallpapers"
LOG_FILE="/var/log/macfleet_wallpaper.log"

# Get list of available wallpapers
mapfile -t wallpapers < <(find "$WALLPAPER_DIR" -name "*.jpg" -o -name "*.png" -o -name "*.jpeg" 2>/dev/null)

if [[ ${#wallpapers[@]} -eq 0 ]]; then
    echo "$(date) - No wallpapers found for rotation" >> "$LOG_FILE"
    exit 1
fi

# Select random wallpaper
random_wallpaper="${wallpapers[$RANDOM % ${#wallpapers[@]}]}"

# Apply wallpaper
/usr/local/bin/macfleet-wallpaper set "$random_wallpaper"

echo "$(date) - Rotated to wallpaper: $random_wallpaper" >> "$LOG_FILE"
EOF
    
    chmod +x "$rotation_script"
    
    # Create LaunchDaemon for scheduling
    local plist_file="/Library/LaunchDaemons/com.macfleet.wallpaper-rotation.plist"
    
    cat > "$plist_file" << EOF
<?xml version="1.0" encoding="UTF-8"?>
<!DOCTYPE plist PUBLIC "-//Apple//DTD PLIST 1.0//EN" "http://www.apple.com/DTDs/PropertyList-1.0.dtd">
<plist version="1.0">
<dict>
    <key>Label</key>
    <string>com.macfleet.wallpaper-rotation</string>
    <key>ProgramArguments</key>
    <array>
        <string>$rotation_script</string>
    </array>
    <key>StartInterval</key>
    <integer>$WALLPAPER_ROTATION_INTERVAL</integer>
    <key>RunAtLoad</key>
    <false/>
</dict>
</plist>
EOF
    
    # Load the daemon
    launchctl load "$plist_file"
    
    echo "✅ Wallpaper rotation configured (interval: ${WALLPAPER_ROTATION_INTERVAL}s)"
}

setup_wallpaper_rotation

Multi-Display Wallpaper Management

#!/bin/bash

# Multi-display wallpaper management
set_multi_display_wallpapers() {
    echo "=== Multi-Display Wallpaper Management ==="
    
    # Get display count
    local display_count
    display_count=$(system_profiler SPDisplaysDataType | grep -c "Resolution:")
    
    echo "Detected displays: $display_count"
    
    if [[ $display_count -gt 1 ]]; then
        echo "Setting wallpapers for multiple displays..."
        
        # Set different wallpapers for each display
        for ((i=1; i<=display_count; i++)); do
            local wallpaper_file="display_${i}_wallpaper.jpg"
            local wallpaper_path="$WALLPAPER_DIR/$wallpaper_file"
            
            if [[ -f "$wallpaper_path" ]]; then
                echo "Setting wallpaper for display $i: $wallpaper_file"
                
                # Use AppleScript to set wallpaper for specific display
                osascript << EOF
                tell application "System Events"
                    tell desktop $i
                        set picture to "$wallpaper_path"
                    end tell
                end tell
EOF
            else
                echo "⚠️  Wallpaper not found for display $i: $wallpaper_file"
            fi
        done
    else
        echo "Single display detected, using standard wallpaper"
        apply_corporate_wallpaper
    fi
}

set_multi_display_wallpapers

Wallpaper Policy Enforcement

#!/bin/bash

# Monitor and enforce wallpaper policies
monitor_wallpaper_compliance() {
    echo "=== Wallpaper Compliance Monitoring ==="
    
    # Check current wallpaper compliance
    local current_wallpaper
    current_wallpaper=$(osascript -e 'tell application "Finder" to get desktop picture as string' 2>/dev/null)
    
    if [[ -n "$current_wallpaper" ]]; then
        local posix_path
        posix_path=$(osascript -e "get POSIX path of \"$current_wallpaper\"" 2>/dev/null)
        
        # Check if wallpaper is from corporate repository
        if [[ "$posix_path" != "$WALLPAPER_DIR"* ]] && [[ "$ENFORCE_CORPORATE_BRANDING" == "true" ]]; then
            echo "⚠️  Non-corporate wallpaper detected: $posix_path"
            log_action "POLICY VIOLATION: Non-corporate wallpaper detected: $posix_path"
            
            # Auto-remediate if enabled
            if [[ "$ALLOW_USER_CUSTOMIZATION" != "true" ]]; then
                echo "Auto-remediating with corporate wallpaper..."
                apply_corporate_wallpaper
                log_action "Auto-remediated wallpaper policy violation"
            fi
        else
            echo "✅ Wallpaper compliance: OK"
        fi
    else
        echo "❌ Unable to check wallpaper compliance"
    fi
}

monitor_wallpaper_compliance

Integration and Deployment

MDM Integration Script

#!/bin/bash

# MDM integration for wallpaper deployment
deploy_wallpaper_via_mdm() {
    local wallpaper_url="$1"
    local deployment_mode="${2:-immediate}"
    
    echo "=== MDM Wallpaper Deployment ==="
    echo "Source: $wallpaper_url"
    echo "Mode: $deployment_mode"
    
    # Download wallpaper
    local temp_file="/tmp/mdm_wallpaper_$(date +%s).jpg"
    
    if curl -fsSL "$wallpaper_url" -o "$temp_file"; then
        echo "✅ Downloaded wallpaper from MDM"
        
        # Validate and deploy
        if validate_image "$temp_file"; then
            # Copy to corporate wallpaper directory
            local dest_file="$WALLPAPER_DIR/mdm_deployed_$(basename "$temp_file")"
            cp "$temp_file" "$dest_file"
            
            # Apply immediately or schedule
            case "$deployment_mode" in
                "immediate")
                    set_user_wallpaper "$dest_file"
                    ;;
                "next_login")
                    # Set as default for next login
                    defaults write /Library/Preferences/com.apple.desktop Background "{default = {ImageFilePath = '$dest_file'; }; }"
                    ;;
                "scheduled")
                    # Add to rotation pool
                    echo "Added to rotation pool: $dest_file"
                    ;;
            esac
            
            # Cleanup
            rm -f "$temp_file"
            echo "✅ MDM wallpaper deployment completed"
        else
            echo "❌ MDM wallpaper validation failed"
            rm -f "$temp_file"
            return 1
        fi
    else
        echo "❌ Failed to download wallpaper from MDM"
        return 1
    fi
}

# Example usage:
# deploy_wallpaper_via_mdm "https://mdm.company.com/wallpapers/quarterly_branding.jpg" "immediate"

Important Configuration Notes

AppleScript and Security

  • Privacy permissions required for script execution
  • User consent needed for Finder access on first run
  • Automation permissions for System Events access
  • Full Disk Access may be required for some operations

Supported Image Formats

  • JPEG/JPG - Most common, good compression
  • PNG - Supports transparency, larger files
  • HEIC - Apple's modern format, efficient
  • TIFF/BMP - Legacy formats, large files
  • GIF - Animated support (single frame used)

Best Practices for Enterprise

  1. Image Optimization

    • Use appropriate resolution for target displays
    • Optimize file sizes for network deployment
    • Test images across different display configurations
  2. Branding Consistency

    • Maintain corporate color schemes
    • Include company logos and messaging
    • Consider seasonal or campaign-specific variations
  3. Deployment Strategy

    • Use centralized image repositories
    • Implement staged rollouts for new wallpapers
    • Provide fallback options for connectivity issues
  4. User Experience

    • Consider user preferences where policy allows
    • Provide clear communication about branding policies
    • Offer opt-out mechanisms for non-critical branding

Troubleshooting Common Issues

  • Permission denied errors - Check script execution permissions and user context
  • Image not displaying - Verify file format compatibility and path accessibility
  • Policy conflicts - Review configuration profile settings and user defaults
  • Performance issues - Optimize image file sizes and deployment timing

Remember to test wallpaper changes across different display configurations and user scenarios before deploying to your entire MacFleet environment.

Tutorial

Novas atualizações e melhorias para a Macfleet.

Configurando um Runner do GitHub Actions em um Mac Mini (Apple Silicon)

Runner do GitHub Actions

GitHub Actions é uma plataforma poderosa de CI/CD que permite automatizar seus fluxos de trabalho de desenvolvimento de software. Embora o GitHub ofereça runners hospedados, runners auto-hospedados fornecem maior controle e personalização para sua configuração de CI/CD. Este tutorial o guia através da configuração e conexão de um runner auto-hospedado em um Mac mini para executar pipelines do macOS.

Pré-requisitos

Antes de começar, certifique-se de ter:

  • Um Mac mini (registre-se no Macfleet)
  • Um repositório GitHub com direitos de administrador
  • Um gerenciador de pacotes instalado (preferencialmente Homebrew)
  • Git instalado em seu sistema

Passo 1: Criar uma Conta de Usuário Dedicada

Primeiro, crie uma conta de usuário dedicada para o runner do GitHub Actions:

# Criar a conta de usuário '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

# Definir a senha para o usuário
sudo dscl . -passwd /Users/gh-runner sua_senha

# Adicionar 'gh-runner' ao grupo 'admin'
sudo dscl . -append /Groups/admin GroupMembership gh-runner

Mude para a nova conta de usuário:

su gh-runner

Passo 2: Instalar Software Necessário

Instale Git e Rosetta 2 (se estiver usando Apple Silicon):

# Instalar Git se ainda não estiver instalado
brew install git

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

Passo 3: Configurar o Runner do GitHub Actions

  1. Vá para seu repositório GitHub
  2. Navegue para Configurações > Actions > Runners

Runner do GitHub Actions

  1. Clique em "New self-hosted runner" (https://github.com/<username>/<repository>/settings/actions/runners/new)
  2. Selecione macOS como imagem do runner e ARM64 como arquitetura
  3. Siga os comandos fornecidos para baixar e configurar o runner

Runner do GitHub Actions

Crie um arquivo .env no diretório _work do runner:

# arquivo _work/.env
ImageOS=macos15
XCODE_15_DEVELOPER_DIR=/Applications/Xcode.app/Contents/Developer
  1. Execute o script run.sh em seu diretório do runner para completar a configuração.
  2. Verifique se o runner está ativo e ouvindo por trabalhos no terminal e verifique as configurações do repositório GitHub para a associação do runner e status Idle.

Runner do GitHub Actions

Passo 4: Configurar Sudoers (Opcional)

Se suas ações requerem privilégios de root, configure o arquivo sudoers:

sudo visudo

Adicione a seguinte linha:

gh-runner ALL=(ALL) NOPASSWD: ALL

Passo 5: Usar o Runner em Fluxos de Trabalho

Configure seu fluxo de trabalho do GitHub Actions para usar o runner auto-hospedado:

name: Fluxo de trabalho de exemplo

on:
  workflow_dispatch:

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

O runner está autenticado em seu repositório e rotulado com self-hosted, macOS, e ARM64. Use-o em seus fluxos de trabalho especificando estes rótulos no campo runs-on:

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

Melhores Práticas

  • Mantenha seu software do runner atualizado
  • Monitore regularmente os logs do runner para problemas
  • Use rótulos específicos para diferentes tipos de runners
  • Implemente medidas de segurança adequadas
  • Considere usar múltiplos runners para balanceamento de carga

Solução de Problemas

Problemas comuns e soluções:

  1. Runner não conectando:

    • Verifique conectividade de rede
    • Verifique validade do token GitHub
    • Certifique-se de permissões adequadas
  2. Falhas de build:

    • Verifique instalação do Xcode
    • Verifique dependências necessárias
    • Revise logs do fluxo de trabalho
  3. Problemas de permissão:

    • Verifique permissões do usuário
    • Verifique configuração sudoers
    • Revise permissões do sistema de arquivos

Conclusão

Agora você tem um runner auto-hospedado do GitHub Actions configurado em seu Mac mini. Esta configuração fornece mais controle sobre seu ambiente CI/CD e permite executar fluxos de trabalho específicos do macOS de forma eficiente.

Lembre-se de manter regularmente seu runner e mantê-lo atualizado com os patches de segurança e versões de software mais recentes.

Aplicativo Nativo

Aplicativo nativo do Macfleet

Guia de Instalação do Macfleet

Macfleet é uma solução poderosa de gerenciamento de frota projetada especificamente para ambientes Mac Mini hospedados na nuvem. Como provedor de hospedagem na nuvem Mac Mini, você pode usar o Macfleet para monitorar, gerenciar e otimizar toda sua frota de instâncias Mac virtualizadas.

Este guia de instalação o conduzirá através da configuração do monitoramento do Macfleet em sistemas macOS, Windows e Linux para garantir supervisão abrangente de sua infraestrutura na nuvem.

🍎 macOS

  • Baixe o arquivo .dmg para Mac aqui
  • Clique duas vezes no arquivo .dmg baixado
  • Arraste o aplicativo Macfleet para a pasta Aplicativos
  • Ejete o arquivo .dmg
  • Abra Preferências do Sistema > Segurança e Privacidade
    • Aba Privacidade > Acessibilidade
    • Marque Macfleet para permitir monitoramento
  • Inicie o Macfleet a partir de Aplicativos
  • O rastreamento inicia automaticamente

🪟 Windows

  • Baixe o arquivo .exe para Windows aqui
  • Clique com o botão direito no arquivo .exe > "Executar como administrador"
  • Siga o assistente de instalação
  • Aceite os termos e condições
  • Permita no Windows Defender se solicitado
  • Conceda permissões de monitoramento de aplicativo
  • Inicie o Macfleet a partir do Menu Iniciar
  • O aplicativo começa o rastreamento automaticamente

🐧 Linux

  • Baixe o pacote .deb (Ubuntu/Debian) ou .rpm (CentOS/RHEL) aqui
  • Instale usando seu gerenciador de pacotes
    • Ubuntu/Debian: sudo dpkg -i Macfleet-linux.deb
    • CentOS/RHEL: sudo rpm -ivh Macfleet-linux.rpm
  • Permita permissões de acesso X11 se solicitado
  • Adicione o usuário aos grupos apropriados se necessário
  • Inicie o Macfleet a partir do menu Aplicativos
  • O aplicativo começa o rastreamento automaticamente

Nota: Após a instalação em todos os sistemas, faça login com suas credenciais do Macfleet para sincronizar dados com seu painel de controle.