Spaces:
Runtime error
Runtime error
File size: 6,783 Bytes
0469d65 |
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 |
#!/usr/bin/env python3
"""
Create a Mac .app bundle for SafetyMaster Pro
This creates a double-clickable application for Mac users
"""
import os
import shutil
import stat
from pathlib import Path
def create_mac_app():
"""Create a Mac .app bundle for SafetyMaster Pro."""
print("π Creating SafetyMaster Pro Mac App Bundle")
print("=" * 45)
app_name = "SafetyMaster Pro"
app_bundle = f"{app_name}.app"
# Remove existing app bundle
if os.path.exists(app_bundle):
shutil.rmtree(app_bundle)
# Create app bundle structure
contents_dir = os.path.join(app_bundle, "Contents")
macos_dir = os.path.join(contents_dir, "MacOS")
resources_dir = os.path.join(contents_dir, "Resources")
os.makedirs(macos_dir)
os.makedirs(resources_dir)
print(f"π Created app bundle structure: {app_bundle}")
# Create Info.plist
info_plist = f"""<?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>CFBundleExecutable</key>
<string>SafetyMasterPro</string>
<key>CFBundleIdentifier</key>
<string>com.safetymaster.pro</string>
<key>CFBundleName</key>
<string>SafetyMaster Pro</string>
<key>CFBundleDisplayName</key>
<string>SafetyMaster Pro</string>
<key>CFBundleVersion</key>
<string>1.0.0</string>
<key>CFBundleShortVersionString</key>
<string>1.0</string>
<key>CFBundlePackageType</key>
<string>APPL</string>
<key>CFBundleSignature</key>
<string>SMPR</string>
<key>LSMinimumSystemVersion</key>
<string>10.14</string>
<key>NSCameraUsageDescription</key>
<string>SafetyMaster Pro needs camera access to detect safety equipment and monitor compliance.</string>
<key>NSHighResolutionCapable</key>
<true/>
<key>LSApplicationCategoryType</key>
<string>public.app-category.business</string>
</dict>
</plist>"""
with open(os.path.join(contents_dir, "Info.plist"), "w") as f:
f.write(info_plist)
print("β
Created Info.plist")
# Create the main executable script
executable_script = f"""#!/bin/bash
# SafetyMaster Pro - Mac App Bundle Launcher
# Get the app bundle directory
APP_DIR="$( cd "$( dirname "${{BASH_SOURCE[0]}}" )/.." && pwd )"
RESOURCES_DIR="$APP_DIR/Contents/Resources"
# Change to resources directory
cd "$RESOURCES_DIR"
# Check if Python 3 is installed
if ! command -v python3 &> /dev/null; then
osascript -e 'display dialog "Python 3 is required but not installed.\\n\\nPlease install Python 3.8+ from:\\nhttps://www.python.org/downloads/macos/\\n\\nOr install using Homebrew:\\nbrew install python3" with title "SafetyMaster Pro - Python Required" buttons {{"OK"}} default button "OK" with icon caution'
exit 1
fi
# Install dependencies silently
python3 -m pip install --user -r requirements.txt > /dev/null 2>&1
# Start the application
python3 web_interface.py &
# Wait a moment then open browser
sleep 3
open http://localhost:8080
# Show success message
osascript -e 'display dialog "SafetyMaster Pro is starting!\\n\\nThe web interface will open in your browser at:\\nhttp://localhost:8080\\n\\nMake sure your camera is connected." with title "SafetyMaster Pro Started" buttons {{"OK"}} default button "OK" with icon note'
# Keep the process running
wait
"""
executable_path = os.path.join(macos_dir, "SafetyMasterPro")
with open(executable_path, "w") as f:
f.write(executable_script)
# Make executable
os.chmod(executable_path, stat.S_IRWXU | stat.S_IRGRP | stat.S_IXGRP | stat.S_IROTH | stat.S_IXOTH)
print("β
Created executable launcher")
# Copy all necessary files to Resources
files_to_copy = [
'web_interface.py',
'safety_detector.py',
'camera_manager.py',
'config.py',
'requirements.txt',
'README.md',
]
print("π Copying Python files...")
for file in files_to_copy:
if os.path.exists(file):
shutil.copy2(file, resources_dir)
print(f" β
{file}")
# Copy model files
print("π€ Copying AI models...")
for model_file in Path('.').glob('*.pt'):
shutil.copy2(model_file, resources_dir)
print(f" β
{model_file.name}")
# Copy templates
if os.path.exists('templates'):
shutil.copytree('templates', os.path.join(resources_dir, 'templates'))
print(" β
templates/ folder")
print(f"\nπ Mac app bundle created: {app_bundle}")
print(f"π± Users can now double-click '{app_bundle}' to run SafetyMaster Pro")
print(f"π¦ App bundle size: {get_folder_size(app_bundle):.1f} MB")
return app_bundle
def get_folder_size(folder_path):
"""Get the size of a folder in MB."""
total_size = 0
for dirpath, dirnames, filenames in os.walk(folder_path):
for filename in filenames:
filepath = os.path.join(dirpath, filename)
total_size += os.path.getsize(filepath)
return total_size / (1024 * 1024)
def create_installer_dmg():
"""Create a DMG installer for the Mac app."""
print("\nπΏ Creating DMG installer...")
# This would require additional tools like create-dmg
# For now, just provide instructions
print("π‘ To create a DMG installer:")
print(" 1. Install create-dmg: brew install create-dmg")
print(" 2. Run: create-dmg --volname 'SafetyMaster Pro' --window-pos 200 120 --window-size 600 300 --icon-size 100 --icon 'SafetyMaster Pro.app' 175 120 --hide-extension 'SafetyMaster Pro.app' --app-drop-link 425 120 'SafetyMaster Pro.dmg' 'SafetyMaster Pro.app'")
def main():
"""Main function."""
try:
app_bundle = create_mac_app()
print(f"\nπ Mac Distribution Summary:")
print(f" π App Bundle: {app_bundle}")
print(f" π± Double-clickable: Yes")
print(f" π Camera permissions: Handled automatically")
print(f" π Auto-opens browser: Yes")
print(f"\nβ
Ready for Mac users!")
print(f" Users can simply double-click '{app_bundle}' to start")
# Also update the distribution package
dist_folder = "SafetyMasterPro_v1.0_20250614_174423"
if os.path.exists(dist_folder):
print(f"\nπ¦ Adding to distribution package...")
shutil.copytree(app_bundle, os.path.join(dist_folder, app_bundle))
print(f" β
Added {app_bundle} to {dist_folder}/")
create_installer_dmg()
except Exception as e:
print(f"β Error creating Mac app: {e}")
if __name__ == "__main__":
main() |