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.

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

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.