From: Apple Date: Fri, 27 Jul 2012 18:02:04 +0000 (+0000) Subject: launchd-442.21.tar.gz X-Git-Tag: mac-os-x-108^0 X-Git-Url: https://git.saurik.com/apple/launchd.git/commitdiff_plain/eabd170121c913d6b497fa2503e49f09f5412ddc launchd-442.21.tar.gz --- diff --git a/SystemStarter/IPC.c b/SystemStarter/IPC.c new file mode 100644 index 0000000..2b9350a --- /dev/null +++ b/SystemStarter/IPC.c @@ -0,0 +1,145 @@ +/** + * IPC.c - System Starter IPC routines + * Wilfredo Sanchez | wsanchez@opensource.apple.com + * Kevin Van Vechten | kevinvv@uclink4.berkeley.edu + * $Apple$ + ** + * Copyright (c) 1999-2002 Apple Computer, Inc. All rights reserved. + * + * @APPLE_APACHE_LICENSE_HEADER_START@ + * + * Licensed under the Apache License, Version 2.0 (the "License"); + * you may not use this file except in compliance with the License. + * You may obtain a copy of the License at + * + * http://www.apache.org/licenses/LICENSE-2.0 + * + * Unless required by applicable law or agreed to in writing, software + * distributed under the License is distributed on an "AS IS" BASIS, + * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. + * See the License for the specific language governing permissions and + * limitations under the License. + * + * @APPLE_APACHE_LICENSE_HEADER_END@ + **/ + +#include +#include +#include +#include +#include +#include + +#include "bootstrap.h" + +#include "IPC.h" +#include "StartupItems.h" +#include "SystemStarter.h" +#include "SystemStarterIPC.h" + +/* Structure to pass StartupContext and anItem to the termination handler. */ +typedef struct TerminationContextStorage { + StartupContext aStartupContext; + CFMutableDictionaryRef anItem; +} *TerminationContext; + +/** + * A CFMachPort invalidation callback that records the termination of + * a startup item task. Stops the current run loop to give system_starter + * another go at running items. + **/ +static void +startupItemTerminated(CFMachPortRef aMachPort, void *anInfo) +{ + TerminationContext aTerminationContext = (TerminationContext) anInfo; + + if (aMachPort) { + mach_port_deallocate(mach_task_self(), CFMachPortGetPort(aMachPort)); + } + if (aTerminationContext && aTerminationContext->anItem) { + pid_t aPID = 0; + pid_t rPID = 0; + int aStatus = 0; + CFMutableDictionaryRef anItem = aTerminationContext->anItem; + StartupContext aStartupContext = aTerminationContext->aStartupContext; + + /* Get the exit status */ + if (anItem) { + aPID = StartupItemGetPID(anItem); + if (aPID > 0) + rPID = waitpid(aPID, &aStatus, 0); + } + if (aStartupContext) { + --aStartupContext->aRunningCount; + + /* Record the item's status */ + if (aStartupContext->aStatusDict) { + StartupItemExit(aStartupContext->aStatusDict, anItem, (WIFEXITED(aStatus) && WEXITSTATUS(aStatus) == 0)); + if (aStatus) { + CF_syslog(LOG_WARNING, CFSTR("%@ (%d) did not complete successfully"), CFDictionaryGetValue(anItem, CFSTR("Description")), aPID); + } else { + CF_syslog(LOG_DEBUG, CFSTR("Finished %@ (%d)"), CFDictionaryGetValue(anItem, CFSTR("Description")), aPID); + } + } + /* + * If the item failed to start, then add it to the + * failed list + */ + if (WEXITSTATUS(aStatus) || WTERMSIG(aStatus) || WCOREDUMP(aStatus)) { + CFDictionarySetValue(anItem, kErrorKey, kErrorReturnNonZero); + AddItemToFailedList(aStartupContext, anItem); + } + /* + * Remove the item from the waiting list regardless + * if it was successful or it failed. + */ + RemoveItemFromWaitingList(aStartupContext, anItem); + } + } + if (aTerminationContext) + free(aTerminationContext); +} + +void +MonitorStartupItem(StartupContext aStartupContext, CFMutableDictionaryRef anItem) +{ + pid_t aPID = StartupItemGetPID(anItem); + if (anItem && aPID > 0) { + mach_port_t aPort; + kern_return_t aResult; + CFMachPortContext aContext; + CFMachPortRef aMachPort; + CFRunLoopSourceRef aSource; + TerminationContext aTerminationContext = (TerminationContext) malloc(sizeof(struct TerminationContextStorage)); + + aTerminationContext->aStartupContext = aStartupContext; + aTerminationContext->anItem = anItem; + + aContext.version = 0; + aContext.info = aTerminationContext; + aContext.retain = 0; + aContext.release = 0; + + if ((aResult = task_name_for_pid(mach_task_self(), aPID, &aPort)) != KERN_SUCCESS) + goto out_bad; + + if (!(aMachPort = CFMachPortCreateWithPort(NULL, aPort, NULL, &aContext, NULL))) + goto out_bad; + + if (!(aSource = CFMachPortCreateRunLoopSource(NULL, aMachPort, 0))) { + CFRelease(aMachPort); + goto out_bad; + } + CFMachPortSetInvalidationCallBack(aMachPort, startupItemTerminated); + CFRunLoopAddSource(CFRunLoopGetCurrent(), aSource, kCFRunLoopCommonModes); + CFRelease(aSource); + CFRelease(aMachPort); + return; +out_bad: + /* + * The assumption is something failed, the task already + * terminated. + */ + startupItemTerminated(NULL, aTerminationContext); + } +} diff --git a/SystemStarter/IPC.h b/SystemStarter/IPC.h new file mode 100644 index 0000000..d85a482 --- /dev/null +++ b/SystemStarter/IPC.h @@ -0,0 +1,38 @@ +/** + * IPC.h - System Starter IPC routines + * Wilfredo Sanchez | wsanchez@opensource.apple.com + * Kevin Van Vechten | kevinvv@uclink4.berkeley.edu + * $Apple$ + ** + * Copyright (c) 1999-2001 Apple Computer, Inc. All rights reserved. + * + * @APPLE_APACHE_LICENSE_HEADER_START@ + * + * Licensed under the Apache License, Version 2.0 (the "License"); + * you may not use this file except in compliance with the License. + * You may obtain a copy of the License at + * + * http://www.apache.org/licenses/LICENSE-2.0 + * + * Unless required by applicable law or agreed to in writing, software + * distributed under the License is distributed on an "AS IS" BASIS, + * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. + * See the License for the specific language governing permissions and + * limitations under the License. + * + * @APPLE_APACHE_LICENSE_HEADER_END@ + **/ + +#ifndef _IPC_H_ +#define _IPC_H_ + +#include "SystemStarter.h" + +/** + * Monitor a startup item task. Creates a mach port and uses the + * invalidation callback to notify system starter when the process + * terminates. + **/ +void MonitorStartupItem (StartupContext aStartupContext, CFMutableDictionaryRef anItem); + +#endif /* _IPC_H_ */ diff --git a/SystemStarter/StartupItemContext b/SystemStarter/StartupItemContext new file mode 100755 index 0000000..15d0d35 --- /dev/null +++ b/SystemStarter/StartupItemContext @@ -0,0 +1,5 @@ +#!/bin/sh + +unset LAUNCHD_SOCKET + +exec launchctl bsexec / "$@" diff --git a/SystemStarter/StartupItemContext.8 b/SystemStarter/StartupItemContext.8 new file mode 100644 index 0000000..eff4ab4 --- /dev/null +++ b/SystemStarter/StartupItemContext.8 @@ -0,0 +1,35 @@ +.Dd July 7, 2002 +.Dt StartupItemContext 8 +.Os Darwin +.Sh NAME +.Nm StartupItemContext +.\" The following lines are read in generating the apropos(man -k) database. Use only key +.\" words here as the database is built based on the words here and in the .ND line. +.\" Use .Nm macro to designate other names for the documented program. +.Nd Execute a program in StartupItem context +.Sh SYNOPSIS +.Nm +.Op Ar program Op Ar arguments +.Sh DESCRIPTION +The +.Nm +utility launches the specified program in StartupItem bootstrap context. Each Darwin +and Mac OS X login creates a unique bootstrap subset context to contain login specific +Mach port registrations with the bootstrap server. All such registrations performed +within the context of that subset are only visible to other processes within that +context or subsequent subsets of it. Therefore, a Mach port based service/daemon +launched within a login context will not be visible to other such contexts. +.Pp +To override this, a root user can use the +.Nm +utility to launch the program within the same bootstrap context as all other +StartupItems. All subsequent Mach port bootstrap registrations perfomed by the program +will be visible system-wide. +.Sh NOTES +All bootstrap port lookups will also be resticted +to the StartupItem context. The services provided on a per-login basis (clipboard, +etc...) will not be available to the program. +.Sh SEE ALSO +.\" List links in ascending order by section, alphabetically within a section. +.\" Please do not reference files that do not exist without filing a bug report +.Xr SystemStarter 8 diff --git a/SystemStarter/StartupItems.c b/SystemStarter/StartupItems.c new file mode 100644 index 0000000..9fc2325 --- /dev/null +++ b/SystemStarter/StartupItems.c @@ -0,0 +1,1045 @@ +/** + * StartupItems.c - Startup Item management routines + * Wilfredo Sanchez | wsanchez@opensource.apple.com + * Kevin Van Vechten | kevinvv@uclink4.berkeley.edu + * $Apple$ + ** + * Copyright (c) 1999-2002 Apple Computer, Inc. All rights reserved. + * + * @APPLE_APACHE_LICENSE_HEADER_START@ + * + * Licensed under the Apache License, Version 2.0 (the "License"); + * you may not use this file except in compliance with the License. + * You may obtain a copy of the License at + * + * http://www.apache.org/licenses/LICENSE-2.0 + * + * Unless required by applicable law or agreed to in writing, software + * distributed under the License is distributed on an "AS IS" BASIS, + * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. + * See the License for the specific language governing permissions and + * limitations under the License. + * + * @APPLE_APACHE_LICENSE_HEADER_END@ + **/ + +#include +#include +#include +#include +#include +#include +#include +#include +#include +#include +#include +#include +#include +#include +#include "StartupItems.h" + +#define kStartupItemsPath "/StartupItems" +#define kParametersFile "StartupParameters.plist" +#define kDisabledFile ".disabled" + +#define kRunSuccess CFSTR("success") +#define kRunFailure CFSTR("failure") + +static const char *argumentForAction(Action anAction) +{ + switch (anAction) { + case kActionStart: + return "start"; + case kActionStop: + return "stop"; + case kActionRestart: + return "restart"; + default: + return NULL; + } +} + +#define checkTypeOfValue(aKey,aTypeID) \ + { \ + CFStringRef aProperty = CFDictionaryGetValue(aConfig, aKey); \ + if (aProperty && CFGetTypeID(aProperty) != aTypeID) \ + return FALSE; \ + } + +static int StartupItemValidate(CFDictionaryRef aConfig) +{ + if (aConfig && CFGetTypeID(aConfig) == CFDictionaryGetTypeID()) { + checkTypeOfValue(kProvidesKey, CFArrayGetTypeID()); + checkTypeOfValue(kRequiresKey, CFArrayGetTypeID()); + + return TRUE; + } + return FALSE; +} + +/* + * remove item from waiting list + */ +void RemoveItemFromWaitingList(StartupContext aStartupContext, CFMutableDictionaryRef anItem) +{ + /* Remove the item from the waiting list. */ + if (aStartupContext && anItem && aStartupContext->aWaitingList) { + CFRange aRange = { 0, CFArrayGetCount(aStartupContext->aWaitingList) }; + CFIndex anIndex = CFArrayGetFirstIndexOfValue(aStartupContext->aWaitingList, aRange, anItem); + + if (anIndex >= 0) { + CFArrayRemoveValueAtIndex(aStartupContext->aWaitingList, anIndex); + } + } +} + +/* + * add item to failed list, create list if it doesn't exist + * return and fail quietly if it can't create list + */ +void AddItemToFailedList(StartupContext aStartupContext, CFMutableDictionaryRef anItem) +{ + if (aStartupContext && anItem) { + /* create the failed list if it doesn't exist */ + if (!aStartupContext->aFailedList) { + aStartupContext->aFailedList = CFArrayCreateMutable(NULL, 0, &kCFTypeArrayCallBacks); + } + if (aStartupContext->aFailedList) { + CFArrayAppendValue(aStartupContext->aFailedList, anItem); + } + } +} + +/** + * startupItemListCopyMatches returns an array of items which contain the string aService in the key aKey + **/ +static CFMutableArrayRef startupItemListCopyMatches(CFArrayRef anItemList, CFStringRef aKey, CFStringRef aService) +{ + CFMutableArrayRef aResult = NULL; + + if (anItemList && aKey && aService) { + CFIndex anItemCount = CFArrayGetCount(anItemList); + CFIndex anItemIndex = 0; + + aResult = CFArrayCreateMutable(NULL, 0, &kCFTypeArrayCallBacks); + + for (anItemIndex = 0; anItemIndex < anItemCount; ++anItemIndex) { + CFMutableDictionaryRef anItem = (CFMutableDictionaryRef) CFArrayGetValueAtIndex(anItemList, anItemIndex); + CFArrayRef aList = CFDictionaryGetValue(anItem, aKey); + + if (aList) { + if (CFArrayContainsValue(aList, CFRangeMake(0, CFArrayGetCount(aList)), aService) && + !CFArrayContainsValue(aResult, CFRangeMake(0, CFArrayGetCount(aResult)), anItem)) { + CFArrayAppendValue(aResult, anItem); + } + } + } + } + return aResult; +} + +static void SpecialCasesStartupItemHandler(CFMutableDictionaryRef aConfig) +{ + static const CFStringRef stubitems[] = { + CFSTR("Accounting"), + CFSTR("System Tuning"), + CFSTR("SecurityServer"), + CFSTR("Portmap"), + CFSTR("System Log"), + CFSTR("Resolver"), + CFSTR("LDAP"), + CFSTR("NetInfo"), + CFSTR("NetworkExtensions"), + CFSTR("DirectoryServices"), + CFSTR("Network Configuration"), + CFSTR("mDNSResponder"), + CFSTR("Cron"), + CFSTR("Core Graphics"), + CFSTR("Core Services"), + CFSTR("Network"), + CFSTR("TIM"), + CFSTR("Disks"), + CFSTR("NIS"), + NULL + }; + CFMutableArrayRef aList, aNewList; + CFIndex i, aCount; + CFStringRef ci, type = kRequiresKey; + const CFStringRef *c; + + again: + aList = (CFMutableArrayRef) CFDictionaryGetValue(aConfig, type); + if (aList) { + aCount = CFArrayGetCount(aList); + + aNewList = CFArrayCreateMutable(kCFAllocatorDefault, aCount, &kCFTypeArrayCallBacks); + + for (i = 0; i < aCount; i++) { + ci = CFArrayGetValueAtIndex(aList, i); + CF_syslog(LOG_DEBUG, CFSTR("%@: Evaluating %@"), type, ci); + for (c = stubitems; *c; c++) { + if (CFEqual(*c, ci)) + break; + } + if (*c == NULL) { + CFArrayAppendValue(aNewList, ci); + CF_syslog(LOG_DEBUG, CFSTR("%@: Keeping %@"), type, ci); + } + } + + CFDictionaryReplaceValue(aConfig, type, aNewList); + CFRelease(aNewList); + } + if (type == kUsesKey) + return; + type = kUsesKey; + goto again; +} + +CFIndex StartupItemListCountServices(CFArrayRef anItemList) +{ + CFIndex aResult = 0; + + if (anItemList) { + CFIndex anItemCount = CFArrayGetCount(anItemList); + CFIndex anItemIndex = 0; + + for (anItemIndex = 0; anItemIndex < anItemCount; ++anItemIndex) { + CFDictionaryRef anItem = CFArrayGetValueAtIndex(anItemList, anItemIndex); + CFArrayRef aProvidesList = CFDictionaryGetValue(anItem, kProvidesKey); + + if (aProvidesList) + aResult += CFArrayGetCount(aProvidesList); + } + } + return aResult; +} + +bool StartupItemSecurityCheck(const char *aPath) +{ + static struct timeval boot_time; + struct stat aStatBuf; + bool r = true; + + if (boot_time.tv_sec == 0) { + int mib[] = { CTL_KERN, KERN_BOOTTIME }; + size_t boot_time_sz = sizeof(boot_time); + int rv; + + rv = sysctl(mib, sizeof(mib) / sizeof(mib[0]), &boot_time, &boot_time_sz, NULL, 0); + + assert(rv != -1); + assert(boot_time_sz == sizeof(boot_time)); + } + + /* should use lstatx_np() on Tiger? */ + if (lstat(aPath, &aStatBuf) == -1) { + if (errno != ENOENT) + syslog(LOG_ERR, "lstat(\"%s\"): %m", aPath); + return false; + } + /* + * We check the boot time because of 5409386. + * We ignore the boot time if PPID != 1 because of 5503536. + */ + if ((aStatBuf.st_ctimespec.tv_sec > boot_time.tv_sec) && (getppid() == 1)) { + syslog(LOG_WARNING, "\"%s\" failed sanity check: path was created after boot up", aPath); + return false; + } + if (!(S_ISREG(aStatBuf.st_mode) || S_ISDIR(aStatBuf.st_mode))) { + syslog(LOG_WARNING, "\"%s\" failed security check: not a directory or regular file", aPath); + r = false; + } + if (aStatBuf.st_mode & S_IWOTH) { + syslog(LOG_WARNING, "\"%s\" failed security check: world writable", aPath); + r = false; + } + if (aStatBuf.st_mode & S_IWGRP) { + syslog(LOG_WARNING, "\"%s\" failed security check: group writable", aPath); + r = false; + } + if (aStatBuf.st_uid != 0) { + syslog(LOG_WARNING, "\"%s\" failed security check: not owned by UID 0", aPath); + r = false; + } + if (aStatBuf.st_gid != 0) { + syslog(LOG_WARNING, "\"%s\" failed security check: not owned by GID 0", aPath); + r = false; + } + if (r == false) { + mkdir(kFixerDir, ACCESSPERMS); + close(open(kFixerPath, O_RDWR|O_CREAT|O_NOCTTY, DEFFILEMODE)); + } + return r; +} + +CFMutableArrayRef StartupItemListCreateWithMask(NSSearchPathDomainMask aMask) +{ + CFMutableArrayRef anItemList = CFArrayCreateMutable(NULL, 0, &kCFTypeArrayCallBacks); + + char aPath[PATH_MAX]; + CFIndex aDomainIndex = 0; + + NSSearchPathEnumerationState aState = NSStartSearchPathEnumeration(NSLibraryDirectory, aMask); + + while ((aState = NSGetNextSearchPathEnumeration(aState, aPath))) { + DIR *aDirectory; + + strlcat(aPath, kStartupItemsPath, sizeof(aPath)); + ++aDomainIndex; + + /* 5485016 + * + * Just in case... + */ + mkdir(aPath, S_IRWXU|S_IRGRP|S_IXGRP|S_IROTH|S_IXOTH); + + if (!StartupItemSecurityCheck(aPath)) + continue; + + if ((aDirectory = opendir(aPath))) { + struct dirent *aBundle; + + while ((aBundle = readdir(aDirectory))) { + struct stat aStatBuf; + char *aBundleName = aBundle->d_name; + char aBundlePath[PATH_MAX]; + char aBundleExecutablePath[PATH_MAX]; + char aConfigFile[PATH_MAX]; + char aDisabledFile[PATH_MAX]; + + if (aBundleName[0] == '.') + continue; + + syslog(LOG_DEBUG, "Found item: %s", aBundleName); + + sprintf(aBundlePath, "%s/%s", aPath, aBundleName); + sprintf(aBundleExecutablePath, "%s/%s", aBundlePath, aBundleName); + sprintf(aConfigFile, "%s/%s", aBundlePath, kParametersFile); + sprintf(aDisabledFile, "%s/%s", aBundlePath, kDisabledFile); + + if (lstat(aDisabledFile, &aStatBuf) == 0) { + syslog(LOG_NOTICE, "Skipping disabled StartupItem: %s", aBundlePath); + continue; + } + if (!StartupItemSecurityCheck(aBundlePath)) + continue; + if (!StartupItemSecurityCheck(aBundleExecutablePath)) + continue; + if (!StartupItemSecurityCheck(aConfigFile)) + continue; + + /* Stow away the plist data for each bundle */ + { + int aConfigFileDescriptor; + + if ((aConfigFileDescriptor = open(aConfigFile, O_RDONLY|O_NOCTTY, (mode_t) 0)) != -1) { + struct stat aConfigFileStatBuffer; + + if (stat(aConfigFile, &aConfigFileStatBuffer) != -1) { + off_t aConfigFileContentsSize = aConfigFileStatBuffer.st_size; + char *aConfigFileContentsBuffer; + + if ((aConfigFileContentsBuffer = + mmap((caddr_t) 0, aConfigFileContentsSize, + PROT_READ, MAP_FILE | MAP_PRIVATE, + aConfigFileDescriptor, (off_t) 0)) != (caddr_t) - 1) { + CFDataRef aConfigData = NULL; + CFMutableDictionaryRef aConfig = NULL; + + aConfigData = + CFDataCreateWithBytesNoCopy(NULL, + (const UInt8 *)aConfigFileContentsBuffer, + aConfigFileContentsSize, + kCFAllocatorNull); + + if (aConfigData) { + aConfig = (CFMutableDictionaryRef) + CFPropertyListCreateFromXMLData(NULL, aConfigData, + kCFPropertyListMutableContainers, + NULL); + } + if (StartupItemValidate(aConfig)) { + CFStringRef aBundlePathString = + CFStringCreateWithCString(NULL, aBundlePath, + kCFStringEncodingUTF8); + + CFNumberRef aDomainNumber = + CFNumberCreate(NULL, kCFNumberCFIndexType, + &aDomainIndex); + + CFDictionarySetValue(aConfig, kBundlePathKey, + aBundlePathString); + CFDictionarySetValue(aConfig, kDomainKey, aDomainNumber); + CFRelease(aDomainNumber); + SpecialCasesStartupItemHandler(aConfig); + CFArrayAppendValue(anItemList, aConfig); + + CFRelease(aBundlePathString); + } else { + syslog(LOG_ERR, "Malformatted parameters file: %s", + aConfigFile); + } + + if (aConfig) + CFRelease(aConfig); + if (aConfigData) + CFRelease(aConfigData); + + if (munmap(aConfigFileContentsBuffer, aConfigFileContentsSize) == + -1) { + syslog(LOG_WARNING, + "Unable to unmap parameters file %s for item %s: %m", + aConfigFile, aBundleName); + } + } else { + syslog(LOG_ERR, + "Unable to map parameters file %s for item %s: %m", + aConfigFile, aBundleName); + } + } else { + syslog(LOG_ERR, "Unable to stat parameters file %s for item %s: %m", + aConfigFile, aBundleName); + } + + if (close(aConfigFileDescriptor) == -1) { + syslog(LOG_ERR, "Unable to close parameters file %s for item %s: %m", + aConfigFile, aBundleName); + } + } else { + syslog(LOG_ERR, "Unable to open parameters file %s for item %s: %m", aConfigFile, + aBundleName); + } + } + } + if (closedir(aDirectory) == -1) { + syslog(LOG_WARNING, "Unable to directory bundle %s: %m", aPath); + } + } else { + if (errno != ENOENT) { + syslog(LOG_WARNING, "Open on directory %s failed: %m", aPath); + return (NULL); + } + } + } + + return anItemList; +} + +CFMutableDictionaryRef StartupItemListGetProvider(CFArrayRef anItemList, CFStringRef aService) +{ + CFMutableDictionaryRef aResult = NULL; + CFMutableArrayRef aList = startupItemListCopyMatches(anItemList, kProvidesKey, aService); + + if (aList && CFArrayGetCount(aList) > 0) + aResult = (CFMutableDictionaryRef) CFArrayGetValueAtIndex(aList, 0); + + if (aList) CFRelease(aList); + + return aResult; +} + +CFArrayRef StartupItemListCreateFromRunning(CFArrayRef anItemList) +{ + CFMutableArrayRef aResult = CFArrayCreateMutable(NULL, 0, &kCFTypeArrayCallBacks); + if (aResult) { + CFIndex anIndex, aCount = CFArrayGetCount(anItemList); + for (anIndex = 0; anIndex < aCount; ++anIndex) { + CFDictionaryRef anItem = CFArrayGetValueAtIndex(anItemList, anIndex); + if (anItem) { + CFNumberRef aPID = CFDictionaryGetValue(anItem, kPIDKey); + if (aPID) + CFArrayAppendValue(aResult, anItem); + } + } + } + return aResult; +} + +/* + * Append items in anItemList to aDependents which depend on + * aParentItem. + * If anAction is kActionStart, dependent items are those which + * require any service provided by aParentItem. + * If anAction is kActionStop, dependent items are those which provide + * any service required by aParentItem. + */ +static void appendDependents(CFMutableArrayRef aDependents, CFArrayRef anItemList, CFDictionaryRef aParentItem, Action anAction) +{ + CFStringRef anInnerKey, anOuterKey; + CFArrayRef anOuterList; + + /* Append the parent item to the list (avoiding duplicates) */ + if (!CFArrayContainsValue(aDependents, CFRangeMake(0, CFArrayGetCount(aDependents)), aParentItem)) + CFArrayAppendValue(aDependents, aParentItem); + + /** + * Recursively append any children of the parent item for kStartAction and kStopAction. + * Do nothing for other actions. + **/ + switch (anAction) { + case kActionStart: + anInnerKey = kProvidesKey; + anOuterKey = kRequiresKey; + break; + case kActionStop: + anInnerKey = kRequiresKey; + anOuterKey = kProvidesKey; + break; + default: + return; + } + + anOuterList = CFDictionaryGetValue(aParentItem, anOuterKey); + + if (anOuterList) { + CFIndex anOuterCount = CFArrayGetCount(anOuterList); + CFIndex anOuterIndex; + + for (anOuterIndex = 0; anOuterIndex < anOuterCount; anOuterIndex++) { + CFStringRef anOuterElement = CFArrayGetValueAtIndex(anOuterList, anOuterIndex); + CFIndex anItemCount = CFArrayGetCount(anItemList); + CFIndex anItemIndex; + + for (anItemIndex = 0; anItemIndex < anItemCount; anItemIndex++) { + CFDictionaryRef anItem = CFArrayGetValueAtIndex(anItemList, anItemIndex); + CFArrayRef anInnerList = CFDictionaryGetValue(anItem, anInnerKey); + + if (anInnerList && + CFArrayContainsValue(anInnerList, CFRangeMake(0, CFArrayGetCount(anInnerList)), + anOuterElement) + && !CFArrayContainsValue(aDependents, CFRangeMake(0, CFArrayGetCount(aDependents)), anItem)) + appendDependents(aDependents, anItemList, anItem, anAction); + } + } + } +} + +CFMutableArrayRef StartupItemListCreateDependentsList(CFMutableArrayRef anItemList, CFStringRef aService, Action anAction) +{ + CFMutableArrayRef aDependents = NULL; + CFMutableDictionaryRef anItem = NULL; + + if (anItemList && aService) + anItem = StartupItemListGetProvider(anItemList, aService); + + if (anItem) { + switch (anAction) { + case kActionRestart: + case kActionStart: + case kActionStop: + aDependents = CFArrayCreateMutable(kCFAllocatorDefault, 0, &kCFTypeArrayCallBacks); + + if (!aDependents) { + CF_syslog(LOG_EMERG, CFSTR("Failed to allocate dependancy list for item %@"), anItem); + return NULL; + } + appendDependents(aDependents, anItemList, anItem, anAction); + break; + + default: + break; + } + } + return aDependents; +} + +/** + * countUnmetRequirements counts the number of items in anItemList + * which are pending in aStatusDict. + **/ +static int countUnmetRequirements(CFDictionaryRef aStatusDict, CFArrayRef anItemList) +{ + int aCount = 0; + CFIndex anItemCount = CFArrayGetCount(anItemList); + CFIndex anItemIndex; + + for (anItemIndex = 0; anItemIndex < anItemCount; anItemIndex++) { + CFStringRef anItem = CFArrayGetValueAtIndex(anItemList, anItemIndex); + CFStringRef aStatus = CFDictionaryGetValue(aStatusDict, anItem); + + if (!aStatus || !CFEqual(aStatus, kRunSuccess)) { + CF_syslog(LOG_DEBUG, CFSTR("\tFailed requirement/uses: %@"), anItem); + aCount++; + } + } + + return aCount; +} + +/** + * countDependantsPresent counts the number of items in aWaitingList + * which depend on items in anItemList. + **/ +static int countDependantsPresent(CFArrayRef aWaitingList, CFArrayRef anItemList, CFStringRef aKey) +{ + int aCount = 0; + CFIndex anItemCount = CFArrayGetCount(anItemList); + CFIndex anItemIndex; + + for (anItemIndex = 0; anItemIndex < anItemCount; anItemIndex++) { + CFStringRef anItem = CFArrayGetValueAtIndex(anItemList, anItemIndex); + CFArrayRef aMatchesList = startupItemListCopyMatches(aWaitingList, aKey, anItem); + + if (aMatchesList) { + aCount = aCount + CFArrayGetCount(aMatchesList); + CFRelease(aMatchesList); + } + } + + return aCount; +} + +/** + * pendingAntecedents returns TRUE if any antecedents of this item + * are currently running, have not yet run, or none exist. + **/ +static Boolean +pendingAntecedents(CFArrayRef aWaitingList, CFDictionaryRef aStatusDict, CFArrayRef anAntecedentList, Action anAction) +{ + int aPendingFlag = FALSE; + + CFIndex anAntecedentCount = CFArrayGetCount(anAntecedentList); + CFIndex anAntecedentIndex; + + for (anAntecedentIndex = 0; anAntecedentIndex < anAntecedentCount; ++anAntecedentIndex) { + CFStringRef anAntecedent = CFArrayGetValueAtIndex(anAntecedentList, anAntecedentIndex); + CFStringRef aKey = (anAction == kActionStart) ? kProvidesKey : kUsesKey; + CFArrayRef aMatchesList = startupItemListCopyMatches(aWaitingList, aKey, anAntecedent); + + if (aMatchesList) { + CFIndex aMatchesListCount = CFArrayGetCount(aMatchesList); + CFIndex aMatchesListIndex; + + for (aMatchesListIndex = 0; aMatchesListIndex < aMatchesListCount; ++aMatchesListIndex) { + CFDictionaryRef anItem = CFArrayGetValueAtIndex(aMatchesList, aMatchesListIndex); + + if (!anItem || + !CFDictionaryGetValue(anItem, kPIDKey) || !CFDictionaryGetValue(aStatusDict, anAntecedent)) { + aPendingFlag = TRUE; + break; + } + } + + CFRelease(aMatchesList); + + if (aPendingFlag) + break; + } + } + return (aPendingFlag); +} + +/** + * checkForDuplicates returns TRUE if an item provides the same service as a + * pending item, or an item that already succeeded. + **/ +static Boolean checkForDuplicates(CFArrayRef aWaitingList, CFDictionaryRef aStatusDict, CFDictionaryRef anItem) +{ + int aDuplicateFlag = FALSE; + + CFArrayRef aProvidesList = CFDictionaryGetValue(anItem, kProvidesKey); + CFIndex aProvidesCount = aProvidesList ? CFArrayGetCount(aProvidesList) : 0; + CFIndex aProvidesIndex; + + for (aProvidesIndex = 0; aProvidesIndex < aProvidesCount; ++aProvidesIndex) { + CFStringRef aProvides = CFArrayGetValueAtIndex(aProvidesList, aProvidesIndex); + + /* If the service succeeded, return true. */ + CFStringRef aStatus = CFDictionaryGetValue(aStatusDict, aProvides); + if (aStatus && CFEqual(aStatus, kRunSuccess)) { + aDuplicateFlag = TRUE; + break; + } + /* + * Otherwise test if any item is currently running which + * might provide that service. + */ + else { + CFArrayRef aMatchesList = startupItemListCopyMatches(aWaitingList, kProvidesKey, aProvides); + if (aMatchesList) { + CFIndex aMatchesListCount = CFArrayGetCount(aMatchesList); + CFIndex aMatchesListIndex; + + for (aMatchesListIndex = 0; aMatchesListIndex < aMatchesListCount; ++aMatchesListIndex) { + CFDictionaryRef anDupItem = CFArrayGetValueAtIndex(aMatchesList, aMatchesListIndex); + if (anDupItem && CFDictionaryGetValue(anDupItem, kPIDKey)) { + /* + * Item is running, avoid + * race condition. + */ + aDuplicateFlag = TRUE; + break; + } else { + CFNumberRef anItemDomain = CFDictionaryGetValue(anItem, kDomainKey); + CFNumberRef anotherItemDomain = CFDictionaryGetValue(anDupItem, kDomainKey); + /* + * If anItem was found later + * than aDupItem, stall + * anItem until aDupItem + * runs. + */ + if (anItemDomain && + anotherItemDomain && + CFNumberCompare(anItemDomain, anotherItemDomain, + NULL) == kCFCompareGreaterThan) { + /* + * Item not running, + * but takes + * precedence. + */ + aDuplicateFlag = TRUE; + break; + } + } + } + + CFRelease(aMatchesList); + if (aDuplicateFlag) + break; + } + } + } + return (aDuplicateFlag); +} + +CFMutableDictionaryRef StartupItemListGetNext(CFArrayRef aWaitingList, CFDictionaryRef aStatusDict, Action anAction) +{ + CFMutableDictionaryRef aNextItem = NULL; + CFIndex aWaitingCount = CFArrayGetCount(aWaitingList); + int aMinFailedAntecedents = INT_MAX; + CFIndex aWaitingIndex; + + switch (anAction) { + case kActionStart: + break; + case kActionStop: + break; + case kActionRestart: + break; + default: + return NULL; + } + + if (!aWaitingList || !aStatusDict || aWaitingCount <= 0) + return NULL; + + /** + * Iterate through the items in aWaitingList and look for an optimally ready item. + **/ + for (aWaitingIndex = 0; aWaitingIndex < aWaitingCount; aWaitingIndex++) { + CFMutableDictionaryRef anItem = (CFMutableDictionaryRef) CFArrayGetValueAtIndex(aWaitingList, aWaitingIndex); + CFArrayRef anAntecedentList; + int aFailedAntecedentsCount = 0; /* Number of unmet soft + * depenancies */ + Boolean aBestPick = FALSE; /* Is this the best pick + * so far? */ + + /* Filter out running items. */ + if (CFDictionaryGetValue(anItem, kPIDKey)) + continue; + + /* + * Filter out dupilicate services; if someone has + * provided what we provide, we don't run. + */ + if (checkForDuplicates(aWaitingList, aStatusDict, anItem)) { + CF_syslog(LOG_DEBUG, CFSTR("Skipping %@ because of duplicate service."), + CFDictionaryGetValue(anItem, kDescriptionKey)); + continue; + } + /* + * Dependencies don't matter when restarting an item; + * stop here. + */ + if (anAction == kActionRestart) { + aNextItem = anItem; + break; + } + anAntecedentList = CFDictionaryGetValue(anItem, ((anAction == kActionStart) ? kRequiresKey : kProvidesKey)); + + CF_syslog(LOG_DEBUG, CFSTR("Checking %@"), CFDictionaryGetValue(anItem, kDescriptionKey)); + + if (anAntecedentList) + CF_syslog(LOG_DEBUG, CFSTR("Antecedents: %@"), anAntecedentList); + else + syslog(LOG_DEBUG, "No antecedents"); + + /** + * Filter out the items which have unsatisfied antecedents. + **/ + if (anAntecedentList && + ((anAction == kActionStart) ? + countUnmetRequirements(aStatusDict, anAntecedentList) : + countDependantsPresent(aWaitingList, anAntecedentList, kRequiresKey))) + continue; + + /** + * anItem has all hard dependancies met; check for soft dependancies. + * We'll favor the item with the fewest unmet soft dependancies here. + **/ + anAntecedentList = CFDictionaryGetValue(anItem, ((anAction == kActionStart) ? kUsesKey : kProvidesKey)); + + if (anAntecedentList) + CF_syslog(LOG_DEBUG, CFSTR("Soft dependancies: %@"), anAntecedentList); + else + syslog(LOG_DEBUG, "No soft dependancies"); + + if (anAntecedentList) { + aFailedAntecedentsCount = + ((anAction == kActionStart) ? + countUnmetRequirements(aStatusDict, anAntecedentList) : + countDependantsPresent(aWaitingList, anAntecedentList, kUsesKey)); + } else { + if (aMinFailedAntecedents > 0) + aBestPick = TRUE; + } + + /* + * anItem has unmet dependencies that will + * likely be met in the future, so delay it + */ + if (aFailedAntecedentsCount > 0 && pendingAntecedents(aWaitingList, aStatusDict, anAntecedentList, anAction)) { + continue; + } + if (aFailedAntecedentsCount > 0) + syslog(LOG_DEBUG, "Total: %d", aFailedAntecedentsCount); + + if (aFailedAntecedentsCount > aMinFailedAntecedents) + continue; /* Another item already won out */ + + if (aFailedAntecedentsCount < aMinFailedAntecedents) + aBestPick = TRUE; + + if (!aBestPick) + continue; + + /* + * anItem has less unmet + * dependancies than any + * other item so far, so it + * wins. + */ + syslog(LOG_DEBUG, "Best pick so far, based on failed dependancies (%d->%d)", + aMinFailedAntecedents, aFailedAntecedentsCount); + + /* + * We have a winner! Update success + * parameters to match anItem. + */ + aMinFailedAntecedents = aFailedAntecedentsCount; + aNextItem = anItem; + + } /* End of waiting list loop. */ + + return aNextItem; +} + +CFStringRef StartupItemCreateDescription(CFMutableDictionaryRef anItem) +{ + CFStringRef aString = NULL; + + if (anItem) + aString = CFDictionaryGetValue(anItem, kDescriptionKey); + if (aString) + CFRetain(aString); + return aString; +} + +pid_t StartupItemGetPID(CFDictionaryRef anItem) +{ + CFIndex anItemPID = 0; + CFNumberRef aPIDNumber = anItem ? CFDictionaryGetValue(anItem, kPIDKey) : NULL; + if (aPIDNumber && CFNumberGetValue(aPIDNumber, kCFNumberCFIndexType, &anItemPID)) + return (pid_t) anItemPID; + else + return 0; +} + +CFMutableDictionaryRef StartupItemWithPID(CFArrayRef anItemList, pid_t aPID) +{ + CFIndex anItemCount = CFArrayGetCount(anItemList); + CFIndex anItemIndex; + + for (anItemIndex = 0; anItemIndex < anItemCount; anItemIndex++) { + CFMutableDictionaryRef anItem = (CFMutableDictionaryRef) CFArrayGetValueAtIndex(anItemList, anItemIndex); + CFNumberRef aPIDNumber = CFDictionaryGetValue(anItem, kPIDKey); + CFIndex anItemPID; + + if (aPIDNumber) { + CFNumberGetValue(aPIDNumber, kCFNumberCFIndexType, &anItemPID); + + if ((pid_t) anItemPID == aPID) + return anItem; + } + } + + return NULL; +} + +int StartupItemRun(CFMutableDictionaryRef aStatusDict, CFMutableDictionaryRef anItem, Action anAction) +{ + int anError = -1; + CFArrayRef aProvidesList = CFDictionaryGetValue(anItem, kProvidesKey); + static const CFStringRef stubitems[] = { + CFSTR("BootROMUpdater"), /* 3893064 */ + CFSTR("FCUUpdater"), /* 3893064 */ + CFSTR("AutoProtect Daemon"), /* 3965785 */ + CFSTR("Check For Missed Tasks"), /* 3965785 */ + CFSTR("Privacy"), /* 3933484 */ + CFSTR("Firmware Update Checking"), /* 4001504 */ + + CFSTR("M-Audio FireWire Audio Support"), /* 3931757 */ + CFSTR("help for M-Audio Delta Family"), /* 3931757 */ + CFSTR("help for M-Audio Devices"), /* 3931757 */ + CFSTR("help for M-Audio Revo 5.1"), /* 3931757 */ + CFSTR("M-Audio USB Duo Configuration Service"), /* 3931757 */ + CFSTR("firmware loader for M-Audio devices"), /* 3931757 */ + CFSTR("M-Audio MobilePre USB Configuration Service"), /* 3931757 */ + CFSTR("M-Audio OmniStudio USB Configuration Service"), /* 3931757 */ + CFSTR("M-Audio Transit USB Configuration Service"), /* 3931757 */ + CFSTR("M-Audio Audiophile USB Configuration Service"), /* 3931757 */ + NULL + }; + const CFStringRef *c; + + if (aProvidesList && anAction == kActionStop) { + CFIndex aProvidesCount = CFArrayGetCount(aProvidesList); + for (c = stubitems; *c; c++) { + if (CFArrayContainsValue(aProvidesList, CFRangeMake(0, aProvidesCount), *c)) { + CFIndex aPID = -1; + CFNumberRef aProcessNumber = CFNumberCreate(NULL, kCFNumberCFIndexType, &aPID); + + CFDictionarySetValue(anItem, kPIDKey, aProcessNumber); + CFRelease(aProcessNumber); + + StartupItemExit(aStatusDict, anItem, TRUE); + return -1; + } + } + } + + if (anAction == kActionNone) { + StartupItemExit(aStatusDict, anItem, TRUE); + anError = 0; + } else { + CFStringRef aBundlePathString = CFDictionaryGetValue(anItem, kBundlePathKey); + char aBundlePath[PATH_MAX]; + char anExecutable[PATH_MAX]; + char *tmp; + + if (!CFStringGetCString(aBundlePathString, aBundlePath, sizeof(aBundlePath), kCFStringEncodingUTF8)) { + CF_syslog(LOG_EMERG, CFSTR("Internal error while running item %@"), aBundlePathString); + return (anError); + } + /* Compute path to excecutable */ + tmp = rindex(aBundlePath, '/'); + snprintf(anExecutable, sizeof(anExecutable), "%s%s", aBundlePath, tmp); + + /** + * Run the bundle + **/ + + if (access(anExecutable, X_OK)) { + /* + * Add PID key so that this item is marked as having + * been run. + */ + CFIndex aPID = -1; + CFNumberRef aProcessNumber = CFNumberCreate(NULL, kCFNumberCFIndexType, &aPID); + + CFDictionarySetValue(anItem, kPIDKey, aProcessNumber); + CFRelease(aProcessNumber); + + CFDictionarySetValue(anItem, kErrorKey, kErrorPermissions); + StartupItemExit(aStatusDict, anItem, FALSE); + syslog(LOG_ERR, "No executable file %s", anExecutable); + } else { + pid_t aProccessID = fork(); + + switch (aProccessID) { + case -1: /* SystemStarter (fork failed) */ + CFDictionarySetValue(anItem, kErrorKey, kErrorFork); + StartupItemExit(aStatusDict, anItem, FALSE); + + CF_syslog(LOG_ERR, CFSTR("Failed to fork for item %@: %s"), aBundlePathString, strerror(errno)); + + break; + + default: /* SystemStarter (fork succeeded) */ + { + CFIndex aPID = (CFIndex) aProccessID; + CFNumberRef aProcessNumber = CFNumberCreate(NULL, kCFNumberCFIndexType, &aPID); + + CFDictionarySetValue(anItem, kPIDKey, aProcessNumber); + CFRelease(aProcessNumber); + + syslog(LOG_DEBUG, "Running command (%d): %s %s", + aProccessID, anExecutable, argumentForAction(anAction)); + anError = 0; + } + break; + + case 0: /* Child */ + { + if (setsid() == -1) + syslog(LOG_WARNING, "Unable to create session for item %s: %m", anExecutable); + + anError = execl(anExecutable, anExecutable, argumentForAction(anAction), NULL); + + /* We shouldn't get here. */ + + syslog(LOG_ERR, "execl(\"%s\"): %m", anExecutable); + + exit(anError); + } + } + } + } + + return (anError); +} + +void +StartupItemSetStatus(CFMutableDictionaryRef aStatusDict, CFMutableDictionaryRef anItem, CFStringRef aServiceName, + Boolean aSuccess, Boolean aReplaceFlag) +{ + void (*anAction) (CFMutableDictionaryRef, const void *, const void *) = aReplaceFlag ? + CFDictionarySetValue : CFDictionaryAddValue; + + if (aStatusDict && anItem) { + CFArrayRef aProvidesList = CFDictionaryGetValue(anItem, kProvidesKey); + if (aProvidesList) { + CFIndex aProvidesCount = CFArrayGetCount(aProvidesList); + CFIndex aProvidesIndex; + + /* + * If a service name was specified, and it is valid, + * use only it. + */ + if (aServiceName && CFArrayContainsValue(aProvidesList, CFRangeMake(0, aProvidesCount), aServiceName)) { + aProvidesList = CFArrayCreate(NULL, (const void **)&aServiceName, 1, &kCFTypeArrayCallBacks); + aProvidesCount = 1; + } else { + CFRetain(aProvidesList); + } + + for (aProvidesIndex = 0; aProvidesIndex < aProvidesCount; aProvidesIndex++) { + CFStringRef aService = CFArrayGetValueAtIndex(aProvidesList, aProvidesIndex); + + if (aSuccess) + anAction(aStatusDict, aService, kRunSuccess); + else + anAction(aStatusDict, aService, kRunFailure); + } + + CFRelease(aProvidesList); + } + } +} + +void StartupItemExit(CFMutableDictionaryRef aStatusDict, CFMutableDictionaryRef anItem, Boolean aSuccess) +{ + StartupItemSetStatus(aStatusDict, anItem, NULL, aSuccess, FALSE); +} diff --git a/SystemStarter/StartupItems.h b/SystemStarter/StartupItems.h new file mode 100644 index 0000000..f50b47c --- /dev/null +++ b/SystemStarter/StartupItems.h @@ -0,0 +1,115 @@ +/** + * StartupItems.h - Startup Item management routines + * Wilfredo Sanchez | wsanchez@opensource.apple.com + * Kevin Van Vechten | kevinvv@uclink4.berkeley.edu + * $Apple$ + ** + * Copyright (c) 1999-2002 Apple Computer, Inc. All rights reserved. + * + * @APPLE_APACHE_LICENSE_HEADER_START@ + * + * Licensed under the Apache License, Version 2.0 (the "License"); + * you may not use this file except in compliance with the License. + * You may obtain a copy of the License at + * + * http://www.apache.org/licenses/LICENSE-2.0 + * + * Unless required by applicable law or agreed to in writing, software + * distributed under the License is distributed on an "AS IS" BASIS, + * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. + * See the License for the specific language governing permissions and + * limitations under the License. + * + * @APPLE_APACHE_LICENSE_HEADER_END@ + **/ + +#ifndef _StartupItems_H_ +#define _StartupItems_H_ + +#include + +#include +#include + +#include "SystemStarter.h" + +#define kProvidesKey CFSTR("Provides") +#define kRequiresKey CFSTR("Requires") +#define kDescriptionKey CFSTR("Description") +#define kUsesKey CFSTR("Uses") +#define kErrorKey CFSTR("Error") +#define kBundlePathKey CFSTR("PathToBundle") +#define kPIDKey CFSTR("ProcessID") +#define kDomainKey CFSTR("Domain") + + +#define kErrorPermissions CFSTR("incorrect permissions") +#define kErrorInternal CFSTR("SystemStarter internal error") +#define kErrorReturnNonZero CFSTR("execution of Startup script failed") +#define kErrorFork CFSTR("could not fork() StartupItem") + + +/* + * Find all available startup items in NSDomains specified by aMask. + */ +CFMutableArrayRef StartupItemListCreateWithMask (NSSearchPathDomainMask aMask); + +/* + * Returns the item responsible for providing aService. + */ +CFMutableDictionaryRef StartupItemListGetProvider (CFArrayRef anItemList, CFStringRef aService); + +/* + * Creates a list of items in anItemList which depend on anItem, given anAction. + */ +CFMutableArrayRef StartupItemListCreateDependentsList (CFMutableArrayRef anItemList, + CFStringRef aService , + Action anAction ); + +/* + * Given aWaitingList of startup items, and aStatusDict describing the current + * startup state, returns the next startup item to run, if any. Returns nil if + * none is available. + * Note that this is not necessarily deterministic; if more than one startup + * item is ready to run, which item gets returned is not specified. An item is + * not ready to run if the specified dependencies are not satisfied yet. + */ +CFMutableDictionaryRef StartupItemListGetNext (CFArrayRef aWaitingList, + CFDictionaryRef aStatusDict , + Action anAction ); + +CFMutableDictionaryRef StartupItemWithPID (CFArrayRef anItemList, pid_t aPID); +pid_t StartupItemGetPID(CFDictionaryRef anItem); + +CFStringRef StartupItemCreateDescription(CFMutableDictionaryRef anItem); + +/* + * Returns a list of currently executing startup items. + */ +CFArrayRef StartupItemListCreateFromRunning(CFArrayRef anItemList); + +/* + * Returns the total number of "Provides" entries of all loaded items. + */ +CFIndex StartupItemListCountServices (CFArrayRef anItemList); + + +/* + * Utility functions + */ +void RemoveItemFromWaitingList(StartupContext aStartupContext, CFMutableDictionaryRef anItem); +void AddItemToFailedList(StartupContext aStartupContext, CFMutableDictionaryRef anItem); + +/* + * Run the startup item. + */ +int StartupItemRun (CFMutableDictionaryRef aStatusDict, CFMutableDictionaryRef anItem, Action anAction); +void StartupItemExit (CFMutableDictionaryRef aStatusDict, CFMutableDictionaryRef anItem, Boolean aSuccess); +void StartupItemSetStatus(CFMutableDictionaryRef aStatusDict, CFMutableDictionaryRef anItem, CFStringRef aServiceName, Boolean aSuccess, Boolean aReplaceFlag); + +/* + * Check whether file was created before boot and has proper permissions to run. + */ +bool StartupItemSecurityCheck(const char *aPath); + +#endif /* _StartupItems_H_ */ diff --git a/SystemStarter/SystemStarter.8 b/SystemStarter/SystemStarter.8 new file mode 100644 index 0000000..aeb1c70 --- /dev/null +++ b/SystemStarter/SystemStarter.8 @@ -0,0 +1,117 @@ +.Dd April 12, 2002 +.Dt SystemStarter 8 +.Os Darwin +.Sh NAME +.Nm SystemStarter +.\" The following lines are read in generating the apropos(man -k) database. Use only key +.\" words here as the database is built based on the words here and in the .ND line. +.\" Use .Nm macro to designate other names for the documented program. +.Nd Start, stop, and restart system services +.Sh SYNOPSIS +.Nm +.Op Fl gvxdDqn +.Op Ar action Op Ar service +.Sh DESCRIPTION +The +.Nm +utility is deprecated. System services should instead be described by a +.Xr launchd.plist 5 . +See +.Xr launchd 8 +for more details. +The +.Nm launchd +utility is available on Mac OS X 10.4 and later. +.Pp +In earlier versions of Mac OS X, the +.Nm +utility is used to start, stop, and restart the system services which +are described in the +.Pa /Library/StartupItems/ +and +.Pa /System/Library/StartupItems/ +paths. +.Pp +The optional +.Ar action +argument specifies which action +.Nm +performs on the startup items. The optional +.Ar service +argument specifies which startup items to perform the action on. If no +.Ar service +is specified, all startup items will be acted on; otherwise, only the item providing the +.Ar service , +any items it requires, or any items that depend on it will be acted on. +.Pp +During boot +.Nm +is invoked by +.Xr launchd 8 +and is responsible for +starting all startup items in an order that satisfies each item's +requirements. +.Sh ACTIONS +.Bl -tag -width -indent +.It Nm start +start all items, or start the item that provides the specified +.Ar service +and all items providing services it requires. +.It Nm stop +stop all items, or stop the item that provides the specified +.Ar service +and all items that depend on it. +.It Nm restart +restart all items, or restart the item providing the specified +.Ar service . +.El +.Sh OPTIONS +.Bl -tag -width -indent +.It Fl g +(ignored) +.It Fl v +verbose (text mode) startup +.It Fl x +(ignored) +.It Fl r +(ignored) +.It Fl d +print debugging output +.It Fl D +print debugging output and dependencies +.It Fl q +be quiet (disable debugging output) +.It Fl n +don't actually perform action on items (no-run mode) +.El +.Sh NOTES +Unless an explicit call to +.Nm ConsoleMessage +is made, +.Nm +examines the exit status of the startup item scripts to determine the success or failure of the services provided by that script. +.Pp +.Sh FILES +.Bl -tag -width -/System/Library/StartupItems -compact +.It Pa /Library/StartupItems/ +User-installed startup items. +.It Pa /System/Library/StartupItems/ +System-provided startup items. +.El +.Sh SEE ALSO +.\" List links in ascending order by section, alphabetically within a section. +.\" Please do not reference files that do not exist without filing a bug report +.Xr ConsoleMessage 8 , +.Xr launchd 8 , +.Xr launchd.plist 5 , +.Xr rc 8 +.\" .Sh BUGS \" Document known, unremedied bugs +.Sh HISTORY +The +.Nm +utility appeared in Darwin 1.0 and +was extended in Darwin 6.0 to support partial startup and interprocess communication. +.Nm +was deprecated by +.Xr launchd 8 +in Darwin 8.0. diff --git a/SystemStarter/SystemStarter.c b/SystemStarter/SystemStarter.c new file mode 100644 index 0000000..02663f8 --- /dev/null +++ b/SystemStarter/SystemStarter.c @@ -0,0 +1,457 @@ +/** + * System Starter main + * Wilfredo Sanchez | wsanchez@opensource.apple.com + * $Apple$ + ** + * Copyright (c) 1999-2002 Apple Computer, Inc. All rights reserved. + * + * @APPLE_APACHE_LICENSE_HEADER_START@ + * + * Licensed under the Apache License, Version 2.0 (the "License"); + * you may not use this file except in compliance with the License. + * You may obtain a copy of the License at + * + * http://www.apache.org/licenses/LICENSE-2.0 + * + * Unless required by applicable law or agreed to in writing, software + * distributed under the License is distributed on an "AS IS" BASIS, + * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. + * See the License for the specific language governing permissions and + * limitations under the License. + * + * @APPLE_APACHE_LICENSE_HEADER_END@ + **/ + +#include +#include +#include +#include +#include +#include +#include +#include +#include +#include +#include +#include +#include +#include +#include "IPC.h" +#include "StartupItems.h" +#include "SystemStarter.h" +#include "SystemStarterIPC.h" + +bool gDebugFlag = false; +bool gVerboseFlag = false; +bool gNoRunFlag = false; + +static void usage(void) __attribute__((noreturn)); +static int system_starter(Action anAction, const char *aService); +static void displayErrorMessages(StartupContext aStartupContext, Action anAction); +static pid_t fwexec(const char *cmd, ...) __attribute__((sentinel)); +static void autodiskmount(void); +static void dummy_sig(int signo __attribute__((unused))) +{ +} + +int +main(int argc, char *argv[]) +{ + struct kevent kev; + Action anAction = kActionStart; + int ch, r, kq = kqueue(); + + assert(kq != -1); + + EV_SET(&kev, SIGTERM, EVFILT_SIGNAL, EV_ADD, 0, 0, 0); + r = kevent(kq, &kev, 1, NULL, 0, NULL); + assert(r != -1); + signal(SIGTERM, dummy_sig); + + while ((ch = getopt(argc, argv, "gvxirdDqn?")) != -1) { + switch (ch) { + case 'v': + gVerboseFlag = true; + break; + case 'x': + case 'g': + case 'r': + case 'q': + break; + case 'd': + case 'D': + gDebugFlag = true; + break; + case 'n': + gNoRunFlag = true; + break; + case '?': + default: + usage(); + break; + } + } + argc -= optind; + argv += optind; + + if (argc > 2) { + usage(); + } + + openlog(getprogname(), LOG_PID|LOG_CONS|(gDebugFlag ? LOG_PERROR : 0), LOG_DAEMON); + if (gDebugFlag) { + setlogmask(LOG_UPTO(LOG_DEBUG)); + } else if (gVerboseFlag) { + setlogmask(LOG_UPTO(LOG_INFO)); + } else { + setlogmask(LOG_UPTO(LOG_NOTICE)); + } + + if (!gNoRunFlag && (getuid() != 0)) { + syslog(LOG_ERR, "must be root to run"); + exit(EXIT_FAILURE); + } + + if (argc > 0) { + if (strcmp(argv[0], "start") == 0) { + anAction = kActionStart; + } else if (strcmp(argv[0], "stop") == 0) { + anAction = kActionStop; + } else if (strcmp(argv[0], "restart") == 0) { + anAction = kActionRestart; + } else { + usage(); + } + } + + if (argc == 2) { + exit(system_starter(anAction, argv[1])); + } + + unlink(kFixerPath); + + mach_timespec_t w = { 600, 0 }; + kern_return_t kr; + + /* + * Too many old StartupItems had implicit dependancies on "Network" via + * other StartupItems that are now no-ops. + * + * SystemStarter is not on the critical path for boot up, so we'll + * stall here to deal with this legacy dependancy problem. + */ + + if ((kr = IOKitWaitQuiet(kIOMasterPortDefault, &w)) != kIOReturnSuccess) { + syslog(LOG_NOTICE, "IOKitWaitQuiet: %d\n", kr); + } + + fwexec("/usr/sbin/ipconfig", "waitall", NULL); + autodiskmount(); /* wait for Disk Arbitration to report idle */ + + system_starter(kActionStart, NULL); + + if (StartupItemSecurityCheck("/etc/rc.local")) { + fwexec(_PATH_BSHELL, "/etc/rc.local", NULL); + } + + CFNotificationCenterPostNotificationWithOptions( + CFNotificationCenterGetDistributedCenter(), + CFSTR("com.apple.startupitems.completed"), + NULL, NULL, + kCFNotificationDeliverImmediately | kCFNotificationPostToAllSessions); + + r = kevent(kq, NULL, 0, &kev, 1, NULL); + assert(r != -1); + assert(kev.filter == EVFILT_SIGNAL && kev.ident == SIGTERM); + + if (StartupItemSecurityCheck("/etc/rc.shutdown.local")) { + fwexec(_PATH_BSHELL, "/etc/rc.shutdown.local", NULL); + } + + system_starter(kActionStop, NULL); + + exit(EXIT_SUCCESS); +} + + +/** + * checkForActivity checks to see if any items have completed since the last invokation. + * If not, a message is displayed showing what item(s) are being waited on. + **/ +static void +checkForActivity(StartupContext aStartupContext) +{ + static CFIndex aLastStatusDictionaryCount = -1; + static CFStringRef aWaitingForString = NULL; + + if (aStartupContext && aStartupContext->aStatusDict) { + CFIndex aCount = CFDictionaryGetCount(aStartupContext->aStatusDict); + + if (!aWaitingForString) { + aWaitingForString = CFSTR("Waiting for %@"); + } + if (aLastStatusDictionaryCount == aCount) { + CFArrayRef aRunningList = StartupItemListCreateFromRunning(aStartupContext->aWaitingList); + if (aRunningList && CFArrayGetCount(aRunningList) > 0) { + CFMutableDictionaryRef anItem = (CFMutableDictionaryRef) CFArrayGetValueAtIndex(aRunningList, 0); + CFStringRef anItemDescription = StartupItemCreateDescription(anItem); + CFStringRef aString = aWaitingForString && anItemDescription ? + CFStringCreateWithFormat(NULL, NULL, aWaitingForString, anItemDescription) : NULL; + + if (aString) { + CF_syslog(LOG_INFO, CFSTR("%@"), aString); + CFRelease(aString); + } + if (anItemDescription) + CFRelease(anItemDescription); + } + if (aRunningList) + CFRelease(aRunningList); + } + aLastStatusDictionaryCount = aCount; + } +} + +/* + * print out any error messages to the log regarding non starting StartupItems + */ +void +displayErrorMessages(StartupContext aStartupContext, Action anAction) +{ + if (aStartupContext->aFailedList && CFArrayGetCount(aStartupContext->aFailedList) > 0) { + CFIndex anItemCount = CFArrayGetCount(aStartupContext->aFailedList); + CFIndex anItemIndex; + + + syslog(LOG_WARNING, "The following StartupItems failed to %s properly:", (anAction == kActionStart) ? "start" : "stop"); + + for (anItemIndex = 0; anItemIndex < anItemCount; anItemIndex++) { + CFMutableDictionaryRef anItem = (CFMutableDictionaryRef) CFArrayGetValueAtIndex(aStartupContext->aFailedList, anItemIndex); + CFStringRef anErrorDescription = CFDictionaryGetValue(anItem, kErrorKey); + CFStringRef anItemPath = CFDictionaryGetValue(anItem, kBundlePathKey); + + if (anItemPath) { + CF_syslog(LOG_WARNING, CFSTR("%@"), anItemPath); + } + if (anErrorDescription) { + CF_syslog(LOG_WARNING, CFSTR(" - %@"), anErrorDescription); + } else { + CF_syslog(LOG_WARNING, CFSTR(" - %@"), kErrorInternal); + } + } + } + if (CFArrayGetCount(aStartupContext->aWaitingList) > 0) { + CFIndex anItemCount = CFArrayGetCount(aStartupContext->aWaitingList); + CFIndex anItemIndex; + + syslog(LOG_WARNING, "The following StartupItems were not attempted due to failure of a required service:"); + + for (anItemIndex = 0; anItemIndex < anItemCount; anItemIndex++) { + CFMutableDictionaryRef anItem = (CFMutableDictionaryRef) CFArrayGetValueAtIndex(aStartupContext->aWaitingList, anItemIndex); + CFStringRef anItemPath = CFDictionaryGetValue(anItem, kBundlePathKey); + if (anItemPath) { + CF_syslog(LOG_WARNING, CFSTR("%@"), anItemPath); + } + } + } +} + + +static int +system_starter(Action anAction, const char *aService_cstr) +{ + CFStringRef aService = NULL; + NSSearchPathDomainMask aMask; + + if (aService_cstr) + aService = CFStringCreateWithCString(kCFAllocatorDefault, aService_cstr, kCFStringEncodingUTF8); + + StartupContext aStartupContext = (StartupContext) malloc(sizeof(struct StartupContextStorage)); + if (!aStartupContext) { + syslog(LOG_ERR, "Not enough memory to allocate startup context"); + return (1); + } + if (gDebugFlag && gNoRunFlag) + sleep(1); + + /** + * Get a list of Startup Items which are in /Local and /System. + * We can't search /Network yet because the network isn't up. + **/ + aMask = NSSystemDomainMask | NSLocalDomainMask; + + aStartupContext->aWaitingList = StartupItemListCreateWithMask(aMask); + aStartupContext->aFailedList = NULL; + aStartupContext->aStatusDict = CFDictionaryCreateMutable(NULL, 0, &kCFTypeDictionaryKeyCallBacks, + &kCFTypeDictionaryValueCallBacks); + aStartupContext->aServicesCount = 0; + aStartupContext->aRunningCount = 0; + + if (aService) { + CFMutableArrayRef aDependentsList = StartupItemListCreateDependentsList(aStartupContext->aWaitingList, aService, anAction); + + if (aDependentsList) { + CFRelease(aStartupContext->aWaitingList); + aStartupContext->aWaitingList = aDependentsList; + } else { + CF_syslog(LOG_ERR, CFSTR("Unknown service: %@"), aService); + return (1); + } + } + aStartupContext->aServicesCount = StartupItemListCountServices(aStartupContext->aWaitingList); + + /** + * Do the run loop + **/ + while (1) { + CFMutableDictionaryRef anItem = StartupItemListGetNext(aStartupContext->aWaitingList, aStartupContext->aStatusDict, anAction); + + if (anItem) { + int err = StartupItemRun(aStartupContext->aStatusDict, anItem, anAction); + if (!err) { + ++aStartupContext->aRunningCount; + MonitorStartupItem(aStartupContext, anItem); + } else { + /* add item to failed list */ + AddItemToFailedList(aStartupContext, anItem); + + /* Remove the item from the waiting list. */ + RemoveItemFromWaitingList(aStartupContext, anItem); + } + } else { + /* + * If no item was selected to run, and if no items + * are running, startup is done. + */ + if (aStartupContext->aRunningCount == 0) { + syslog(LOG_DEBUG, "none left"); + break; + } + /* + * Process incoming IPC messages and item + * terminations + */ + switch (CFRunLoopRunInMode(kCFRunLoopDefaultMode, 3.0, true)) { + case kCFRunLoopRunTimedOut: + checkForActivity(aStartupContext); + break; + case kCFRunLoopRunFinished: + break; + case kCFRunLoopRunStopped: + break; + case kCFRunLoopRunHandledSource: + break; + default: + /* unknown return value */ + break; + } + } + } + + /** + * Good-bye. + **/ + displayErrorMessages(aStartupContext, anAction); + + /* clean up */ + if (aStartupContext->aStatusDict) + CFRelease(aStartupContext->aStatusDict); + if (aStartupContext->aWaitingList) + CFRelease(aStartupContext->aWaitingList); + if (aStartupContext->aFailedList) + CFRelease(aStartupContext->aFailedList); + + free(aStartupContext); + return (0); +} + +void +CF_syslog(int level, CFStringRef message,...) +{ + char buf[8192]; + CFStringRef cooked_msg; + va_list ap; + + va_start(ap, message); + cooked_msg = CFStringCreateWithFormatAndArguments(NULL, NULL, message, ap); + va_end(ap); + + if (CFStringGetCString(cooked_msg, buf, sizeof(buf), kCFStringEncodingUTF8)) + syslog(level, "%s", buf); + + CFRelease(cooked_msg); +} + +static void +usage(void) +{ + fprintf(stderr, "usage: %s [-vdqn?] [ [ ] ]\n" + "\t: action to take (start|stop|restart); default is start\n" + "\t : name of item to act on; default is all items\n" + "options:\n" + "\t-v: verbose startup\n" + "\t-d: print debugging output\n" + "\t-q: be quiet (disable debugging output)\n" + "\t-n: don't actually perform action on items (pretend mode)\n" + "\t-?: show this help\n", + getprogname()); + exit(EXIT_FAILURE); +} + +pid_t +fwexec(const char *cmd, ...) +{ + const char *argv[100] = { cmd }; + va_list ap; + int wstatus, i = 1; + pid_t p; + + va_start(ap, cmd); + do { + argv[i] = va_arg(ap, char *); + } while (argv[i++]); + va_end(ap); + + switch ((p = fork())) { + case -1: + return -1; + case 0: + execvp(argv[0], (char *const *)argv); + _exit(EXIT_FAILURE); + break; + default: + if (waitpid(p, &wstatus, 0) == -1) { + return -1; + } else if (WIFEXITED(wstatus)) { + if (WEXITSTATUS(wstatus) == 0) { + return 0; + } else { + syslog(LOG_WARNING, "%s exit status: %d", argv[0], WEXITSTATUS(wstatus)); + } + } else { + /* must have died due to signal */ + syslog(LOG_WARNING, "%s died: %s", argv[0], strsignal(WTERMSIG(wstatus))); + } + break; + } + + return -1; +} + +static void +autodiskmount_idle(void* context __attribute__((unused))) +{ + CFRunLoopStop(CFRunLoopGetCurrent()); +} + +static void +autodiskmount(void) +{ + DASessionRef session = DASessionCreate(NULL); + if (session) { + DASessionScheduleWithRunLoop(session, CFRunLoopGetCurrent(), kCFRunLoopDefaultMode); + DARegisterIdleCallback(session, autodiskmount_idle, NULL); + CFRunLoopRun(); + CFRelease(session); + } +} diff --git a/SystemStarter/SystemStarter.h b/SystemStarter/SystemStarter.h new file mode 100644 index 0000000..6a6c0ab --- /dev/null +++ b/SystemStarter/SystemStarter.h @@ -0,0 +1,51 @@ +/** + * SystemStarter.h - System Starter driver + * Wilfredo Sanchez | wsanchez@opensource.apple.com + * $Apple$ + ** + * Copyright (c) 1999-2002 Apple Computer, Inc. All rights reserved. + * + * @APPLE_APACHE_LICENSE_HEADER_START@ + * + * Licensed under the Apache License, Version 2.0 (the "License"); + * you may not use this file except in compliance with the License. + * You may obtain a copy of the License at + * + * http://www.apache.org/licenses/LICENSE-2.0 + * + * Unless required by applicable law or agreed to in writing, software + * distributed under the License is distributed on an "AS IS" BASIS, + * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. + * See the License for the specific language governing permissions and + * limitations under the License. + * + * @APPLE_APACHE_LICENSE_HEADER_END@ + **/ + +#ifndef _SYSTEM_STARTER_H_ +#define _SYSTEM_STARTER_H_ + +/* Structure to pass common objects from system_starter to the IPC handlers */ +typedef struct StartupContextStorage { + CFMutableArrayRef aWaitingList; + CFMutableArrayRef aFailedList; + CFMutableDictionaryRef aStatusDict; + int aServicesCount; + int aRunningCount; +} *StartupContext; + +#define kFixerDir "/var/db/fixer" +#define kFixerPath "/var/db/fixer/StartupItems" + +/* Action types */ +typedef enum { + kActionNone = 0, + kActionStart, + kActionStop, + kActionRestart +} Action; + +void CF_syslog(int level, CFStringRef message, ...); +extern bool gVerboseFlag; + +#endif /* _SYSTEM_STARTER_H_ */ diff --git a/SystemStarter/SystemStarterIPC.h b/SystemStarter/SystemStarterIPC.h new file mode 100644 index 0000000..3a94095 --- /dev/null +++ b/SystemStarter/SystemStarterIPC.h @@ -0,0 +1,88 @@ +/** + * SystemStarterIPC.h - System Starter IPC definitions + * Wilfredo Sanchez | wsanchez@opensource.apple.com + * Kevin Van Vechten | kevinvv@uclink4.berkeley.edu + ** + * Copyright (c) 1999-2001 Apple Computer, Inc. All rights reserved. + * + * @APPLE_APACHE_LICENSE_HEADER_START@ + * + * Licensed under the Apache License, Version 2.0 (the "License"); + * you may not use this file except in compliance with the License. + * You may obtain a copy of the License at + * + * http://www.apache.org/licenses/LICENSE-2.0 + * + * Unless required by applicable law or agreed to in writing, software + * distributed under the License is distributed on an "AS IS" BASIS, + * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. + * See the License for the specific language governing permissions and + * limitations under the License. + * + * @APPLE_APACHE_LICENSE_HEADER_END@ + ** + * Definitions used for IPC communications with SystemStarter. + * SystemStarter listens on a CFMessagePort with the name defined by + * kSystemStarterMessagePort. The messageID of each message should + * be set to the kIPCProtocolVersion constant. The contents of each + * message should be an XML plist containing a dictionary using + * the keys defined in this file. + **/ + +#ifndef _SYSTEM_STARTER_IPC_H +#define _SYSTEM_STARTER_IPC_H + +#include +#include + +/* Compatible with inline CFMessagePort messages. */ +typedef struct SystemStarterIPCMessage { + mach_msg_header_t aHeader; + mach_msg_body_t aBody; + SInt32 aProtocol; + SInt32 aByteLength; + /* Data follows. */ +} SystemStarterIPCMessage; + +/* Name of the CFMessagePort SystemStarter listens on. */ +#define kSystemStarterMessagePort "com.apple.SystemStarter" + +/* kIPCProtocolVersion should be passed as the messageID of the CFMessage. */ +#define kIPCProtocolVersion 0 + +/* kIPCTypeKey should be provided for all messages. */ +#define kIPCMessageKey CFSTR("Message") + +/* Messages are one of the following types: */ +#define kIPCConsoleMessage CFSTR("ConsoleMessage") +#define kIPCStatusMessage CFSTR("StatusMessage") +#define kIPCQueryMessage CFSTR("QueryMessage") +#define kIPCLoadDisplayBundleMessage CFSTR("LoadDisplayBundle") +#define kIPCUnloadDisplayBundleMessage CFSTR("UnloadDisplayBundle") + +/* kIPCServiceNameKey identifies a startup item by one of the services it provides. */ +#define kIPCServiceNameKey CFSTR("ServiceName") + +/* kIPCProcessIDKey identifies a running startup item by its process id. */ +#define kIPCProcessIDKey CFSTR("ProcessID") + +/* kIPCConsoleMessageKey contains the non-localized string to + * display for messages of type kIPCTypeConsoleMessage. + */ +#define kIPCConsoleMessageKey CFSTR("ConsoleMessage") + +/* kIPCStatus key contains a boolean value. True for success, false for failure. */ +#define kIPCStatusKey CFSTR("StatusKey") + +/* kIPCDisplayBundlePathKey contains a string path to the display bundle + SystemStarter should attempt to load. */ +#define kIPCDisplayBundlePathKey CFSTR("DisplayBundlePath") + +/* kIPCConfigNamegKey contains the name of a config setting to query */ +#define kIPCConfigSettingKey CFSTR("ConfigSetting") + +/* Some config settings */ +#define kIPCConfigSettingVerboseFlag CFSTR("VerboseFlag") +#define kIPCConfigSettingNetworkUp CFSTR("NetworkUp") + +#endif /* _SYSTEM_STARTER_IPC_H */ diff --git a/SystemStarter/com.apple.SystemStarter.plist b/SystemStarter/com.apple.SystemStarter.plist new file mode 100644 index 0000000..8ab51c7 --- /dev/null +++ b/SystemStarter/com.apple.SystemStarter.plist @@ -0,0 +1,25 @@ + + + + + KeepAlive + + PathState + + /etc/rc.local + + /etc/rc.shutdown.local + + + + Label + com.apple.SystemStarter + Program + /sbin/SystemStarter + QueueDirectories + + /Library/StartupItems + /System/Library/StartupItems + + + diff --git a/SystemStarter/hostconfig b/SystemStarter/hostconfig new file mode 100644 index 0000000..5aed438 --- /dev/null +++ b/SystemStarter/hostconfig @@ -0,0 +1,6 @@ +# This file is going away + +AFPSERVER=-NO- +AUTHSERVER=-NO- +TIMESYNC=-NO- +QTSSERVER=-NO- diff --git a/launchd.xcodeproj/project.pbxproj b/launchd.xcodeproj/project.pbxproj index d8c88e1..c424676 100644 --- a/launchd.xcodeproj/project.pbxproj +++ b/launchd.xcodeproj/project.pbxproj @@ -50,20 +50,18 @@ /* End PBXAggregateTarget section */ /* Begin PBXBuildFile section */ - 4B0A3103131F266E002DE2E5 /* events.defs in Sources */ = {isa = PBXBuildFile; fileRef = 4B0A30FF131F24AC002DE2E5 /* events.defs */; settings = {ATTRIBUTES = (Server, ); }; }; - 4B0FB8EA1241FE3F00383109 /* domain.defs in Sources */ = {isa = PBXBuildFile; fileRef = 4B0FB8E91241FE3F00383109 /* domain.defs */; settings = {ATTRIBUTES = (Server, ); }; }; - 4B10F1B90F43BE7E00875782 /* launchd_internal.defs in Sources */ = {isa = PBXBuildFile; fileRef = FC59A0BD0E8C8A2A00D41150 /* launchd_internal.defs */; settings = {ATTRIBUTES = (Client, Server, ); }; }; - 4B10F1BA0F43BE7E00875782 /* protocol_vproc.defs in Sources */ = {isa = PBXBuildFile; fileRef = FC3627DF0E9344BF0054F1A3 /* protocol_vproc.defs */; settings = {ATTRIBUTES = (Client, Server, ); }; }; - 4B10F1BB0F43BE7E00875782 /* protocol_job_reply.defs in Sources */ = {isa = PBXBuildFile; fileRef = FC3629160E9348390054F1A3 /* protocol_job_reply.defs */; }; + 4B10F1B90F43BE7E00875782 /* internal.defs in Sources */ = {isa = PBXBuildFile; fileRef = FC59A0BD0E8C8A2A00D41150 /* internal.defs */; settings = {ATTRIBUTES = (Client, Server, ); }; }; + 4B10F1BA0F43BE7E00875782 /* job.defs in Sources */ = {isa = PBXBuildFile; fileRef = FC3627DF0E9344BF0054F1A3 /* job.defs */; settings = {ATTRIBUTES = (Client, Server, ); }; }; + 4B10F1BB0F43BE7E00875782 /* job_reply.defs in Sources */ = {isa = PBXBuildFile; fileRef = FC3629160E9348390054F1A3 /* job_reply.defs */; }; 4B10F1BC0F43BE7E00875782 /* mach_exc.defs in Sources */ = {isa = PBXBuildFile; fileRef = FC36291F0E9349410054F1A3 /* mach_exc.defs */; settings = {ATTRIBUTES = (Server, ); }; }; 4B10F1BD0F43BE7E00875782 /* notify.defs in Sources */ = {isa = PBXBuildFile; fileRef = FC36290C0E93475F0054F1A3 /* notify.defs */; settings = {ATTRIBUTES = (Server, ); }; }; 4B10F1BE0F43BE7E00875782 /* launchd.c in Sources */ = {isa = PBXBuildFile; fileRef = FC59A0C40E8C8A4700D41150 /* launchd.c */; }; - 4B10F1BF0F43BE7E00875782 /* launchd_runtime.c in Sources */ = {isa = PBXBuildFile; fileRef = FC59A0B50E8C8A1F00D41150 /* launchd_runtime.c */; settings = {COMPILER_FLAGS = "-I\"$SYMROOT\""; }; }; - 4B10F1C00F43BE7E00875782 /* launchd_runtime_kill.c in Sources */ = {isa = PBXBuildFile; fileRef = FC59A0B30E8C8A1F00D41150 /* launchd_runtime_kill.c */; }; - 4B10F1C10F43BE7E00875782 /* launchd_core_logic.c in Sources */ = {isa = PBXBuildFile; fileRef = FC59A0B70E8C8A1F00D41150 /* launchd_core_logic.c */; }; - 4B10F1C20F43BE7E00875782 /* launchd_unix_ipc.c in Sources */ = {isa = PBXBuildFile; fileRef = FC59A0B10E8C8A1F00D41150 /* launchd_unix_ipc.c */; }; - 4B10F1C30F43BE7E00875782 /* launchd_ktrace.c in Sources */ = {isa = PBXBuildFile; fileRef = 72FDB15D0EA7D7B200B2AC84 /* launchd_ktrace.c */; }; - 4B10F1C40F43BE7E00875782 /* protocol_job_forward.defs in Sources */ = {isa = PBXBuildFile; fileRef = 72FDB1BF0EA7E21C00B2AC84 /* protocol_job_forward.defs */; }; + 4B10F1BF0F43BE7E00875782 /* runtime.c in Sources */ = {isa = PBXBuildFile; fileRef = FC59A0B50E8C8A1F00D41150 /* runtime.c */; settings = {COMPILER_FLAGS = "-I\"$SYMROOT\""; }; }; + 4B10F1C00F43BE7E00875782 /* kill2.c in Sources */ = {isa = PBXBuildFile; fileRef = FC59A0B30E8C8A1F00D41150 /* kill2.c */; }; + 4B10F1C10F43BE7E00875782 /* core.c in Sources */ = {isa = PBXBuildFile; fileRef = FC59A0B70E8C8A1F00D41150 /* core.c */; }; + 4B10F1C20F43BE7E00875782 /* ipc.c in Sources */ = {isa = PBXBuildFile; fileRef = FC59A0B10E8C8A1F00D41150 /* ipc.c */; }; + 4B10F1C30F43BE7E00875782 /* ktrace.c in Sources */ = {isa = PBXBuildFile; fileRef = 72FDB15D0EA7D7B200B2AC84 /* ktrace.c */; }; + 4B10F1C40F43BE7E00875782 /* job_forward.defs in Sources */ = {isa = PBXBuildFile; fileRef = 72FDB1BF0EA7E21C00B2AC84 /* job_forward.defs */; }; 4B10F1C60F43BE7E00875782 /* libbsm.dylib in Frameworks */ = {isa = PBXBuildFile; fileRef = FC36292C0E934AA40054F1A3 /* libbsm.dylib */; }; 4B10F1C90F43BE7E00875782 /* launchd.conf.5 in CopyFiles */ = {isa = PBXBuildFile; fileRef = FC59A0C30E8C8A4700D41150 /* launchd.conf.5 */; }; 4B10F1CA0F43BE7E00875782 /* launchd.plist.5 in CopyFiles */ = {isa = PBXBuildFile; fileRef = FC59A0C10E8C8A4700D41150 /* launchd.plist.5 */; }; @@ -71,43 +69,48 @@ 4B10F1CD0F43BE7E00875782 /* rc.8 in CopyFiles */ = {isa = PBXBuildFile; fileRef = FC59A0F80E8C8AC300D41150 /* rc.8 */; }; 4B10F1CF0F43BE7E00875782 /* rc.netboot in CopyFiles */ = {isa = PBXBuildFile; fileRef = FC59A0F90E8C8AC300D41150 /* rc.netboot */; }; 4B10F1E80F43BF5C00875782 /* launchctl.c in Sources */ = {isa = PBXBuildFile; fileRef = FC59A0AE0E8C8A0E00D41150 /* launchctl.c */; settings = {COMPILER_FLAGS = "-I\"$SDKROOT\"/System/Library/Frameworks/System.framework/PrivateHeaders"; }; }; - 4B10F1EA0F43BF5C00875782 /* IOKit.framework in Frameworks */ = {isa = PBXBuildFile; fileRef = FC36283E0E93463C0054F1A3 /* IOKit.framework */; }; 4B10F1EB0F43BF5C00875782 /* CoreFoundation.framework in Frameworks */ = {isa = PBXBuildFile; fileRef = FC3628070E9345E10054F1A3 /* CoreFoundation.framework */; }; 4B10F1EC0F43BF5C00875782 /* libedit.dylib in Frameworks */ = {isa = PBXBuildFile; fileRef = FCD713730E95DE49001B0111 /* libedit.dylib */; settings = {ATTRIBUTES = (Weak, ); }; }; 4B10F1EF0F43BF5C00875782 /* launchctl.1 in CopyFiles */ = {isa = PBXBuildFile; fileRef = FC59A0AD0E8C8A0E00D41150 /* launchctl.1 */; }; + 4B1D128B143505CB00A2BDED /* log.c in Sources */ = {isa = PBXBuildFile; fileRef = 4B1D1288143502DA00A2BDED /* log.c */; }; + 4B1D128C143505CD00A2BDED /* log.c in Sources */ = {isa = PBXBuildFile; fileRef = 4B1D1288143502DA00A2BDED /* log.c */; }; 4B1D92010F8BDE7D00125940 /* launchd.ops in CopyFiles */ = {isa = PBXBuildFile; fileRef = 4B1D91ED0F8BDE1A00125940 /* launchd.ops */; }; - 4B287733111A509400C07B35 /* launchd_helper.defs in Sources */ = {isa = PBXBuildFile; fileRef = 4B287732111A509400C07B35 /* launchd_helper.defs */; settings = {ATTRIBUTES = (Client, Server, ); }; }; - 4B28781B111A61A400C07B35 /* launchd_helper.defs in Sources */ = {isa = PBXBuildFile; fileRef = 4B287732111A509400C07B35 /* launchd_helper.defs */; }; - 4B43EAF414101C5800E9E776 /* ServiceManagement.framework in Frameworks */ = {isa = PBXBuildFile; fileRef = 4B43EAF314101C5800E9E776 /* ServiceManagement.framework */; }; - 4B9A1C1F132759F700019C67 /* events.defs in Sources */ = {isa = PBXBuildFile; fileRef = 4B0A30FF131F24AC002DE2E5 /* events.defs */; settings = {ATTRIBUTES = (Server, ); }; }; + 4B287733111A509400C07B35 /* helper.defs in Sources */ = {isa = PBXBuildFile; fileRef = 4B287732111A509400C07B35 /* helper.defs */; settings = {ATTRIBUTES = (Client, Server, ); }; }; + 4B28781B111A61A400C07B35 /* helper.defs in Sources */ = {isa = PBXBuildFile; fileRef = 4B287732111A509400C07B35 /* helper.defs */; }; + 4B7B6DA8143BD343000BCC80 /* IOKit.framework in Frameworks */ = {isa = PBXBuildFile; fileRef = FC36283E0E93463C0054F1A3 /* IOKit.framework */; }; + 4B949DD5143D010F008712B9 /* libCrashReporterClient.a in Frameworks */ = {isa = PBXBuildFile; fileRef = 4B949DD4143D010F008712B9 /* libCrashReporterClient.a */; }; + 4B949DD6143D010F008712B9 /* libCrashReporterClient.a in Frameworks */ = {isa = PBXBuildFile; fileRef = 4B949DD4143D010F008712B9 /* libCrashReporterClient.a */; }; 4B9EDCA20EAFC77E00A78496 /* DiskArbitration.framework in Frameworks */ = {isa = PBXBuildFile; fileRef = 4B9EDCA10EAFC77E00A78496 /* DiskArbitration.framework */; }; - 4BA2F5FD1243063D00C2AADD /* init.defs in Sources */ = {isa = PBXBuildFile; fileRef = 4BA2F5FC1243063D00C2AADD /* init.defs */; }; - 4BF8727C1187A5F000CC7DB5 /* launchd_helper.defs in Sources */ = {isa = PBXBuildFile; fileRef = 4B287732111A509400C07B35 /* launchd_helper.defs */; }; + 4BF8727C1187A5F000CC7DB5 /* helper.defs in Sources */ = {isa = PBXBuildFile; fileRef = 4B287732111A509400C07B35 /* helper.defs */; }; + 60416D1B1402EE6900C190AA /* init.defs in Sources */ = {isa = PBXBuildFile; fileRef = 4BA2F5FC1243063D00C2AADD /* init.defs */; }; + 60416D1D1402EE6A00C190AA /* init.defs in Sources */ = {isa = PBXBuildFile; fileRef = 4BA2F5FC1243063D00C2AADD /* init.defs */; }; + 60416D1E1402EE7200C190AA /* domain.defs in Sources */ = {isa = PBXBuildFile; fileRef = 4B0FB8E91241FE3F00383109 /* domain.defs */; settings = {ATTRIBUTES = (Server, ); }; }; + 60416D1F1402EE7300C190AA /* domain.defs in Sources */ = {isa = PBXBuildFile; fileRef = 4B0FB8E91241FE3F00383109 /* domain.defs */; settings = {ATTRIBUTES = (Server, ); }; }; 7215DE4C0EFAF2EC00ABD81E /* libauditd.dylib in Frameworks */ = {isa = PBXBuildFile; fileRef = 7215DE4B0EFAF2EC00ABD81E /* libauditd.dylib */; }; 726055EC0EA7EC2400D65FE7 /* mach_exc.defs in Sources */ = {isa = PBXBuildFile; fileRef = FC36291F0E9349410054F1A3 /* mach_exc.defs */; settings = {ATTRIBUTES = (Server, ); }; }; - 726056090EA7FCF200D65FE7 /* launchd_ktrace.c in Sources */ = {isa = PBXBuildFile; fileRef = 72FDB15D0EA7D7B200B2AC84 /* launchd_ktrace.c */; }; + 726056090EA7FCF200D65FE7 /* ktrace.c in Sources */ = {isa = PBXBuildFile; fileRef = 72FDB15D0EA7D7B200B2AC84 /* ktrace.c */; }; 72AFE8090EFAF3D9004BDA46 /* libauditd.dylib in Frameworks */ = {isa = PBXBuildFile; fileRef = 7215DE4B0EFAF2EC00ABD81E /* libauditd.dylib */; }; - 72FDB15F0EA7D7B200B2AC84 /* launchd_ktrace.c in Sources */ = {isa = PBXBuildFile; fileRef = 72FDB15D0EA7D7B200B2AC84 /* launchd_ktrace.c */; }; - 72FDB1C00EA7E21C00B2AC84 /* protocol_job_forward.defs in Sources */ = {isa = PBXBuildFile; fileRef = 72FDB1BF0EA7E21C00B2AC84 /* protocol_job_forward.defs */; }; + 72FDB15F0EA7D7B200B2AC84 /* ktrace.c in Sources */ = {isa = PBXBuildFile; fileRef = 72FDB15D0EA7D7B200B2AC84 /* ktrace.c */; }; + 72FDB1C00EA7E21C00B2AC84 /* job_forward.defs in Sources */ = {isa = PBXBuildFile; fileRef = 72FDB1BF0EA7E21C00B2AC84 /* job_forward.defs */; }; FC3627BA0E9343220054F1A3 /* StartupItems.c in Sources */ = {isa = PBXBuildFile; fileRef = FC59A0FD0E8C8ADF00D41150 /* StartupItems.c */; }; FC3627BB0E93432A0054F1A3 /* SystemStarter.c in Sources */ = {isa = PBXBuildFile; fileRef = FC59A1000E8C8ADF00D41150 /* SystemStarter.c */; }; FC3627D40E93439B0054F1A3 /* StartupItemContext.8 in CopyFiles */ = {isa = PBXBuildFile; fileRef = FC59A0FE0E8C8ADF00D41150 /* StartupItemContext.8 */; }; FC3627D50E93439B0054F1A3 /* SystemStarter.8 in CopyFiles */ = {isa = PBXBuildFile; fileRef = FC59A1010E8C8ADF00D41150 /* SystemStarter.8 */; }; - FC3627E00E9344BF0054F1A3 /* protocol_vproc.defs in Sources */ = {isa = PBXBuildFile; fileRef = FC3627DF0E9344BF0054F1A3 /* protocol_vproc.defs */; }; - FC3627E10E9344BF0054F1A3 /* protocol_vproc.defs in Sources */ = {isa = PBXBuildFile; fileRef = FC3627DF0E9344BF0054F1A3 /* protocol_vproc.defs */; settings = {ATTRIBUTES = (Client, Server, ); }; }; + FC3627E00E9344BF0054F1A3 /* job.defs in Sources */ = {isa = PBXBuildFile; fileRef = FC3627DF0E9344BF0054F1A3 /* job.defs */; }; + FC3627E10E9344BF0054F1A3 /* job.defs in Sources */ = {isa = PBXBuildFile; fileRef = FC3627DF0E9344BF0054F1A3 /* job.defs */; settings = {ATTRIBUTES = (Client, Server, ); }; }; FC3628080E9345E10054F1A3 /* CoreFoundation.framework in Frameworks */ = {isa = PBXBuildFile; fileRef = FC3628070E9345E10054F1A3 /* CoreFoundation.framework */; }; FC3628090E9345E10054F1A3 /* CoreFoundation.framework in Frameworks */ = {isa = PBXBuildFile; fileRef = FC3628070E9345E10054F1A3 /* CoreFoundation.framework */; }; FC36283F0E93463C0054F1A3 /* IOKit.framework in Frameworks */ = {isa = PBXBuildFile; fileRef = FC36283E0E93463C0054F1A3 /* IOKit.framework */; }; FC36290D0E93475F0054F1A3 /* notify.defs in Sources */ = {isa = PBXBuildFile; fileRef = FC36290C0E93475F0054F1A3 /* notify.defs */; settings = {ATTRIBUTES = (Server, ); }; }; - FC3629170E9348390054F1A3 /* protocol_job_reply.defs in Sources */ = {isa = PBXBuildFile; fileRef = FC3629160E9348390054F1A3 /* protocol_job_reply.defs */; }; + FC3629170E9348390054F1A3 /* job_reply.defs in Sources */ = {isa = PBXBuildFile; fileRef = FC3629160E9348390054F1A3 /* job_reply.defs */; }; FC36292D0E934AA40054F1A3 /* libbsm.dylib in Frameworks */ = {isa = PBXBuildFile; fileRef = FC36292C0E934AA40054F1A3 /* libbsm.dylib */; }; FC59A0A60E8C89C100D41150 /* IPC.c in Sources */ = {isa = PBXBuildFile; fileRef = FC59A0A50E8C89C100D41150 /* IPC.c */; }; FC59A0AF0E8C8A0E00D41150 /* launchctl.c in Sources */ = {isa = PBXBuildFile; fileRef = FC59A0AE0E8C8A0E00D41150 /* launchctl.c */; settings = {COMPILER_FLAGS = "-I\"$SDKROOT\"/System/Library/Frameworks/System.framework/PrivateHeaders"; }; }; - FC59A0B80E8C8A1F00D41150 /* launchd_unix_ipc.c in Sources */ = {isa = PBXBuildFile; fileRef = FC59A0B10E8C8A1F00D41150 /* launchd_unix_ipc.c */; }; - FC59A0B90E8C8A1F00D41150 /* launchd_runtime_kill.c in Sources */ = {isa = PBXBuildFile; fileRef = FC59A0B30E8C8A1F00D41150 /* launchd_runtime_kill.c */; }; - FC59A0BA0E8C8A1F00D41150 /* launchd_runtime.c in Sources */ = {isa = PBXBuildFile; fileRef = FC59A0B50E8C8A1F00D41150 /* launchd_runtime.c */; settings = {COMPILER_FLAGS = "-I\"$SYMROOT\""; }; }; - FC59A0BB0E8C8A1F00D41150 /* launchd_core_logic.c in Sources */ = {isa = PBXBuildFile; fileRef = FC59A0B70E8C8A1F00D41150 /* launchd_core_logic.c */; }; - FC59A0BF0E8C8A2A00D41150 /* launchd_internal.defs in Sources */ = {isa = PBXBuildFile; fileRef = FC59A0BD0E8C8A2A00D41150 /* launchd_internal.defs */; settings = {ATTRIBUTES = (Client, Server, ); }; }; + FC59A0B80E8C8A1F00D41150 /* ipc.c in Sources */ = {isa = PBXBuildFile; fileRef = FC59A0B10E8C8A1F00D41150 /* ipc.c */; }; + FC59A0B90E8C8A1F00D41150 /* kill2.c in Sources */ = {isa = PBXBuildFile; fileRef = FC59A0B30E8C8A1F00D41150 /* kill2.c */; }; + FC59A0BA0E8C8A1F00D41150 /* runtime.c in Sources */ = {isa = PBXBuildFile; fileRef = FC59A0B50E8C8A1F00D41150 /* runtime.c */; settings = {COMPILER_FLAGS = "-I\"$SYMROOT\""; }; }; + FC59A0BB0E8C8A1F00D41150 /* core.c in Sources */ = {isa = PBXBuildFile; fileRef = FC59A0B70E8C8A1F00D41150 /* core.c */; }; + FC59A0BF0E8C8A2A00D41150 /* internal.defs in Sources */ = {isa = PBXBuildFile; fileRef = FC59A0BD0E8C8A2A00D41150 /* internal.defs */; settings = {ATTRIBUTES = (Client, Server, ); }; }; FC59A0C50E8C8A4700D41150 /* launchd.c in Sources */ = {isa = PBXBuildFile; fileRef = FC59A0C40E8C8A4700D41150 /* launchd.c */; }; FC59A0DC0E8C8A6900D41150 /* launchproxy.c in Sources */ = {isa = PBXBuildFile; fileRef = FC59A0DA0E8C8A6900D41150 /* launchproxy.c */; }; FC59A0ED0E8C8AA600D41150 /* vproc.h in Headers */ = {isa = PBXBuildFile; fileRef = FC59A0E20E8C8AA600D41150 /* vproc.h */; settings = {ATTRIBUTES = (Public, ); }; }; @@ -372,82 +375,93 @@ /* End PBXCopyFilesBuildPhase section */ /* Begin PBXFileReference section */ - 4B0A30FF131F24AC002DE2E5 /* events.defs */ = {isa = PBXFileReference; explicitFileType = sourcecode.mig; fileEncoding = 4; name = events.defs; path = /usr/local/include/xpc/events.defs; sourceTree = SDKROOT; }; - 4B0A3100131F24AC002DE2E5 /* types.defs */ = {isa = PBXFileReference; explicitFileType = sourcecode.mig; fileEncoding = 4; name = types.defs; path = /usr/local/include/xpc/types.defs; sourceTree = SDKROOT; }; - 4B0FB8E91241FE3F00383109 /* domain.defs */ = {isa = PBXFileReference; explicitFileType = sourcecode.mig; fileEncoding = 4; name = domain.defs; path = /usr/local/include/xpc/domain.defs; sourceTree = SDKROOT; }; + 4B0A3100131F24AC002DE2E5 /* types.defs */ = {isa = PBXFileReference; explicitFileType = sourcecode.mig; fileEncoding = 4; name = types.defs; path = usr/local/include/xpc/types.defs; sourceTree = SDKROOT; }; + 4B0FB8E91241FE3F00383109 /* domain.defs */ = {isa = PBXFileReference; explicitFileType = sourcecode.mig; fileEncoding = 4; name = domain.defs; path = usr/local/include/xpc/domain.defs; sourceTree = SDKROOT; }; 4B10F1D30F43BE7E00875782 /* launchd */ = {isa = PBXFileReference; explicitFileType = "compiled.mach-o.executable"; includeInIndex = 0; path = launchd; sourceTree = BUILT_PRODUCTS_DIR; }; 4B10F1F30F43BF5C00875782 /* launchctl */ = {isa = PBXFileReference; explicitFileType = "compiled.mach-o.executable"; includeInIndex = 0; path = launchctl; sourceTree = BUILT_PRODUCTS_DIR; }; - 4B1D91ED0F8BDE1A00125940 /* launchd.ops */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = text; name = launchd.ops; path = launchd/src/launchd.ops; sourceTree = ""; }; - 4B287732111A509400C07B35 /* launchd_helper.defs */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.mig; name = launchd_helper.defs; path = launchd/src/launchd_helper.defs; sourceTree = ""; }; + 4B1D12741433D79800A2BDED /* launchd.xcconfig */ = {isa = PBXFileReference; lastKnownFileType = text.xcconfig; name = launchd.xcconfig; path = xcconfigs/launchd.xcconfig; sourceTree = ""; }; + 4B1D12751433D7BE00A2BDED /* liblaunch.xcconfig */ = {isa = PBXFileReference; lastKnownFileType = text.xcconfig; name = liblaunch.xcconfig; path = xcconfigs/liblaunch.xcconfig; sourceTree = ""; }; + 4B1D12771433E5EB00A2BDED /* launchctl.xcconfig */ = {isa = PBXFileReference; lastKnownFileType = text.xcconfig; name = launchctl.xcconfig; path = xcconfigs/launchctl.xcconfig; sourceTree = ""; }; + 4B1D12781433E70400A2BDED /* launchd-postflight.sh */ = {isa = PBXFileReference; lastKnownFileType = text.script.sh; name = "launchd-postflight.sh"; path = "xcscripts/launchd-postflight.sh"; sourceTree = ""; }; + 4B1D12791433E76F00A2BDED /* liblaunch-postflight.sh */ = {isa = PBXFileReference; lastKnownFileType = text.script.sh; name = "liblaunch-postflight.sh"; path = "xcscripts/liblaunch-postflight.sh"; sourceTree = ""; }; + 4B1D127A1433E7A400A2BDED /* launchctl-postflight.sh */ = {isa = PBXFileReference; lastKnownFileType = text.script.sh; name = "launchctl-postflight.sh"; path = "xcscripts/launchctl-postflight.sh"; sourceTree = ""; }; + 4B1D127C1433E85A00A2BDED /* SystemStarter-postflight.sh */ = {isa = PBXFileReference; lastKnownFileType = text.script.sh; name = "SystemStarter-postflight.sh"; path = "xcscripts/SystemStarter-postflight.sh"; sourceTree = ""; }; + 4B1D127D1433E91D00A2BDED /* common.xcconfig */ = {isa = PBXFileReference; lastKnownFileType = text.xcconfig; name = common.xcconfig; path = xcconfigs/common.xcconfig; sourceTree = ""; }; + 4B1D1288143502DA00A2BDED /* log.c */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.c; lineEnding = 0; name = log.c; path = src/log.c; sourceTree = ""; xcLanguageSpecificationIdentifier = xcode.lang.c; }; + 4B1D128A143502F000A2BDED /* log.h */ = {isa = PBXFileReference; lastKnownFileType = sourcecode.c.h; name = log.h; path = src/log.h; sourceTree = ""; }; + 4B1D91ED0F8BDE1A00125940 /* launchd.ops */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = text; name = launchd.ops; path = liblaunch/launchd.ops; sourceTree = ""; }; + 4B287732111A509400C07B35 /* helper.defs */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.mig; name = helper.defs; path = src/helper.defs; sourceTree = ""; }; 4B43EAF314101C5800E9E776 /* ServiceManagement.framework */ = {isa = PBXFileReference; lastKnownFileType = wrapper.framework; name = ServiceManagement.framework; path = /System/Library/Frameworks/ServiceManagement.framework; sourceTree = ""; }; + 4B949DD4143D010F008712B9 /* libCrashReporterClient.a */ = {isa = PBXFileReference; lastKnownFileType = archive.ar; name = libCrashReporterClient.a; path = usr/local/lib/libCrashReporterClient.a; sourceTree = SDKROOT; }; 4B9EDCA10EAFC77E00A78496 /* DiskArbitration.framework */ = {isa = PBXFileReference; lastKnownFileType = wrapper.framework; name = DiskArbitration.framework; path = /System/Library/Frameworks/DiskArbitration.framework; sourceTree = ""; }; - 4BA2F5FC1243063D00C2AADD /* init.defs */ = {isa = PBXFileReference; explicitFileType = sourcecode.mig; fileEncoding = 4; name = init.defs; path = /usr/local/include/xpc/init.defs; sourceTree = SDKROOT; }; + 4BA2F5FC1243063D00C2AADD /* init.defs */ = {isa = PBXFileReference; explicitFileType = sourcecode.mig; fileEncoding = 4; name = init.defs; path = usr/local/include/xpc/init.defs; sourceTree = SDKROOT; }; + 4BC868A8143CFD0300B46F40 /* osx_redirect_name */ = {isa = PBXFileReference; lastKnownFileType = text; name = osx_redirect_name; path = xcsupport/osx_redirect_name; sourceTree = ""; }; 7215DE4B0EFAF2EC00ABD81E /* libauditd.dylib */ = {isa = PBXFileReference; lastKnownFileType = "compiled.mach-o.dylib"; name = libauditd.dylib; path = /usr/lib/libauditd.dylib; sourceTree = ""; }; - 721FBEA50EA7ABC40057462B /* config.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; name = config.h; path = launchd/src/config.h; sourceTree = ""; }; - 72FDB15D0EA7D7B200B2AC84 /* launchd_ktrace.c */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.c; name = launchd_ktrace.c; path = launchd/src/launchd_ktrace.c; sourceTree = ""; }; - 72FDB15E0EA7D7B200B2AC84 /* launchd_ktrace.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; name = launchd_ktrace.h; path = launchd/src/launchd_ktrace.h; sourceTree = ""; }; - 72FDB1BF0EA7E21C00B2AC84 /* protocol_job_forward.defs */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.mig; name = protocol_job_forward.defs; path = launchd/src/protocol_job_forward.defs; sourceTree = ""; }; - FC3627DF0E9344BF0054F1A3 /* protocol_vproc.defs */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.mig; name = protocol_vproc.defs; path = launchd/src/protocol_vproc.defs; sourceTree = ""; }; + 721FBEA50EA7ABC40057462B /* config.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; name = config.h; path = src/config.h; sourceTree = ""; }; + 72FDB15D0EA7D7B200B2AC84 /* ktrace.c */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.c; name = ktrace.c; path = src/ktrace.c; sourceTree = ""; }; + 72FDB15E0EA7D7B200B2AC84 /* ktrace.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; name = ktrace.h; path = src/ktrace.h; sourceTree = ""; }; + 72FDB1BF0EA7E21C00B2AC84 /* job_forward.defs */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.mig; name = job_forward.defs; path = src/job_forward.defs; sourceTree = ""; }; + FC3627DF0E9344BF0054F1A3 /* job.defs */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.mig; name = job.defs; path = src/job.defs; sourceTree = ""; }; FC3628070E9345E10054F1A3 /* CoreFoundation.framework */ = {isa = PBXFileReference; lastKnownFileType = wrapper.framework; name = CoreFoundation.framework; path = /System/Library/Frameworks/CoreFoundation.framework; sourceTree = ""; }; FC36283E0E93463C0054F1A3 /* IOKit.framework */ = {isa = PBXFileReference; lastKnownFileType = wrapper.framework; name = IOKit.framework; path = /System/Library/Frameworks/IOKit.framework; sourceTree = ""; }; - FC36290C0E93475F0054F1A3 /* notify.defs */ = {isa = PBXFileReference; explicitFileType = sourcecode.mig; fileEncoding = 4; name = notify.defs; path = /usr/include/mach/notify.defs; sourceTree = SDKROOT; }; - FC3629160E9348390054F1A3 /* protocol_job_reply.defs */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.mig; name = protocol_job_reply.defs; path = launchd/src/protocol_job_reply.defs; sourceTree = ""; }; - FC36291F0E9349410054F1A3 /* mach_exc.defs */ = {isa = PBXFileReference; explicitFileType = sourcecode.mig; fileEncoding = 4; name = mach_exc.defs; path = /usr/include/mach/mach_exc.defs; sourceTree = SDKROOT; }; + FC36290C0E93475F0054F1A3 /* notify.defs */ = {isa = PBXFileReference; explicitFileType = sourcecode.mig; fileEncoding = 4; name = notify.defs; path = usr/include/mach/notify.defs; sourceTree = SDKROOT; }; + FC3629160E9348390054F1A3 /* job_reply.defs */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.mig; name = job_reply.defs; path = src/job_reply.defs; sourceTree = ""; }; + FC36291F0E9349410054F1A3 /* mach_exc.defs */ = {isa = PBXFileReference; explicitFileType = sourcecode.mig; fileEncoding = 4; name = mach_exc.defs; path = usr/include/mach/mach_exc.defs; sourceTree = SDKROOT; }; FC36292C0E934AA40054F1A3 /* libbsm.dylib */ = {isa = PBXFileReference; lastKnownFileType = "compiled.mach-o.dylib"; name = libbsm.dylib; path = /usr/lib/libbsm.dylib; sourceTree = ""; }; FC59A0540E8C884700D41150 /* launchd */ = {isa = PBXFileReference; explicitFileType = "compiled.mach-o.executable"; includeInIndex = 0; path = launchd; sourceTree = BUILT_PRODUCTS_DIR; }; FC59A0600E8C885100D41150 /* liblaunch.dylib */ = {isa = PBXFileReference; explicitFileType = "compiled.mach-o.dylib"; includeInIndex = 0; path = liblaunch.dylib; sourceTree = BUILT_PRODUCTS_DIR; }; FC59A06D0E8C888A00D41150 /* launchctl */ = {isa = PBXFileReference; explicitFileType = "compiled.mach-o.executable"; includeInIndex = 0; path = launchctl; sourceTree = BUILT_PRODUCTS_DIR; }; FC59A0910E8C892300D41150 /* SystemStarter */ = {isa = PBXFileReference; explicitFileType = "compiled.mach-o.executable"; includeInIndex = 0; path = SystemStarter; sourceTree = BUILT_PRODUCTS_DIR; }; - FC59A0A40E8C89C100D41150 /* IPC.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; name = IPC.h; path = launchd/src/IPC.h; sourceTree = SOURCE_ROOT; }; - FC59A0A50E8C89C100D41150 /* IPC.c */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.c; name = IPC.c; path = launchd/src/IPC.c; sourceTree = SOURCE_ROOT; }; - FC59A0AD0E8C8A0E00D41150 /* launchctl.1 */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = text.man; name = launchctl.1; path = launchd/src/launchctl.1; sourceTree = SOURCE_ROOT; }; - FC59A0AE0E8C8A0E00D41150 /* launchctl.c */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.c; name = launchctl.c; path = launchd/src/launchctl.c; sourceTree = SOURCE_ROOT; }; - FC59A0B00E8C8A1F00D41150 /* launchd_unix_ipc.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; name = launchd_unix_ipc.h; path = launchd/src/launchd_unix_ipc.h; sourceTree = ""; }; - FC59A0B10E8C8A1F00D41150 /* launchd_unix_ipc.c */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.c; name = launchd_unix_ipc.c; path = launchd/src/launchd_unix_ipc.c; sourceTree = ""; }; - FC59A0B20E8C8A1F00D41150 /* launchd_runtime_kill.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; name = launchd_runtime_kill.h; path = launchd/src/launchd_runtime_kill.h; sourceTree = ""; }; - FC59A0B30E8C8A1F00D41150 /* launchd_runtime_kill.c */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.c; name = launchd_runtime_kill.c; path = launchd/src/launchd_runtime_kill.c; sourceTree = ""; }; - FC59A0B40E8C8A1F00D41150 /* launchd_runtime.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; name = launchd_runtime.h; path = launchd/src/launchd_runtime.h; sourceTree = ""; }; - FC59A0B50E8C8A1F00D41150 /* launchd_runtime.c */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.c; name = launchd_runtime.c; path = launchd/src/launchd_runtime.c; sourceTree = ""; }; - FC59A0B60E8C8A1F00D41150 /* launchd_core_logic.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; name = launchd_core_logic.h; path = launchd/src/launchd_core_logic.h; sourceTree = ""; }; - FC59A0B70E8C8A1F00D41150 /* launchd_core_logic.c */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.c; name = launchd_core_logic.c; path = launchd/src/launchd_core_logic.c; sourceTree = ""; }; - FC59A0BC0E8C8A2A00D41150 /* launchd_mig_types.defs */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.mig; name = launchd_mig_types.defs; path = launchd/src/launchd_mig_types.defs; sourceTree = ""; }; - FC59A0BD0E8C8A2A00D41150 /* launchd_internal.defs */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.mig; name = launchd_internal.defs; path = launchd/src/launchd_internal.defs; sourceTree = ""; }; - FC59A0C00E8C8A3A00D41150 /* launchd.8 */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = text; name = launchd.8; path = launchd/src/launchd.8; sourceTree = ""; }; - FC59A0C10E8C8A4700D41150 /* launchd.plist.5 */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = text; name = launchd.plist.5; path = launchd/src/launchd.plist.5; sourceTree = ""; }; - FC59A0C20E8C8A4700D41150 /* launchd.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; name = launchd.h; path = launchd/src/launchd.h; sourceTree = ""; }; - FC59A0C30E8C8A4700D41150 /* launchd.conf.5 */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = text; name = launchd.conf.5; path = launchd/src/launchd.conf.5; sourceTree = ""; }; - FC59A0C40E8C8A4700D41150 /* launchd.c */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.c; name = launchd.c; path = launchd/src/launchd.c; sourceTree = ""; }; + FC59A0A40E8C89C100D41150 /* IPC.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; name = IPC.h; path = SystemStarter/IPC.h; sourceTree = SOURCE_ROOT; }; + FC59A0A50E8C89C100D41150 /* IPC.c */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.c; name = IPC.c; path = SystemStarter/IPC.c; sourceTree = SOURCE_ROOT; }; + FC59A0AD0E8C8A0E00D41150 /* launchctl.1 */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = text.man; name = launchctl.1; path = man/launchctl.1; sourceTree = SOURCE_ROOT; }; + FC59A0AE0E8C8A0E00D41150 /* launchctl.c */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.c; name = launchctl.c; path = support/launchctl.c; sourceTree = SOURCE_ROOT; }; + FC59A0B00E8C8A1F00D41150 /* ipc.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; name = ipc.h; path = src/ipc.h; sourceTree = ""; }; + FC59A0B10E8C8A1F00D41150 /* ipc.c */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.c; name = ipc.c; path = src/ipc.c; sourceTree = ""; }; + FC59A0B20E8C8A1F00D41150 /* kill2.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; name = kill2.h; path = src/kill2.h; sourceTree = ""; }; + FC59A0B30E8C8A1F00D41150 /* kill2.c */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.c; name = kill2.c; path = src/kill2.c; sourceTree = ""; }; + FC59A0B40E8C8A1F00D41150 /* runtime.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; name = runtime.h; path = src/runtime.h; sourceTree = ""; }; + FC59A0B50E8C8A1F00D41150 /* runtime.c */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.c; name = runtime.c; path = src/runtime.c; sourceTree = ""; }; + FC59A0B60E8C8A1F00D41150 /* core.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; name = core.h; path = src/core.h; sourceTree = ""; }; + FC59A0B70E8C8A1F00D41150 /* core.c */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.c; name = core.c; path = src/core.c; sourceTree = ""; }; + FC59A0BC0E8C8A2A00D41150 /* job_types.defs */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.mig; name = job_types.defs; path = src/job_types.defs; sourceTree = ""; }; + FC59A0BD0E8C8A2A00D41150 /* internal.defs */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.mig; name = internal.defs; path = src/internal.defs; sourceTree = ""; }; + FC59A0C00E8C8A3A00D41150 /* launchd.8 */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = text; name = launchd.8; path = man/launchd.8; sourceTree = ""; }; + FC59A0C10E8C8A4700D41150 /* launchd.plist.5 */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = text; name = launchd.plist.5; path = man/launchd.plist.5; sourceTree = ""; }; + FC59A0C20E8C8A4700D41150 /* launchd.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; name = launchd.h; path = src/launchd.h; sourceTree = ""; }; + FC59A0C30E8C8A4700D41150 /* launchd.conf.5 */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = text; name = launchd.conf.5; path = man/launchd.conf.5; sourceTree = ""; }; + FC59A0C40E8C8A4700D41150 /* launchd.c */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.c; name = launchd.c; path = src/launchd.c; sourceTree = ""; }; FC59A0CE0E8C8A5C00D41150 /* launchproxy */ = {isa = PBXFileReference; explicitFileType = "compiled.mach-o.executable"; includeInIndex = 0; path = launchproxy; sourceTree = BUILT_PRODUCTS_DIR; }; - FC59A0DA0E8C8A6900D41150 /* launchproxy.c */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.c; name = launchproxy.c; path = launchd/src/launchproxy.c; sourceTree = SOURCE_ROOT; }; - FC59A0DB0E8C8A6900D41150 /* launchproxy.8 */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = text; name = launchproxy.8; path = launchd/src/launchproxy.8; sourceTree = SOURCE_ROOT; }; - FC59A0E20E8C8AA600D41150 /* vproc.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; name = vproc.h; path = launchd/src/vproc.h; sourceTree = ""; }; - FC59A0E30E8C8AA600D41150 /* vproc_priv.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; name = vproc_priv.h; path = launchd/src/vproc_priv.h; sourceTree = ""; }; - FC59A0E40E8C8AA600D41150 /* vproc_internal.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; name = vproc_internal.h; path = launchd/src/vproc_internal.h; sourceTree = ""; }; - FC59A0E50E8C8AA600D41150 /* libvproc.c */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.c; name = libvproc.c; path = launchd/src/libvproc.c; sourceTree = SOURCE_ROOT; }; - FC59A0E60E8C8AA600D41150 /* launch.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; name = launch.h; path = launchd/src/launch.h; sourceTree = ""; }; - FC59A0E70E8C8AA600D41150 /* launch_priv.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; name = launch_priv.h; path = launchd/src/launch_priv.h; sourceTree = ""; }; - FC59A0E80E8C8AA600D41150 /* launch_internal.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; name = launch_internal.h; path = launchd/src/launch_internal.h; sourceTree = ""; }; - FC59A0E90E8C8AA600D41150 /* liblaunch.c */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.c; name = liblaunch.c; path = launchd/src/liblaunch.c; sourceTree = SOURCE_ROOT; }; - FC59A0EA0E8C8AA600D41150 /* bootstrap.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; name = bootstrap.h; path = launchd/src/bootstrap.h; sourceTree = ""; }; - FC59A0EB0E8C8AA600D41150 /* bootstrap_priv.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; name = bootstrap_priv.h; path = launchd/src/bootstrap_priv.h; sourceTree = ""; }; - FC59A0EC0E8C8AA600D41150 /* libbootstrap.c */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.c; name = libbootstrap.c; path = launchd/src/libbootstrap.c; sourceTree = SOURCE_ROOT; }; - FC59A0F80E8C8AC300D41150 /* rc.8 */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = text; name = rc.8; path = launchd/src/rc.8; sourceTree = ""; }; - FC59A0F90E8C8AC300D41150 /* rc.netboot */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = text.script.sh; name = rc.netboot; path = launchd/src/rc.netboot; sourceTree = ""; }; - FC59A0FA0E8C8AC300D41150 /* rc.common */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = text; name = rc.common; path = launchd/src/rc.common; sourceTree = ""; }; - FC59A0FB0E8C8ACE00D41150 /* reboot2.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; name = reboot2.h; path = launchd/src/reboot2.h; sourceTree = SOURCE_ROOT; }; - FC59A0FD0E8C8ADF00D41150 /* StartupItems.c */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.c; name = StartupItems.c; path = launchd/src/StartupItems.c; sourceTree = SOURCE_ROOT; }; - FC59A0FE0E8C8ADF00D41150 /* StartupItemContext.8 */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = text; name = StartupItemContext.8; path = launchd/src/StartupItemContext.8; sourceTree = SOURCE_ROOT; }; - FC59A0FF0E8C8ADF00D41150 /* StartupItemContext */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = text.script.sh; name = StartupItemContext; path = launchd/src/StartupItemContext; sourceTree = SOURCE_ROOT; }; - FC59A1000E8C8ADF00D41150 /* SystemStarter.c */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.c; name = SystemStarter.c; path = launchd/src/SystemStarter.c; sourceTree = SOURCE_ROOT; }; - FC59A1010E8C8ADF00D41150 /* SystemStarter.8 */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = text; name = SystemStarter.8; path = launchd/src/SystemStarter.8; sourceTree = SOURCE_ROOT; }; - FC59A1020E8C8ADF00D41150 /* StartupItems.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; name = StartupItems.h; path = launchd/src/StartupItems.h; sourceTree = SOURCE_ROOT; }; - FC59A1030E8C8ADF00D41150 /* SystemStarterIPC.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; name = SystemStarterIPC.h; path = launchd/src/SystemStarterIPC.h; sourceTree = SOURCE_ROOT; }; - FC59A1040E8C8ADF00D41150 /* SystemStarter.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; name = SystemStarter.h; path = launchd/src/SystemStarter.h; sourceTree = SOURCE_ROOT; }; - FCD713200E95D5D3001B0111 /* com.apple.SystemStarter.plist */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = text.plist.xml; name = com.apple.SystemStarter.plist; path = launchd/src/com.apple.SystemStarter.plist; sourceTree = ""; }; + FC59A0DA0E8C8A6900D41150 /* launchproxy.c */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.c; name = launchproxy.c; path = support/launchproxy.c; sourceTree = SOURCE_ROOT; }; + FC59A0DB0E8C8A6900D41150 /* launchproxy.8 */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = text; name = launchproxy.8; path = man/launchproxy.8; sourceTree = SOURCE_ROOT; }; + FC59A0E20E8C8AA600D41150 /* vproc.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; name = vproc.h; path = liblaunch/vproc.h; sourceTree = ""; }; + FC59A0E30E8C8AA600D41150 /* vproc_priv.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; name = vproc_priv.h; path = liblaunch/vproc_priv.h; sourceTree = ""; }; + FC59A0E40E8C8AA600D41150 /* vproc_internal.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; name = vproc_internal.h; path = liblaunch/vproc_internal.h; sourceTree = ""; }; + FC59A0E50E8C8AA600D41150 /* libvproc.c */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.c; name = libvproc.c; path = liblaunch/libvproc.c; sourceTree = SOURCE_ROOT; }; + FC59A0E60E8C8AA600D41150 /* launch.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; name = launch.h; path = liblaunch/launch.h; sourceTree = ""; }; + FC59A0E70E8C8AA600D41150 /* launch_priv.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; name = launch_priv.h; path = liblaunch/launch_priv.h; sourceTree = ""; }; + FC59A0E80E8C8AA600D41150 /* launch_internal.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; name = launch_internal.h; path = liblaunch/launch_internal.h; sourceTree = ""; }; + FC59A0E90E8C8AA600D41150 /* liblaunch.c */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.c; name = liblaunch.c; path = liblaunch/liblaunch.c; sourceTree = SOURCE_ROOT; }; + FC59A0EA0E8C8AA600D41150 /* bootstrap.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; name = bootstrap.h; path = liblaunch/bootstrap.h; sourceTree = ""; }; + FC59A0EB0E8C8AA600D41150 /* bootstrap_priv.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; name = bootstrap_priv.h; path = liblaunch/bootstrap_priv.h; sourceTree = ""; }; + FC59A0EC0E8C8AA600D41150 /* libbootstrap.c */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.c; name = libbootstrap.c; path = liblaunch/libbootstrap.c; sourceTree = SOURCE_ROOT; }; + FC59A0F80E8C8AC300D41150 /* rc.8 */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = text; name = rc.8; path = man/rc.8; sourceTree = ""; }; + FC59A0F90E8C8AC300D41150 /* rc.netboot */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = text.script.sh; name = rc.netboot; path = rc/rc.netboot; sourceTree = ""; }; + FC59A0FA0E8C8AC300D41150 /* rc.common */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = text; name = rc.common; path = rc/rc.common; sourceTree = ""; }; + FC59A0FB0E8C8ACE00D41150 /* reboot2.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; name = reboot2.h; path = liblaunch/reboot2.h; sourceTree = SOURCE_ROOT; }; + FC59A0FD0E8C8ADF00D41150 /* StartupItems.c */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.c; name = StartupItems.c; path = SystemStarter/StartupItems.c; sourceTree = SOURCE_ROOT; }; + FC59A0FE0E8C8ADF00D41150 /* StartupItemContext.8 */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = text; name = StartupItemContext.8; path = SystemStarter/StartupItemContext.8; sourceTree = SOURCE_ROOT; }; + FC59A0FF0E8C8ADF00D41150 /* StartupItemContext */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = text.script.sh; name = StartupItemContext; path = SystemStarter/StartupItemContext; sourceTree = SOURCE_ROOT; }; + FC59A1000E8C8ADF00D41150 /* SystemStarter.c */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.c; name = SystemStarter.c; path = SystemStarter/SystemStarter.c; sourceTree = SOURCE_ROOT; }; + FC59A1010E8C8ADF00D41150 /* SystemStarter.8 */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = text; name = SystemStarter.8; path = SystemStarter/SystemStarter.8; sourceTree = SOURCE_ROOT; }; + FC59A1020E8C8ADF00D41150 /* StartupItems.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; name = StartupItems.h; path = SystemStarter/StartupItems.h; sourceTree = SOURCE_ROOT; }; + FC59A1030E8C8ADF00D41150 /* SystemStarterIPC.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; name = SystemStarterIPC.h; path = SystemStarter/SystemStarterIPC.h; sourceTree = SOURCE_ROOT; }; + FC59A1040E8C8ADF00D41150 /* SystemStarter.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; name = SystemStarter.h; path = SystemStarter/SystemStarter.h; sourceTree = SOURCE_ROOT; }; + FCD713200E95D5D3001B0111 /* com.apple.SystemStarter.plist */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = text.plist.xml; name = com.apple.SystemStarter.plist; path = SystemStarter/com.apple.SystemStarter.plist; sourceTree = ""; }; FCD7132B0E95D64D001B0111 /* wait4path */ = {isa = PBXFileReference; explicitFileType = "compiled.mach-o.executable"; includeInIndex = 0; path = wait4path; sourceTree = BUILT_PRODUCTS_DIR; }; - FCD713370E95D69E001B0111 /* wait4path.1 */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = text.man; name = wait4path.1; path = launchd/src/wait4path.1; sourceTree = ""; }; - FCD713380E95D69E001B0111 /* wait4path.c */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.c; name = wait4path.c; path = launchd/src/wait4path.c; sourceTree = ""; }; - FCD713520E95D7B3001B0111 /* hostconfig */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = text; name = hostconfig; path = launchd/src/hostconfig; sourceTree = ""; }; + FCD713370E95D69E001B0111 /* wait4path.1 */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = text.man; name = wait4path.1; path = man/wait4path.1; sourceTree = ""; }; + FCD713380E95D69E001B0111 /* wait4path.c */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.c; name = wait4path.c; path = support/wait4path.c; sourceTree = ""; }; + FCD713520E95D7B3001B0111 /* hostconfig */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = text; name = hostconfig; path = SystemStarter/hostconfig; sourceTree = ""; }; FCD713730E95DE49001B0111 /* libedit.dylib */ = {isa = PBXFileReference; lastKnownFileType = "compiled.mach-o.dylib"; name = libedit.dylib; path = /usr/lib/libedit.dylib; sourceTree = ""; }; /* End PBXFileReference section */ @@ -464,8 +478,8 @@ isa = PBXFrameworksBuildPhase; buildActionMask = 2147483647; files = ( - 4B10F1EA0F43BF5C00875782 /* IOKit.framework in Frameworks */, 4B10F1EB0F43BF5C00875782 /* CoreFoundation.framework in Frameworks */, + 4B7B6DA8143BD343000BCC80 /* IOKit.framework in Frameworks */, 4B10F1EC0F43BF5C00875782 /* libedit.dylib in Frameworks */, ); runOnlyForDeploymentPostprocessing = 0; @@ -476,13 +490,7 @@ files = ( FC36292D0E934AA40054F1A3 /* libbsm.dylib in Frameworks */, 7215DE4C0EFAF2EC00ABD81E /* libauditd.dylib in Frameworks */, - ); - runOnlyForDeploymentPostprocessing = 0; - }; - FC59A05E0E8C885100D41150 /* Frameworks */ = { - isa = PBXFrameworksBuildPhase; - buildActionMask = 2147483647; - files = ( + 4B949DD5143D010F008712B9 /* libCrashReporterClient.a in Frameworks */, ); runOnlyForDeploymentPostprocessing = 0; }; @@ -490,11 +498,11 @@ isa = PBXFrameworksBuildPhase; buildActionMask = 2147483647; files = ( - 4B43EAF414101C5800E9E776 /* ServiceManagement.framework in Frameworks */, FCC841CC0EA7138700C01666 /* IOKit.framework in Frameworks */, FC3628080E9345E10054F1A3 /* CoreFoundation.framework in Frameworks */, FCD713740E95DE49001B0111 /* libedit.dylib in Frameworks */, 72AFE8090EFAF3D9004BDA46 /* libauditd.dylib in Frameworks */, + 4B949DD6143D010F008712B9 /* libCrashReporterClient.a in Frameworks */, ); runOnlyForDeploymentPostprocessing = 0; }; @@ -525,68 +533,114 @@ /* End PBXFrameworksBuildPhase section */ /* Begin PBXGroup section */ - 4B0A3102131F24B3002DE2E5 /* XPC */ = { + 4B1D12731433D77400A2BDED /* xcconfigs */ = { isa = PBXGroup; children = ( - 4B0A3100131F24AC002DE2E5 /* types.defs */, - 4B0FB8E91241FE3F00383109 /* domain.defs */, - 4B0A30FF131F24AC002DE2E5 /* events.defs */, - 4BA2F5FC1243063D00C2AADD /* init.defs */, + 4B1D127D1433E91D00A2BDED /* common.xcconfig */, + 4B1D12741433D79800A2BDED /* launchd.xcconfig */, + 4B1D12751433D7BE00A2BDED /* liblaunch.xcconfig */, + 4B1D12771433E5EB00A2BDED /* launchctl.xcconfig */, ); - name = XPC; + name = xcconfigs; sourceTree = ""; }; - 4B8D8239132C5F400081FD4E /* Mach */ = { + 4B1D12761433D94200A2BDED /* xcscripts */ = { isa = PBXGroup; children = ( - FC36291F0E9349410054F1A3 /* mach_exc.defs */, - FC36290C0E93475F0054F1A3 /* notify.defs */, + 4B1D12781433E70400A2BDED /* launchd-postflight.sh */, + 4B1D12791433E76F00A2BDED /* liblaunch-postflight.sh */, + 4B1D127A1433E7A400A2BDED /* launchctl-postflight.sh */, + 4B1D127C1433E85A00A2BDED /* SystemStarter-postflight.sh */, + ); + name = xcscripts; + sourceTree = ""; + }; + 4B2086731433CBEF006A5B71 /* man */ = { + isa = PBXGroup; + children = ( + FC59A0C00E8C8A3A00D41150 /* launchd.8 */, + FC59A0C10E8C8A4700D41150 /* launchd.plist.5 */, + FC59A0C30E8C8A4700D41150 /* launchd.conf.5 */, + FC59A0AD0E8C8A0E00D41150 /* launchctl.1 */, + FC59A0DB0E8C8A6900D41150 /* launchproxy.8 */, + FCD713370E95D69E001B0111 /* wait4path.1 */, + FC59A0F80E8C8AC300D41150 /* rc.8 */, ); - name = Mach; + name = man; sourceTree = ""; }; - 4B9EDCD60EAFD11000A78496 /* MIG */ = { + 4B2086771433CE05006A5B71 /* public */ = { isa = PBXGroup; children = ( - FC59A0BC0E8C8A2A00D41150 /* launchd_mig_types.defs */, - 72FDB1BF0EA7E21C00B2AC84 /* protocol_job_forward.defs */, - FC3629160E9348390054F1A3 /* protocol_job_reply.defs */, - FC3627DF0E9344BF0054F1A3 /* protocol_vproc.defs */, - FC59A0BD0E8C8A2A00D41150 /* launchd_internal.defs */, - 4B287732111A509400C07B35 /* launchd_helper.defs */, - ); - name = MIG; + FC59A0E60E8C8AA600D41150 /* launch.h */, + FC59A0EA0E8C8AA600D41150 /* bootstrap.h */, + FC59A0E20E8C8AA600D41150 /* vproc.h */, + ); + name = public; + sourceTree = ""; + }; + 4B2086781433CE0E006A5B71 /* private */ = { + isa = PBXGroup; + children = ( + FC59A0E70E8C8AA600D41150 /* launch_priv.h */, + FC59A0EB0E8C8AA600D41150 /* bootstrap_priv.h */, + FC59A0E30E8C8AA600D41150 /* vproc_priv.h */, + FC59A0FB0E8C8ACE00D41150 /* reboot2.h */, + ); + name = private; sourceTree = ""; }; - 4B9EDCD70EAFD14500A78496 /* Source */ = { + 4B2086791433CE49006A5B71 /* internal */ = { isa = PBXGroup; children = ( + 4B1D91ED0F8BDE1A00125940 /* launchd.ops */, + FC59A0E80E8C8AA600D41150 /* launch_internal.h */, + FC59A0E40E8C8AA600D41150 /* vproc_internal.h */, 721FBEA50EA7ABC40057462B /* config.h */, FC59A0C20E8C8A4700D41150 /* launchd.h */, - FC59A0C40E8C8A4700D41150 /* launchd.c */, - FC59A0B00E8C8A1F00D41150 /* launchd_unix_ipc.h */, - FC59A0B10E8C8A1F00D41150 /* launchd_unix_ipc.c */, - FC59A0B20E8C8A1F00D41150 /* launchd_runtime_kill.h */, - FC59A0B30E8C8A1F00D41150 /* launchd_runtime_kill.c */, - FC59A0B40E8C8A1F00D41150 /* launchd_runtime.h */, - FC59A0B50E8C8A1F00D41150 /* launchd_runtime.c */, - FC59A0B60E8C8A1F00D41150 /* launchd_core_logic.h */, - FC59A0B70E8C8A1F00D41150 /* launchd_core_logic.c */, - 72FDB15E0EA7D7B200B2AC84 /* launchd_ktrace.h */, - 72FDB15D0EA7D7B200B2AC84 /* launchd_ktrace.c */, - ); - name = Source; + FC59A0B00E8C8A1F00D41150 /* ipc.h */, + FC59A0B20E8C8A1F00D41150 /* kill2.h */, + FC59A0B40E8C8A1F00D41150 /* runtime.h */, + 72FDB15E0EA7D7B200B2AC84 /* ktrace.h */, + FC59A0B60E8C8A1F00D41150 /* core.h */, + 4B1D128A143502F000A2BDED /* log.h */, + ); + name = internal; sourceTree = ""; }; - 4B9EDCD80EAFD15D00A78496 /* Documentation */ = { + 4B20867A1433CE7E006A5B71 /* support */ = { isa = PBXGroup; children = ( - FC59A0F80E8C8AC300D41150 /* rc.8 */, - FC59A0C10E8C8A4700D41150 /* launchd.plist.5 */, - FC59A0C30E8C8A4700D41150 /* launchd.conf.5 */, - FC59A0C00E8C8A3A00D41150 /* launchd.8 */, + FC59A0AE0E8C8A0E00D41150 /* launchctl.c */, + FC59A0DA0E8C8A6900D41150 /* launchproxy.c */, + FCD713380E95D69E001B0111 /* wait4path.c */, ); - name = Documentation; + name = support; + sourceTree = ""; + }; + 4B9EDCD70EAFD14500A78496 /* src */ = { + isa = PBXGroup; + children = ( + FC59A0BC0E8C8A2A00D41150 /* job_types.defs */, + FC3627DF0E9344BF0054F1A3 /* job.defs */, + FC3629160E9348390054F1A3 /* job_reply.defs */, + 72FDB1BF0EA7E21C00B2AC84 /* job_forward.defs */, + FC59A0BD0E8C8A2A00D41150 /* internal.defs */, + 4B287732111A509400C07B35 /* helper.defs */, + 4B0A3100131F24AC002DE2E5 /* types.defs */, + 4B0FB8E91241FE3F00383109 /* domain.defs */, + 4BA2F5FC1243063D00C2AADD /* init.defs */, + FC36291F0E9349410054F1A3 /* mach_exc.defs */, + FC36290C0E93475F0054F1A3 /* notify.defs */, + FC59A0C40E8C8A4700D41150 /* launchd.c */, + FC59A0B10E8C8A1F00D41150 /* ipc.c */, + FC59A0B30E8C8A1F00D41150 /* kill2.c */, + FC59A0B50E8C8A1F00D41150 /* runtime.c */, + 72FDB15D0EA7D7B200B2AC84 /* ktrace.c */, + FC59A0B70E8C8A1F00D41150 /* core.c */, + 4B1D1288143502DA00A2BDED /* log.c */, + ); + name = src; sourceTree = ""; }; 4B9EDCD90EAFD19800A78496 /* rc */ = { @@ -598,9 +652,18 @@ name = rc; sourceTree = ""; }; + 4BC868A6143CFC8C00B46F40 /* xcsupport */ = { + isa = PBXGroup; + children = ( + 4BC868A8143CFD0300B46F40 /* osx_redirect_name */, + ); + name = xcsupport; + sourceTree = ""; + }; FC36280C0E9345F60054F1A3 /* Frameworks */ = { isa = PBXGroup; children = ( + 4B949DD4143D010F008712B9 /* libCrashReporterClient.a */, 4B43EAF314101C5800E9E776 /* ServiceManagement.framework */, 4B9EDCA10EAFC77E00A78496 /* DiskArbitration.framework */, FC36292C0E934AA40054F1A3 /* libbsm.dylib */, @@ -615,30 +678,23 @@ FC59A03D0E8C87FD00D41150 = { isa = PBXGroup; children = ( - FC59A04E0E8C883300D41150 /* launchd */, + 4B1D12731433D77400A2BDED /* xcconfigs */, + 4B1D12761433D94200A2BDED /* xcscripts */, + 4BC868A6143CFC8C00B46F40 /* xcsupport */, + 4B2086771433CE05006A5B71 /* public */, + 4B2086781433CE0E006A5B71 /* private */, + 4B2086791433CE49006A5B71 /* internal */, + 4B9EDCD70EAFD14500A78496 /* src */, FC59A0E10E8C8A9400D41150 /* liblaunch */, - FC59A0A90E8C89C900D41150 /* launchctl */, - FC59A0C80E8C8A4E00D41150 /* launchproxy */, + 4B20867A1433CE7E006A5B71 /* support */, + 4B2086731433CBEF006A5B71 /* man */, + 4B9EDCD90EAFD19800A78496 /* rc */, FC59A0A00E8C899600D41150 /* SystemStarter */, - FCD713330E95D65F001B0111 /* wait4path */, FC36280C0E9345F60054F1A3 /* Frameworks */, FC59A0550E8C884700D41150 /* Products */, ); sourceTree = ""; }; - FC59A04E0E8C883300D41150 /* launchd */ = { - isa = PBXGroup; - children = ( - 4B8D8239132C5F400081FD4E /* Mach */, - 4B0A3102131F24B3002DE2E5 /* XPC */, - 4B9EDCD60EAFD11000A78496 /* MIG */, - 4B9EDCD70EAFD14500A78496 /* Source */, - 4B9EDCD90EAFD19800A78496 /* rc */, - 4B9EDCD80EAFD15D00A78496 /* Documentation */, - ); - name = launchd; - sourceTree = ""; - }; FC59A0550E8C884700D41150 /* Products */ = { isa = PBXGroup; children = ( @@ -657,69 +713,32 @@ FC59A0A00E8C899600D41150 /* SystemStarter */ = { isa = PBXGroup; children = ( - FC59A0FD0E8C8ADF00D41150 /* StartupItems.c */, - FC59A0FE0E8C8ADF00D41150 /* StartupItemContext.8 */, - FC59A0FF0E8C8ADF00D41150 /* StartupItemContext */, - FC59A1000E8C8ADF00D41150 /* SystemStarter.c */, - FC59A1010E8C8ADF00D41150 /* SystemStarter.8 */, + FCD713200E95D5D3001B0111 /* com.apple.SystemStarter.plist */, FC59A1020E8C8ADF00D41150 /* StartupItems.h */, FC59A1030E8C8ADF00D41150 /* SystemStarterIPC.h */, FC59A1040E8C8ADF00D41150 /* SystemStarter.h */, FC59A0A40E8C89C100D41150 /* IPC.h */, + FC59A0FD0E8C8ADF00D41150 /* StartupItems.c */, + FC59A1000E8C8ADF00D41150 /* SystemStarter.c */, FC59A0A50E8C89C100D41150 /* IPC.c */, - FCD713200E95D5D3001B0111 /* com.apple.SystemStarter.plist */, + FC59A0FF0E8C8ADF00D41150 /* StartupItemContext */, FCD713520E95D7B3001B0111 /* hostconfig */, + FC59A0FE0E8C8ADF00D41150 /* StartupItemContext.8 */, + FC59A1010E8C8ADF00D41150 /* SystemStarter.8 */, ); name = SystemStarter; sourceTree = ""; }; - FC59A0A90E8C89C900D41150 /* launchctl */ = { - isa = PBXGroup; - children = ( - FC59A0AD0E8C8A0E00D41150 /* launchctl.1 */, - FC59A0AE0E8C8A0E00D41150 /* launchctl.c */, - ); - name = launchctl; - sourceTree = ""; - }; - FC59A0C80E8C8A4E00D41150 /* launchproxy */ = { - isa = PBXGroup; - children = ( - FC59A0DB0E8C8A6900D41150 /* launchproxy.8 */, - FC59A0DA0E8C8A6900D41150 /* launchproxy.c */, - ); - name = launchproxy; - sourceTree = ""; - }; FC59A0E10E8C8A9400D41150 /* liblaunch */ = { isa = PBXGroup; children = ( - 4B1D91ED0F8BDE1A00125940 /* launchd.ops */, - FC59A0FB0E8C8ACE00D41150 /* reboot2.h */, - FC59A0E20E8C8AA600D41150 /* vproc.h */, - FC59A0E30E8C8AA600D41150 /* vproc_priv.h */, - FC59A0E40E8C8AA600D41150 /* vproc_internal.h */, FC59A0E50E8C8AA600D41150 /* libvproc.c */, - FC59A0E60E8C8AA600D41150 /* launch.h */, - FC59A0E70E8C8AA600D41150 /* launch_priv.h */, - FC59A0E80E8C8AA600D41150 /* launch_internal.h */, FC59A0E90E8C8AA600D41150 /* liblaunch.c */, - FC59A0EA0E8C8AA600D41150 /* bootstrap.h */, - FC59A0EB0E8C8AA600D41150 /* bootstrap_priv.h */, FC59A0EC0E8C8AA600D41150 /* libbootstrap.c */, ); name = liblaunch; sourceTree = ""; }; - FCD713330E95D65F001B0111 /* wait4path */ = { - isa = PBXGroup; - children = ( - FCD713370E95D69E001B0111 /* wait4path.1 */, - FCD713380E95D69E001B0111 /* wait4path.c */, - ); - name = wait4path; - sourceTree = ""; - }; /* End PBXGroup section */ /* Begin PBXHeadersBuildPhase section */ @@ -807,7 +826,6 @@ 4B1D91F40F8BDE6800125940 /* CopyFiles */, FC59A05C0E8C885100D41150 /* Headers */, FC59A05D0E8C885100D41150 /* Sources */, - FC59A05E0E8C885100D41150 /* Frameworks */, FC7B88230EA7280100542082 /* ShellScript */, ); buildRules = ( @@ -865,7 +883,6 @@ FC59A0CB0E8C8A5C00D41150 /* Sources */, FC59A0CC0E8C8A5C00D41150 /* Frameworks */, FCD713120E95D554001B0111 /* CopyFiles */, - FC7B87F20EA71A6200542082 /* ShellScript */, ); buildRules = ( ); @@ -883,7 +900,6 @@ FCD713280E95D64D001B0111 /* Sources */, FCD713290E95D64D001B0111 /* Frameworks */, FCD7134D0E95D728001B0111 /* CopyFiles */, - FC7B87EE0EA71A4900542082 /* ShellScript */, ); buildRules = ( ); @@ -900,7 +916,7 @@ FC59A03F0E8C87FD00D41150 /* Project object */ = { isa = PBXProject; attributes = { - LastUpgradeCheck = 0420; + LastUpgradeCheck = 0450; }; buildConfigurationList = FC59A0420E8C87FD00D41150 /* Build configuration list for PBXProject "launchd" */; compatibilityVersion = "Xcode 3.2"; @@ -921,13 +937,13 @@ 726056200EA8088C00D65FE7 /* embedded */, FC59A07A0E8C88BB00D41150 /* launchd_libs */, FC59A0530E8C884700D41150 /* launchd */, + FC59A05F0E8C885100D41150 /* liblaunch */, FC59A06C0E8C888A00D41150 /* launchctl */, 4B10F1B70F43BE7E00875782 /* launchd-embedded */, 4B10F1E60F43BF5C00875782 /* launchctl-embedded */, FC59A0CD0E8C8A5C00D41150 /* launchproxy */, FCD7132A0E95D64D001B0111 /* wait4path */, FC59A0900E8C892300D41150 /* SystemStarter */, - FC59A05F0E8C885100D41150 /* liblaunch */, ); }; /* End PBXProject section */ @@ -944,7 +960,7 @@ ); runOnlyForDeploymentPostprocessing = 1; shellPath = /bin/sh; - shellScript = "/Developer/Makefiles/bin/compress-man-pages.pl -d \"$DSTROOT\" /usr/share/man\n/bin/mkdir -p \"$DSTROOT/private/var/db/launchd.db/com.apple.launchd\"\n/usr/sbin/chown root:wheel \"$DSTROOT/private/var/db/launchd.db\"\n/usr/sbin/chown root:wheel \"$DSTROOT/private/var/db/launchd.db/com.apple.launchd\"\n\n"; + shellScript = "set -ex\n\n/bin/bash ${BUILD_XCSCRIPTS_DIR}/launchd-postflight.sh"; showEnvVarsInLog = 0; }; 4B10F1F00F43BF5C00875782 /* ShellScript */ = { @@ -958,7 +974,7 @@ ); runOnlyForDeploymentPostprocessing = 1; shellPath = /bin/sh; - shellScript = "install -o \"$INSTALL_OWNER\" -g \"$INSTALL_GROUP\" -m 0755 -d \"$DSTROOT\"/System/Library/LaunchAgents\ninstall -o \"$INSTALL_OWNER\" -g \"$INSTALL_GROUP\" -m 0755 -d \"$DSTROOT\"/System/Library/LaunchDaemons\ninstall -o \"$INSTALL_OWNER\" -g \"$INSTALL_GROUP\" -m 0755 -d \"$DSTROOT\"/Library/LaunchAgents\ninstall -o \"$INSTALL_OWNER\" -g \"$INSTALL_GROUP\" -m 0755 -d \"$DSTROOT\"/Library/LaunchDaemons\n/Developer/Makefiles/bin/compress-man-pages.pl -d \"$DSTROOT\" /usr/share/man"; + shellScript = "set -ex\n\n/bin/bash ${BUILD_XCSCRIPTS_DIR}/launchctl-postflight.sh"; showEnvVarsInLog = 0; }; FC7B87B20EA7195F00542082 /* ShellScript */ = { @@ -972,35 +988,7 @@ ); runOnlyForDeploymentPostprocessing = 1; shellPath = /bin/sh; - shellScript = "/Developer/Makefiles/bin/compress-man-pages.pl -d \"$DSTROOT\" /usr/share/man\n/bin/mkdir -p \"$DSTROOT/private/var/db/launchd.db/com.apple.launchd\"\n/usr/sbin/chown root:wheel \"$DSTROOT/private/var/db/launchd.db\"\n/usr/sbin/chown root:wheel \"$DSTROOT/private/var/db/launchd.db/com.apple.launchd\"\n/bin/mkdir -p \"$DSTROOT/private/etc/mach_init.d\"\n/bin/mkdir -p \"$DSTROOT/private/etc/mach_init_per_user.d\"\n/bin/mkdir -p \"$DSTROOT/private/etc/mach_init_per_login_session.d\"\n/usr/sbin/chown root:wheel \"$DSTROOT/private/etc/mach_init.d\"\n/usr/sbin/chown root:wheel \"$DSTROOT/private/etc/mach_init_per_user.d\"\n/usr/sbin/chown root:wheel \"$DSTROOT/private/etc/mach_init_per_login_session.d\""; - showEnvVarsInLog = 0; - }; - FC7B87EE0EA71A4900542082 /* ShellScript */ = { - isa = PBXShellScriptBuildPhase; - buildActionMask = 8; - files = ( - ); - inputPaths = ( - ); - outputPaths = ( - ); - runOnlyForDeploymentPostprocessing = 1; - shellPath = /bin/sh; - shellScript = "/Developer/Makefiles/bin/compress-man-pages.pl -d \"$DSTROOT\" /usr/share/man"; - showEnvVarsInLog = 0; - }; - FC7B87F20EA71A6200542082 /* ShellScript */ = { - isa = PBXShellScriptBuildPhase; - buildActionMask = 8; - files = ( - ); - inputPaths = ( - ); - outputPaths = ( - ); - runOnlyForDeploymentPostprocessing = 1; - shellPath = /bin/sh; - shellScript = "/Developer/Makefiles/bin/compress-man-pages.pl -d \"$DSTROOT\" /usr/share/man"; + shellScript = "set -ex\n\n/bin/bash ${BUILD_XCSCRIPTS_DIR}/launchd-postflight.sh"; showEnvVarsInLog = 0; }; FC7B88230EA7280100542082 /* ShellScript */ = { @@ -1014,7 +1002,7 @@ ); runOnlyForDeploymentPostprocessing = 1; shellPath = /bin/sh; - shellScript = "install -o \"$INSTALL_OWNER\" -g \"$INSTALL_GROUP\" -m 0755 -d \"$DSTROOT\"/usr/include/servers\nmv \"$DSTROOT\"/usr/include/bootstrap.h \"$DSTROOT\"/usr/include/servers/\nln -sf bootstrap.h \"$DSTROOT\"/usr/include/servers/bootstrap_defs.h"; + shellScript = "set -ex\n\n/bin/bash ${BUILD_XCSCRIPTS_DIR}/liblaunch-postflight.sh"; showEnvVarsInLog = 0; }; FCC8427E0EA7175100C01666 /* ShellScript */ = { @@ -1028,7 +1016,7 @@ ); runOnlyForDeploymentPostprocessing = 1; shellPath = /bin/sh; - shellScript = "install -o \"$INSTALL_OWNER\" -g \"$INSTALL_GROUP\" -m 0755 -d \"$DSTROOT\"/System/Library/StartupItems\ninstall -o \"$INSTALL_OWNER\" -g \"$INSTALL_GROUP\" -m 0755 -d \"$DSTROOT\"/Library/StartupItems\n/Developer/Makefiles/bin/compress-man-pages.pl -d \"$DSTROOT\" /usr/share/man"; + shellScript = "set -ex\n\n/bin/bash ${BUILD_XCSCRIPTS_DIR}/SystemStarter-postflight.sh"; showEnvVarsInLog = 0; }; FCC842860EA718C400C01666 /* ShellScript */ = { @@ -1042,7 +1030,7 @@ ); runOnlyForDeploymentPostprocessing = 1; shellPath = /bin/sh; - shellScript = "install -o \"$INSTALL_OWNER\" -g \"$INSTALL_GROUP\" -m 0755 -d \"$DSTROOT\"/System/Library/LaunchAgents\ninstall -o \"$INSTALL_OWNER\" -g \"$INSTALL_GROUP\" -m 0755 -d \"$DSTROOT\"/System/Library/LaunchDaemons\ninstall -o \"$INSTALL_OWNER\" -g \"$INSTALL_GROUP\" -m 0755 -d \"$DSTROOT\"/Library/LaunchAgents\ninstall -o \"$INSTALL_OWNER\" -g \"$INSTALL_GROUP\" -m 0755 -d \"$DSTROOT\"/Library/LaunchDaemons\n/Developer/Makefiles/bin/compress-man-pages.pl -d \"$DSTROOT\" /usr/share/man"; + shellScript = "set -ex\n\n/bin/bash ${BUILD_XCSCRIPTS_DIR}/launchctl-postflight.sh"; showEnvVarsInLog = 0; }; /* End PBXShellScriptBuildPhase section */ @@ -1052,20 +1040,22 @@ isa = PBXSourcesBuildPhase; buildActionMask = 2147483647; files = ( - 4B9A1C1F132759F700019C67 /* events.defs in Sources */, - 4BF8727C1187A5F000CC7DB5 /* launchd_helper.defs in Sources */, - 4B10F1B90F43BE7E00875782 /* launchd_internal.defs in Sources */, - 4B10F1BA0F43BE7E00875782 /* protocol_vproc.defs in Sources */, - 4B10F1BB0F43BE7E00875782 /* protocol_job_reply.defs in Sources */, + 60416D1D1402EE6A00C190AA /* init.defs in Sources */, + 60416D1F1402EE7300C190AA /* domain.defs in Sources */, + 4BF8727C1187A5F000CC7DB5 /* helper.defs in Sources */, + 4B10F1B90F43BE7E00875782 /* internal.defs in Sources */, + 4B10F1BA0F43BE7E00875782 /* job.defs in Sources */, + 4B10F1BB0F43BE7E00875782 /* job_reply.defs in Sources */, 4B10F1BC0F43BE7E00875782 /* mach_exc.defs in Sources */, 4B10F1BD0F43BE7E00875782 /* notify.defs in Sources */, + 4B10F1C40F43BE7E00875782 /* job_forward.defs in Sources */, 4B10F1BE0F43BE7E00875782 /* launchd.c in Sources */, - 4B10F1BF0F43BE7E00875782 /* launchd_runtime.c in Sources */, - 4B10F1C00F43BE7E00875782 /* launchd_runtime_kill.c in Sources */, - 4B10F1C10F43BE7E00875782 /* launchd_core_logic.c in Sources */, - 4B10F1C20F43BE7E00875782 /* launchd_unix_ipc.c in Sources */, - 4B10F1C30F43BE7E00875782 /* launchd_ktrace.c in Sources */, - 4B10F1C40F43BE7E00875782 /* protocol_job_forward.defs in Sources */, + 4B10F1BF0F43BE7E00875782 /* runtime.c in Sources */, + 4B10F1C00F43BE7E00875782 /* kill2.c in Sources */, + 4B10F1C10F43BE7E00875782 /* core.c in Sources */, + 4B10F1C20F43BE7E00875782 /* ipc.c in Sources */, + 4B10F1C30F43BE7E00875782 /* ktrace.c in Sources */, + 4B1D128C143505CD00A2BDED /* log.c in Sources */, ); runOnlyForDeploymentPostprocessing = 0; }; @@ -1081,22 +1071,22 @@ isa = PBXSourcesBuildPhase; buildActionMask = 2147483647; files = ( - 4B28781B111A61A400C07B35 /* launchd_helper.defs in Sources */, - FC59A0BF0E8C8A2A00D41150 /* launchd_internal.defs in Sources */, - FC3627E10E9344BF0054F1A3 /* protocol_vproc.defs in Sources */, - FC3629170E9348390054F1A3 /* protocol_job_reply.defs in Sources */, + 4B28781B111A61A400C07B35 /* helper.defs in Sources */, + FC59A0BF0E8C8A2A00D41150 /* internal.defs in Sources */, + FC3627E10E9344BF0054F1A3 /* job.defs in Sources */, + FC3629170E9348390054F1A3 /* job_reply.defs in Sources */, 726055EC0EA7EC2400D65FE7 /* mach_exc.defs in Sources */, FC36290D0E93475F0054F1A3 /* notify.defs in Sources */, - 4B0FB8EA1241FE3F00383109 /* domain.defs in Sources */, - 4B0A3103131F266E002DE2E5 /* events.defs in Sources */, - 4BA2F5FD1243063D00C2AADD /* init.defs in Sources */, - 72FDB1C00EA7E21C00B2AC84 /* protocol_job_forward.defs in Sources */, + 60416D1E1402EE7200C190AA /* domain.defs in Sources */, + 60416D1B1402EE6900C190AA /* init.defs in Sources */, + 72FDB1C00EA7E21C00B2AC84 /* job_forward.defs in Sources */, FC59A0C50E8C8A4700D41150 /* launchd.c in Sources */, - FC59A0BA0E8C8A1F00D41150 /* launchd_runtime.c in Sources */, - FC59A0B90E8C8A1F00D41150 /* launchd_runtime_kill.c in Sources */, - FC59A0BB0E8C8A1F00D41150 /* launchd_core_logic.c in Sources */, - FC59A0B80E8C8A1F00D41150 /* launchd_unix_ipc.c in Sources */, - 72FDB15F0EA7D7B200B2AC84 /* launchd_ktrace.c in Sources */, + FC59A0BA0E8C8A1F00D41150 /* runtime.c in Sources */, + FC59A0B90E8C8A1F00D41150 /* kill2.c in Sources */, + FC59A0BB0E8C8A1F00D41150 /* core.c in Sources */, + FC59A0B80E8C8A1F00D41150 /* ipc.c in Sources */, + 72FDB15F0EA7D7B200B2AC84 /* ktrace.c in Sources */, + 4B1D128B143505CB00A2BDED /* log.c in Sources */, ); runOnlyForDeploymentPostprocessing = 0; }; @@ -1104,12 +1094,12 @@ isa = PBXSourcesBuildPhase; buildActionMask = 2147483647; files = ( + 4B287733111A509400C07B35 /* helper.defs in Sources */, + FC3627E00E9344BF0054F1A3 /* job.defs in Sources */, FC59A0F40E8C8AA600D41150 /* liblaunch.c in Sources */, FC59A0F00E8C8AA600D41150 /* libvproc.c in Sources */, FC59A0F70E8C8AA600D41150 /* libbootstrap.c in Sources */, - FC3627E00E9344BF0054F1A3 /* protocol_vproc.defs in Sources */, - 726056090EA7FCF200D65FE7 /* launchd_ktrace.c in Sources */, - 4B287733111A509400C07B35 /* launchd_helper.defs in Sources */, + 726056090EA7FCF200D65FE7 /* ktrace.c in Sources */, ); runOnlyForDeploymentPostprocessing = 0; }; @@ -1205,39 +1195,33 @@ /* Begin XCBuildConfiguration section */ 4B10F1D20F43BE7E00875782 /* Release */ = { isa = XCBuildConfiguration; + baseConfigurationReference = 4B1D12741433D79800A2BDED /* launchd.xcconfig */; buildSettings = { - GCC_PREPROCESSOR_DEFINITIONS = ( - __LAUNCH_DISABLE_XPC_SUPPORT__, - XPC_BUILDING_LAUNCHD, - ); - HEADER_SEARCH_PATHS = "$(SDKROOT)/usr/local/include"; - INSTALL_PATH = /sbin; - OTHER_MIGFLAGS = "-DXPC_BUILDING_LAUNCHD -I$(PROJECT_DIR)/launchd/src/ -I$(SDKROOT)/usr/local/include"; - PRODUCT_NAME = launchd; + SUPPORTED_PLATFORMS = iphoneos; }; name = Release; }; 4B10F1F20F43BF5C00875782 /* Release */ = { isa = XCBuildConfiguration; + baseConfigurationReference = 4B1D12771433E5EB00A2BDED /* launchctl.xcconfig */; buildSettings = { INSTALL_PATH = /bin; PRODUCT_NAME = launchctl; + SUPPORTED_PLATFORMS = iphoneos; }; name = Release; }; 726056210EA8088D00D65FE7 /* Release */ = { isa = XCBuildConfiguration; buildSettings = { - COPY_PHASE_STRIP = YES; - DEBUG_INFORMATION_FORMAT = "dwarf-with-dsym"; - PRODUCT_NAME = embedded; - ZERO_LINK = NO; + PRODUCT_NAME = "launchd-embedded"; }; name = Release; }; FC59A0410E8C87FD00D41150 /* Release */ = { isa = XCBuildConfiguration; buildSettings = { + COMBINE_HIDPI_IMAGES = YES; COPY_PHASE_STRIP = YES; CURRENT_PROJECT_VERSION = "$(RC_ProjectSourceVersion)"; DEAD_CODE_STRIPPING = YES; @@ -1268,91 +1252,42 @@ }; FC59A0580E8C884800D41150 /* Release */ = { isa = XCBuildConfiguration; + baseConfigurationReference = 4B1D12741433D79800A2BDED /* launchd.xcconfig */; buildSettings = { - ALWAYS_SEARCH_USER_PATHS = YES; - ARCHS = "$(ARCHS_STANDARD_32_64_BIT)"; - GCC_DYNAMIC_NO_PIC = NO; - GCC_PREPROCESSOR_DEFINITIONS = ""; - HEADER_SEARCH_PATHS = ""; - INSTALL_PATH = /sbin; - OTHER_CFLAGS = ( - "-D__MigTypeCheck=1", - "-Dmig_external=__private_extern__", - "-D_DARWIN_USE_64_BIT_INODE=1", - ); - OTHER_MIGFLAGS = "-DXPC_BUILDING_LAUNCHD -I$(PROJECT_DIR)/launchd/src/"; - PRODUCT_NAME = launchd; }; name = Release; }; FC59A0620E8C885100D41150 /* Release */ = { isa = XCBuildConfiguration; + baseConfigurationReference = 4B1D12751433D7BE00A2BDED /* liblaunch.xcconfig */; buildSettings = { - ARCHS = "$(ARCHS_STANDARD_32_64_BIT)"; - BUILD_VARIANTS = ( - normal, - debug, - profile, - ); - CRASHREPORTER_LINKER_FLAGS = ""; - "CRASHREPORTER_LINKER_FLAGS[sdk=macosx*][arch=*]" = "-lCrashReporterClient"; - "CRASHREPORTER_LINKER_FLAGS[sdk=macosx10.6][arch=*]" = ""; - DYLIB_COMPATIBILITY_VERSION = 1; - DYLIB_CURRENT_VERSION = "$(RC_ProjectSourceVersion)"; - EXECUTABLE_PREFIX = lib; - INSTALLHDRS_SCRIPT_PHASE = YES; - INSTALL_PATH = /usr/lib/system; - LD_DYLIB_INSTALL_NAME = "$(DYLIB_INSTALL_NAME_BASE:standardizepath)/$(EXECUTABLE_PATH)"; - OTHER_CFLAGS = ( - "-D__MigTypeCheck=1", - "-Dmig_external=__private_extern__", - "-D__DARWIN_NON_CANCELABLE=1", - "-D_DARWIN_USE_64_BIT_INODE=1", - ); - OTHER_LDFLAGS = ( - "-Wl,-umbrella,System", - "$(CRASHREPORTER_LINKER_FLAGS)", - ); - PRODUCT_NAME = launch; - PUBLIC_HEADERS_FOLDER_PATH = /usr/include; - STRIP_INSTALLED_PRODUCT = YES; - STRIP_STYLE = "non-global"; - VERSION_INFO_PREFIX = _; }; name = Release; }; FC59A0700E8C888A00D41150 /* Release */ = { isa = XCBuildConfiguration; + baseConfigurationReference = 4B1D12771433E5EB00A2BDED /* launchctl.xcconfig */; buildSettings = { - ARCHS = "$(ARCHS_STANDARD_32_64_BIT)"; - GCC_DYNAMIC_NO_PIC = NO; - INSTALL_PATH = /bin; - PRODUCT_NAME = launchctl; }; name = Release; }; FC59A0770E8C88AC00D41150 /* Release */ = { isa = XCBuildConfiguration; buildSettings = { - COPY_PHASE_STRIP = YES; - DEBUG_INFORMATION_FORMAT = "dwarf-with-dsym"; - PRODUCT_NAME = default; - ZERO_LINK = NO; + PRODUCT_NAME = "launchd-default"; }; name = Release; }; FC59A07C0E8C88BC00D41150 /* Release */ = { isa = XCBuildConfiguration; buildSettings = { - COPY_PHASE_STRIP = YES; - DEBUG_INFORMATION_FORMAT = "dwarf-with-dsym"; - PRODUCT_NAME = launchd_libs; - ZERO_LINK = NO; + PRODUCT_NAME = liblaunch; }; name = Release; }; FC59A0940E8C892400D41150 /* Release */ = { isa = XCBuildConfiguration; + baseConfigurationReference = 4B1D127D1433E91D00A2BDED /* common.xcconfig */; buildSettings = { ARCHS = "$(ARCHS_STANDARD_32_64_BIT)"; GCC_DYNAMIC_NO_PIC = NO; @@ -1364,21 +1299,25 @@ }; FC59A0D10E8C8A5C00D41150 /* Release */ = { isa = XCBuildConfiguration; + baseConfigurationReference = 4B1D127D1433E91D00A2BDED /* common.xcconfig */; buildSettings = { ARCHS = "$(ARCHS_STANDARD_32_64_BIT)"; GCC_DYNAMIC_NO_PIC = NO; INSTALL_PATH = /usr/libexec; PRODUCT_NAME = launchproxy; + SUPPORTED_PLATFORMS = "macosx iphoneos"; }; name = Release; }; FCD7132E0E95D64E001B0111 /* Release */ = { isa = XCBuildConfiguration; + baseConfigurationReference = 4B1D127D1433E91D00A2BDED /* common.xcconfig */; buildSettings = { ARCHS = "$(ARCHS_STANDARD_32_64_BIT)"; GCC_DYNAMIC_NO_PIC = NO; INSTALL_PATH = /bin; PRODUCT_NAME = wait4path; + SUPPORTED_PLATFORMS = "macosx iphoneos"; }; name = Release; }; diff --git a/launchd/AUTHORS b/launchd/AUTHORS deleted file mode 100644 index 9881eeb..0000000 --- a/launchd/AUTHORS +++ /dev/null @@ -1,4 +0,0 @@ -Dave Zarzycki zarzycki@apple.com Most everything here. -Fred Sanchez wsanchez@apple.com The original SystemStarter. -BSD et. al. init -CMU et. al. mach_init diff --git a/launchd/COPYING b/launchd/COPYING deleted file mode 100644 index d645695..0000000 --- a/launchd/COPYING +++ /dev/null @@ -1,202 +0,0 @@ - - Apache License - Version 2.0, January 2004 - http://www.apache.org/licenses/ - - TERMS AND CONDITIONS FOR USE, REPRODUCTION, AND DISTRIBUTION - - 1. Definitions. - - "License" shall mean the terms and conditions for use, reproduction, - and distribution as defined by Sections 1 through 9 of this document. - - "Licensor" shall mean the copyright owner or entity authorized by - the copyright owner that is granting the License. - - "Legal Entity" shall mean the union of the acting entity and all - other entities that control, are controlled by, or are under common - control with that entity. For the purposes of this definition, - "control" means (i) the power, direct or indirect, to cause the - direction or management of such entity, whether by contract or - otherwise, or (ii) ownership of fifty percent (50%) or more of the - outstanding shares, or (iii) beneficial ownership of such entity. - - "You" (or "Your") shall mean an individual or Legal Entity - exercising permissions granted by this License. - - "Source" form shall mean the preferred form for making modifications, - including but not limited to software source code, documentation - source, and configuration files. - - "Object" form shall mean any form resulting from mechanical - transformation or translation of a Source form, including but - not limited to compiled object code, generated documentation, - and conversions to other media types. - - "Work" shall mean the work of authorship, whether in Source or - Object form, made available under the License, as indicated by a - copyright notice that is included in or attached to the work - (an example is provided in the Appendix below). - - "Derivative Works" shall mean any work, whether in Source or Object - form, that is based on (or derived from) the Work and for which the - editorial revisions, annotations, elaborations, or other modifications - represent, as a whole, an original work of authorship. For the purposes - of this License, Derivative Works shall not include works that remain - separable from, or merely link (or bind by name) to the interfaces of, - the Work and Derivative Works thereof. - - "Contribution" shall mean any work of authorship, including - the original version of the Work and any modifications or additions - to that Work or Derivative Works thereof, that is intentionally - submitted to Licensor for inclusion in the Work by the copyright owner - or by an individual or Legal Entity authorized to submit on behalf of - the copyright owner. For the purposes of this definition, "submitted" - means any form of electronic, verbal, or written communication sent - to the Licensor or its representatives, including but not limited to - communication on electronic mailing lists, source code control systems, - and issue tracking systems that are managed by, or on behalf of, the - Licensor for the purpose of discussing and improving the Work, but - excluding communication that is conspicuously marked or otherwise - designated in writing by the copyright owner as "Not a Contribution." - - "Contributor" shall mean Licensor and any individual or Legal Entity - on behalf of whom a Contribution has been received by Licensor and - subsequently incorporated within the Work. - - 2. Grant of Copyright License. Subject to the terms and conditions of - this License, each Contributor hereby grants to You a perpetual, - worldwide, non-exclusive, no-charge, royalty-free, irrevocable - copyright license to reproduce, prepare Derivative Works of, - publicly display, publicly perform, sublicense, and distribute the - Work and such Derivative Works in Source or Object form. - - 3. Grant of Patent License. Subject to the terms and conditions of - this License, each Contributor hereby grants to You a perpetual, - worldwide, non-exclusive, no-charge, royalty-free, irrevocable - (except as stated in this section) patent license to make, have made, - use, offer to sell, sell, import, and otherwise transfer the Work, - where such license applies only to those patent claims licensable - by such Contributor that are necessarily infringed by their - Contribution(s) alone or by combination of their Contribution(s) - with the Work to which such Contribution(s) was submitted. If You - institute patent litigation against any entity (including a - cross-claim or counterclaim in a lawsuit) alleging that the Work - or a Contribution incorporated within the Work constitutes direct - or contributory patent infringement, then any patent licenses - granted to You under this License for that Work shall terminate - as of the date such litigation is filed. - - 4. Redistribution. You may reproduce and distribute copies of the - Work or Derivative Works thereof in any medium, with or without - modifications, and in Source or Object form, provided that You - meet the following conditions: - - (a) You must give any other recipients of the Work or - Derivative Works a copy of this License; and - - (b) You must cause any modified files to carry prominent notices - stating that You changed the files; and - - (c) You must retain, in the Source form of any Derivative Works - that You distribute, all copyright, patent, trademark, and - attribution notices from the Source form of the Work, - excluding those notices that do not pertain to any part of - the Derivative Works; and - - (d) If the Work includes a "NOTICE" text file as part of its - distribution, then any Derivative Works that You distribute must - include a readable copy of the attribution notices contained - within such NOTICE file, excluding those notices that do not - pertain to any part of the Derivative Works, in at least one - of the following places: within a NOTICE text file distributed - as part of the Derivative Works; within the Source form or - documentation, if provided along with the Derivative Works; or, - within a display generated by the Derivative Works, if and - wherever such third-party notices normally appear. The contents - of the NOTICE file are for informational purposes only and - do not modify the License. You may add Your own attribution - notices within Derivative Works that You distribute, alongside - or as an addendum to the NOTICE text from the Work, provided - that such additional attribution notices cannot be construed - as modifying the License. - - You may add Your own copyright statement to Your modifications and - may provide additional or different license terms and conditions - for use, reproduction, or distribution of Your modifications, or - for any such Derivative Works as a whole, provided Your use, - reproduction, and distribution of the Work otherwise complies with - the conditions stated in this License. - - 5. Submission of Contributions. Unless You explicitly state otherwise, - any Contribution intentionally submitted for inclusion in the Work - by You to the Licensor shall be under the terms and conditions of - this License, without any additional terms or conditions. - Notwithstanding the above, nothing herein shall supersede or modify - the terms of any separate license agreement you may have executed - with Licensor regarding such Contributions. - - 6. Trademarks. This License does not grant permission to use the trade - names, trademarks, service marks, or product names of the Licensor, - except as required for reasonable and customary use in describing the - origin of the Work and reproducing the content of the NOTICE file. - - 7. Disclaimer of Warranty. Unless required by applicable law or - agreed to in writing, Licensor provides the Work (and each - Contributor provides its Contributions) on an "AS IS" BASIS, - WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or - implied, including, without limitation, any warranties or conditions - of TITLE, NON-INFRINGEMENT, MERCHANTABILITY, or FITNESS FOR A - PARTICULAR PURPOSE. You are solely responsible for determining the - appropriateness of using or redistributing the Work and assume any - risks associated with Your exercise of permissions under this License. - - 8. Limitation of Liability. In no event and under no legal theory, - whether in tort (including negligence), contract, or otherwise, - unless required by applicable law (such as deliberate and grossly - negligent acts) or agreed to in writing, shall any Contributor be - liable to You for damages, including any direct, indirect, special, - incidental, or consequential damages of any character arising as a - result of this License or out of the use or inability to use the - Work (including but not limited to damages for loss of goodwill, - work stoppage, computer failure or malfunction, or any and all - other commercial damages or losses), even if such Contributor - has been advised of the possibility of such damages. - - 9. Accepting Warranty or Additional Liability. While redistributing - the Work or Derivative Works thereof, You may choose to offer, - and charge a fee for, acceptance of support, warranty, indemnity, - or other liability obligations and/or rights consistent with this - License. However, in accepting such obligations, You may act only - on Your own behalf and on Your sole responsibility, not on behalf - of any other Contributor, and only if You agree to indemnify, - defend, and hold each Contributor harmless for any liability - incurred by, or claims asserted against, such Contributor by reason - of your accepting any such warranty or additional liability. - - END OF TERMS AND CONDITIONS - - APPENDIX: How to apply the Apache License to your work. - - To apply the Apache License to your work, attach the following - boilerplate notice, with the fields enclosed by brackets "[]" - replaced with your own identifying information. (Don't include - the brackets!) The text should be enclosed in the appropriate - comment syntax for the file format. We also recommend that a - file or class name and description of purpose be included on the - same "printed page" as the copyright notice for easier - identification within third-party archives. - - Copyright [yyyy] [name of copyright owner] - - Licensed under the Apache License, Version 2.0 (the "License"); - you may not use this file except in compliance with the License. - You may obtain a copy of the License at - - http://www.apache.org/licenses/LICENSE-2.0 - - Unless required by applicable law or agreed to in writing, software - distributed under the License is distributed on an "AS IS" BASIS, - WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - See the License for the specific language governing permissions and - limitations under the License. diff --git a/launchd/doc/HOWTO.html b/launchd/doc/HOWTO.html deleted file mode 100644 index a166903..0000000 --- a/launchd/doc/HOWTO.html +++ /dev/null @@ -1,270 +0,0 @@ - - -

Getting Started With Launchd

- -

Launchd is rather simple actually. Far simpler than you might think.

- -

Before We Get Started

- -

Launchd, in an effort to be consistent with other Apple software, uses the -Property List file format for storing configuration information. Apple's -Property List APIs provide for three different file formats for storing a -property list to disk. A plain text option, a binary option, and an XML text -option. For the remainder of this HOWTO, we will use the XML varient to show -what a configuration file looks like.

- -

The basics:

- -

For the simplest of scenarios, launchd just keeps a process alive. A simple "hello -world" example of that would be:

- -
-<?xml version="1.0" encoding="UTF-8"?>
-<!DOCTYPE plist PUBLIC "-//Apple Computer//DTD PLIST 1.0//EN" "http://www.apple.com/DTDs/PropertyList-1.0.dtd">
-<plist version="1.0">
-<dict>
-        <key>Label</key>
-        <string>com.example.sleep</string>
-        <key>ProgramArguments</key>
-        <array>
-                <string>sleep</string>
-                <string>100</string>
-        </array>
-        <key>OnDemand</key>
-        <false/>
-</dict>
-</plist>
-
- -

In the above example, we have three keys to our top level dictionary. The first -is the Label which is what is used to uniquely identify jobs when interacting -with launchd. The second is ProgramArguments which for its value, we have an -array of strings which represent the tokenized arguments and the program to -run. The third and final key is OnDemand which overrides the default value of -true with false thereby instructing launchd to always try and keep this job -running. That's it! A Label, some ProgramArguments and OnDemand set to false is all -you need to keep a daemon alive with launchd!

- -

Now if you've ever written a daemon before, you've either called the -daemon() function or written one yourself. With launchd, that is -not only unnecessary, but unsupported. If you try and run a daemon you didn't -write under launchd, you must, at the very least, find a configuration option to -keep the daemon from daemonizing itself so that launchd can monitor it.

- -

Going beyond the basics with optional keys:

- -

There are many optional keys available and documented in the launchd.plist -man page, so we'll only give a few optional, but common examples:

- -
-<?xml version="1.0" encoding="UTF-8"?>
-<!DOCTYPE plist PUBLIC "-//Apple Computer//DTD PLIST 1.0//EN" "http://www.apple.com/DTDs/PropertyList-1.0.dtd">
-<plist version="1.0">
-<dict>
-        <key>Label</key>
-        <string>com.example.sleep</string>
-        <key>ProgramArguments</key>
-        <array>
-                <string>sleep</string>
-                <string>100</string>
-        </array>
-        <key>OnDemand</key>
-        <false/>
-        <key>UserName</key>
-        <string>daemon</string>
-        <key>GroupName</key>
-        <string>daemon</string>
-        <key>EnvironmentVariables</key>
-	<dict>
-		<key>FOO</key>
-		<string>bar</string>
-	</dict>
-</dict>
-</plist>
-
- -

In the above example, we see that the job is run as a certain user and group, and additionally has an extra environment variable set.

- -

Debugging tricks:

- -

The following example will enable core dumps, set standard out and error to -go to a log file and to instruct launchd to temporarily bump up the debug level -of launchd's loggging while acting on behave of your job (remember to adjust -your syslog.conf accordingly):

- -
-<?xml version="1.0" encoding="UTF-8"?>
-<!DOCTYPE plist PUBLIC "-//Apple Computer//DTD PLIST 1.0//EN" "http://www.apple.com/DTDs/PropertyList-1.0.dtd">
-<plist version="1.0">
-<dict>
-        <key>Label</key>
-        <string>com.example.sleep</string>
-        <key>ProgramArguments</key>
-        <array>
-                <string>sleep</string>
-                <string>100</string>
-        </array>
-        <key>OnDemand</key>
-        <false/>
-        <key>StandardOutPath</key>
-        <string>/var/log/myjob.log</string>
-        <key>StandardErrorPath</key>
-        <string>/var/log/myjob.log</string>
-        <key>Debug</key>
-        <true/>
-        <key>SoftResourceLimits</key>
-	<dict>
-	        <key>Core</key>
-		<integer>9223372036854775807</integer>
-	</dict>
-        <key>HardResourceLimits</key>
-	<dict>
-	        <key>Core</key>
-		<integer>9223372036854775807</integer>
-	</dict>
-</dict>
-</plist>
-
- -

But what if I don't want or expect my job to run continuously?

- -

The basics of on demand launching:

- -

Launchd provides a multitude of different criteria that can be used to specify -when a job should be started. It is important to note that launchd will only -run one instance of your job though. Therefore, if your on demand job -malfunctions, you are guaranteed that launchd will not spawn additional copies -when your criteria is satisfied once more in the future.

- -

Starting a job periodically:

- -

Here is an example on how to have a job start every five minutes (300 seconds):

- -
-<?xml version="1.0" encoding="UTF-8"?>
-<!DOCTYPE plist PUBLIC "-//Apple Computer//DTD PLIST 1.0//EN" "http://www.apple.com/DTDs/PropertyList-1.0.dtd">
-<plist version="1.0">
-<dict>
-        <key>Label</key>
-        <string>com.example.touchsomefile</string>
-        <key>ProgramArguments</key>
-        <array>
-                <string>touch</string>
-		<string>/tmp/helloworld</string>
-        </array>
-        <key>StartInterval</key>
-	<integer>300</integer>
-</dict>
-</plist>
-
- -

Sometimes you want a job started on a calendar based interval. The following example will start the job on the 11th minute of the 11th hour every day (using a 24 hour clock system) on the 11th day of the month. Like the Unix cron subsystem, any missing key of the StartCalendarInterval dictionary is treated as a wildcard:

- -
-<?xml version="1.0" encoding="UTF-8"?>
-<!DOCTYPE plist PUBLIC "-//Apple Computer//DTD PLIST 1.0//EN" "http://www.apple.com/DTDs/PropertyList-1.0.dtd">
-<plist version="1.0">
-<dict>
-        <key>Label</key>
-        <string>com.example.touchsomefile</string>
-        <key>ProgramArguments</key>
-        <array>
-                <string>touch</string>
-		<string>/tmp/helloworld</string>
-        </array>
-        <key>StartCalendarInterval</key>
-        <dict>
-        	<key>Minute</key>
-		<integer>11</integer>
-		<key>Hour</key>
-		<integer>11</integer>
-		<key>Day</key>
-		<integer>11</integer>
-        </dict>
-</dict>
-
- -

Starting a job based on file system activity:

- -

The following example will start the job whenever any of the paths being watched change for whatever reason:

- -
-<?xml version="1.0" encoding="UTF-8"?>
-<!DOCTYPE plist PUBLIC "-//Apple Computer//DTD PLIST 1.0//EN" "http://www.apple.com/DTDs/PropertyList-1.0.dtd">
-<plist version="1.0">
-<dict>
-        <key>Label</key>
-	<string>com.example.watchetchostconfig</string>
-        <key>ProgramArguments</key>
-        <array>
-                <string>syslog</string>
-                <string>-s</string>
-                <string>-l</string>
-                <string>notice</string>
-		<string>somebody touched /etc/hostconfig</string>
-        </array>
-	<key>WatchPaths</key>
-        <array>
-        	<string>/etc/hostconfig</string>
-        </array>
-</dict>
-
- -

An additional file system trigger is the notion of a queue directory. Launchd will star your job whenever -the given directories are non-empty and will keep your job running as long as those directories are not empty:

- -
-<?xml version="1.0" encoding="UTF-8"?>
-<!DOCTYPE plist PUBLIC "-//Apple Computer//DTD PLIST 1.0//EN" "http://www.apple.com/DTDs/PropertyList-1.0.dtd">
-<plist version="1.0">
-<dict>
-        <key>Label</key>
-	<string>com.example.mailpush</string>
-        <key>ProgramArguments</key>
-        <array>
-		<string>my_custom_mail_push_tool</string>
-        </array>
-	<key>QueueDirectories</key>
-        <array>
-        	<string>/var/spool/mymailqdir</string>
-        </array>
-</dict>
-
- -

Inetd Emulation

- -

Launchd will happily emulate inetd style daemon semantics:

- -
-<?xml version="1.0" encoding="UTF-8"?>
-<!DOCTYPE plist PUBLIC "-//Apple Computer//DTD PLIST 1.0//EN" "http://www.apple.com/DTDs/PropertyList-1.0.dtd">
-<plist version="1.0">
-<dict>
-        <key>Label</key>
-	<string>com.example.telnetd</string>
-        <key>ProgramArguments</key>
-        <array>
-		<string>/usr/libexec/telnetd</string>
-        </array>
-	<key>inetdCompatibility</key>
-        <dict>
-        	<key>Wait</key>
-        	<false/>
-        </dict>
-        <key>Sockets</key>
-        <dict>
-        	<key>Listeners</key>
-        	<dict>
-        		<key>SockServiceName</key>
-        		<string>telnet</string>
-        		<key>SockType</key>
-        		<string>stream</string>
-        	</dict>
-        </dict>
-</dict>
-
- -

TBD

- - - diff --git a/launchd/doc/StartupItem-NOTES.rtf b/launchd/doc/StartupItem-NOTES.rtf deleted file mode 100644 index 4000ad7..0000000 --- a/launchd/doc/StartupItem-NOTES.rtf +++ /dev/null @@ -1,96 +0,0 @@ -{\rtf1\mac\ansicpg10000\cocoartf100 -{\fonttbl\f0\fswiss\fcharset77 Helvetica-Bold;\f1\fswiss\fcharset77 Helvetica;\f2\fmodern\fcharset77 Courier; -\f3\fswiss\fcharset77 Helvetica-Oblique;} -{\colortbl;\red255\green255\blue255;} -\vieww12840\viewh12820\viewkind0 -\pard\tx560\tx1120\tx1680\tx2240\tx2800\tx3360\tx3920\tx4480\tx5040\tx5600\tx6160\tx6720\ql\qnatural - -\f0\b\fs24 \cf0 Logistics of Startup Items:\ -\pard\tx560\tx1120\tx1680\tx2240\tx2800\tx3360\tx3920\tx4480\tx5040\tx5600\tx6160\tx6720\ql\qnatural - -\f1\b0 \cf0 \ - Startup items are directory bundles which contain, at a minimum, an executable file and a property list text file. For a startup item named "Foo", the bundle will be a directory named "Foo" containing (at a minimum) an executable "Foo" and a plist file "StartupParameters.plist".\ -\ -\pard\tx560\tx1120\tx1680\tx2240\tx2800\tx3360\tx3920\tx4480\tx5040\tx5600\tx6160\tx6720\ql\qnatural - -\f0\b \cf0 Search Paths for Startup Items:\ -\pard\tx560\tx1120\tx1680\tx2240\tx2800\tx3360\tx3920\tx4480\tx5040\tx5600\tx6160\tx6720\ql\qnatural - -\f1\b0 \cf0 \ - Startup items may be placed in the "Library" subdirectory of the primary file domains ("System", "Local", and "Network"). The search order is defined by routines defined in NSSystemDirectories.h: Local, then Network, then System. However, because the Network mounts have not been established at the beginning of system startup, bundles in /Network is currently not searched; this may be fixed later such that /Network is searched when ti becomes available. This search order does not define the startup order, but it does effect the handling of conflicts between bundles which provide the same services.\ -\ -\pard\tx560\tx1120\tx1680\tx2240\tx2800\tx3360\tx3920\tx4480\tx5040\tx5600\tx6160\tx6720\ql\qnatural - -\f0\b \cf0 Startup Actions:\ -\pard\tx560\tx1120\tx1680\tx2240\tx2800\tx3360\tx3920\tx4480\tx5040\tx5600\tx6160\tx6720\ql\qnatural - -\f1\b0 \cf0 \ - Presently, SystemStarter looks for an executable file with the name of the bundle (eg. Foo/Foo), and runs that file with a single argument.\ -\ - \'a5 A "start" argument indicates that the service(s) provided by the item are expected to start if they are configured to run. The program may opt to do nothing if the service is not configured to run.\ -\ - \'a5 A "stop" argument indicates that the service(s) provided by the item are expected to stop if it is running, regardless of whether it is configured to run.\ -\ - \'a5 A "restart" argument indicates that the service(s) provided by the item are expected to one of two things:\ - \'a5 Stop if the service is running, then start if the service is configured to run. (Same as stop followed by start.)\ - \'a5 If the service is running and not configured to run, stop the service; if the service is not running and configured to run, start the service; if the service is running and it is configured to run, reconfigure the service (eg. send the server a HUP signal).\ -\ - Startup items should take no action if they receive an unknown request and should therefore take care not to ignore the argument altogether; for example, a "stop" argument should most certainly not cause the item to start a service.\ -\ -\pard\tx560\tx1120\tx1680\tx2240\tx2800\tx3360\tx3920\tx4480\tx5040\tx5600\tx6160\tx6720\ql\qnatural - -\f0\b \cf0 Item Launch Ordering:\ -\pard\tx560\tx1120\tx1680\tx2240\tx2800\tx3360\tx3920\tx4480\tx5040\tx5600\tx6160\tx6720\ql\qnatural - -\f1\b0 \cf0 \ - The plist file contains parameters which tell SystemStarter some information about the executable, such as what services is provides, which services are prerequisites to its use, and so on. The plist contains the following attributes:\ -\ -\pard\tx560\tx1120\tx1680\tx2240\tx2800\tx3360\tx3920\tx4480\tx5040\tx5600\tx6160\tx6720\ql\qnatural - -\f2 \cf0 \{\ - Description = "blah blah";\ - Provides = ("service", ...);\ - Requires = ("service", ...);\ - Uses = ("service", ...);\ - OrderPreference = "time";\ - Messages =\ - \{\ - start = "Starting blah.";\ - stop = "Stopping blah.";\ - \}\ - \}\ -\pard\tx560\tx1120\tx1680\tx2240\tx2800\tx3360\tx3920\tx4480\tx5040\tx5600\tx6160\tx6720\ql\qnatural - -\f1 \cf0 \ - Note that while the above example is writing in the old NeXT-style property list format for compactness, the new XML property lists are also handled. You may prefer using PropertyListEditor.app to editing the property list files manually.\ -\ - Provides is an array that declares the services are provided by this bundle. A typical bundle provides a single service. Two bundles may not provide the same service; should multiple bundles which provide the same service be installed on a system, the first one encountered will be run, while the others will be disabled. It is therefore undesireable to provide multiple services in a single bundle unless they are co-dependent, as the overriding of one will effectively override all services in a given bundle (see also "Search Paths for Startup Items").\ -\ - Requires and Uses comprise the primary method for sorting bundles into the startup order. Requires is an array of services, provided by other bundles, that must be successfully started before the bundle can be run. If no such service is provided by any other bundle, the requiring bundle will not run. Uses is similar to Requires in that the bundle will attempt wait for the listed services before running, but it will still launch even if no such service can be provided by another bundle.\ -\ - OrderPreference provides a hint as to the ordering used when a set of bundles are all ready to load. Bundles which have their prerequisites met (that is, all Requires services are launched and all Uses services are either launched or deemed unavailable) are prioritized in this order, based on OrderPreference:\ -\ -\pard\tx560\tx1120\tx1680\tx2240\tx2800\tx3360\tx3920\tx4480\tx5040\tx5600\tx6160\tx6720\ql\qnatural - -\f2 \cf0 First\ - Early\ - None (default)\ - Late\ - Last\ -\pard\tx560\tx1120\tx1680\tx2240\tx2800\tx3360\tx3920\tx4480\tx5040\tx5600\tx6160\tx6720\ql\qnatural - -\f1 \cf0 \ - Note that -\f3\i other than the above ordering rules, there are no guarantees about the startup order of items -\f1\i0 . That is, if multiple items are prioritized equally given the above constraints, there is no rule for which starts first. You must use the dependency mechanism to ensure the correct dependencies have been met. Note also that OrderPreference is merely a suggestion, and that SystemStarter may opt to disregard it. In particular, startup items are run parallel, and items which have dependencies met will be run without waiting for items of a lower OrderPreference to complete.\ -\ - Description is a general-use string describing the item, for use by Admin tools. The Messages property provides strings which are displayed by SystemStarter during startup and shutdown.\ -\ -\pard\tx560\tx1120\tx1680\tx2240\tx2800\tx3360\tx3920\tx4480\tx5040\tx5600\tx6160\tx6720\ql\qnatural - -\f0\b \cf0 Shutdown:\ -\pard\tx560\tx1120\tx1680\tx2240\tx2800\tx3360\tx3920\tx4480\tx5040\tx5600\tx6160\tx6720\ql\qnatural - -\f1\b0 \cf0 \ - The intent is to add a shutdown sequence in the future so that the computer can be brought down more cleanly and give services a change to store state before exiting. The mechanism for this is still in the design stage.\ -} \ No newline at end of file diff --git a/launchd/doc/sampled.c b/launchd/doc/sampled.c deleted file mode 100644 index 6cb8779..0000000 --- a/launchd/doc/sampled.c +++ /dev/null @@ -1,123 +0,0 @@ -#include -#include -#include -#include -#include -#include -#include -#include -#include -#include -#include -#include -#include -#include - -#include "launch.h" - -static void -ack_mach_port(launch_data_t o, const char *name, void *context __attribute__((unused))) -{ - mach_port_t p = launch_data_get_machport(o); - - mach_port_deallocate(mach_task_self(), p); - - syslog(LOG_NOTICE, "Ignoring Mach service: %s", name); -} - -int -main(void) -{ - struct timespec timeout = { 60, 0 }; - struct sockaddr_storage ss; - socklen_t slen = sizeof(ss); - struct kevent kev; - launch_data_t tmp, resp, msg = launch_data_new_string(LAUNCH_KEY_CHECKIN); - size_t i; - int kq; - - openlog(getprogname(), LOG_PERROR|LOG_PID|LOG_CONS, LOG_DAEMON); - - if (-1 == (kq = kqueue())) { - syslog(LOG_ERR, "kqueue(): %m"); - exit(EXIT_FAILURE); - } - - if ((resp = launch_msg(msg)) == NULL) { - syslog(LOG_ERR, "launch_msg(\"" LAUNCH_KEY_CHECKIN "\") IPC failure: %m"); - exit(EXIT_FAILURE); - } - - if (LAUNCH_DATA_ERRNO == launch_data_get_type(resp)) { - errno = launch_data_get_errno(resp); - if (errno == EACCES) - syslog(LOG_ERR, "Check-in failed. Did you forget to set ServiceIPC == true in your plist?"); - else - syslog(LOG_ERR, "Check-in failed: %m"); - exit(EXIT_FAILURE); - } - - tmp = launch_data_dict_lookup(resp, LAUNCH_JOBKEY_TIMEOUT); - if (tmp) - timeout.tv_sec = launch_data_get_integer(tmp); - - tmp = launch_data_dict_lookup(resp, LAUNCH_JOBKEY_MACHSERVICES); - if (tmp) { - launch_data_dict_iterate(tmp, ack_mach_port, NULL); - } - - tmp = launch_data_dict_lookup(resp, LAUNCH_JOBKEY_SOCKETS); - if (NULL == tmp) { - syslog(LOG_ERR, "No sockets found to answer requests on!"); - exit(EXIT_FAILURE); - } - - if (launch_data_dict_get_count(tmp) > 1) { - syslog(LOG_WARNING, "Some sockets will be ignored!"); - } - - tmp = launch_data_dict_lookup(tmp, "SampleListeners"); - if (NULL == tmp) { - syslog(LOG_ERR, "No known sockets found to answer requests on!"); - exit(EXIT_FAILURE); - } - - for (i = 0; i < launch_data_array_get_count(tmp); i++) { - launch_data_t tmpi = launch_data_array_get_index(tmp, i); - - EV_SET(&kev, launch_data_get_fd(tmpi), EVFILT_READ, EV_ADD, 0, 0, NULL); - if (kevent(kq, &kev, 1, NULL, 0, NULL) == -1) { - syslog(LOG_DEBUG, "kevent(): %m"); - exit(EXIT_FAILURE); - } - } - - launch_data_free(msg); - launch_data_free(resp); - - for (;;) { - FILE *c; - int r; - - if ((r = kevent(kq, NULL, 0, &kev, 1, &timeout)) == -1) { - syslog(LOG_ERR, "kevent(): %m"); - exit(EXIT_FAILURE); - } else if (r == 0) { - exit(EXIT_SUCCESS); - } - - if ((r = accept(kev.ident, (struct sockaddr *)&ss, &slen)) == -1) { - syslog(LOG_ERR, "accept(): %m"); - continue; /* this isn't fatal */ - } - - c = fdopen(r, "r+"); - - if (c) { - fprintf(c, "hello world!\n"); - fclose(c); - } else { - close(r); - } - } -} diff --git a/launchd/doc/sampled.plist b/launchd/doc/sampled.plist deleted file mode 100644 index 421f480..0000000 --- a/launchd/doc/sampled.plist +++ /dev/null @@ -1,40 +0,0 @@ - - - - - - Label - com.example.sampled - - ProgramArguments - - - - sampled - - MachServices - - - - com.apple.sampled.something - - - Sockets - - - - SampleListeners - - - - - SockServiceName - 12345 - - - - - ServiceIPC - - - diff --git a/launchd/src/IPC.c b/launchd/src/IPC.c deleted file mode 100644 index 2b9350a..0000000 --- a/launchd/src/IPC.c +++ /dev/null @@ -1,145 +0,0 @@ -/** - * IPC.c - System Starter IPC routines - * Wilfredo Sanchez | wsanchez@opensource.apple.com - * Kevin Van Vechten | kevinvv@uclink4.berkeley.edu - * $Apple$ - ** - * Copyright (c) 1999-2002 Apple Computer, Inc. All rights reserved. - * - * @APPLE_APACHE_LICENSE_HEADER_START@ - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - * - * @APPLE_APACHE_LICENSE_HEADER_END@ - **/ - -#include -#include -#include -#include -#include -#include - -#include "bootstrap.h" - -#include "IPC.h" -#include "StartupItems.h" -#include "SystemStarter.h" -#include "SystemStarterIPC.h" - -/* Structure to pass StartupContext and anItem to the termination handler. */ -typedef struct TerminationContextStorage { - StartupContext aStartupContext; - CFMutableDictionaryRef anItem; -} *TerminationContext; - -/** - * A CFMachPort invalidation callback that records the termination of - * a startup item task. Stops the current run loop to give system_starter - * another go at running items. - **/ -static void -startupItemTerminated(CFMachPortRef aMachPort, void *anInfo) -{ - TerminationContext aTerminationContext = (TerminationContext) anInfo; - - if (aMachPort) { - mach_port_deallocate(mach_task_self(), CFMachPortGetPort(aMachPort)); - } - if (aTerminationContext && aTerminationContext->anItem) { - pid_t aPID = 0; - pid_t rPID = 0; - int aStatus = 0; - CFMutableDictionaryRef anItem = aTerminationContext->anItem; - StartupContext aStartupContext = aTerminationContext->aStartupContext; - - /* Get the exit status */ - if (anItem) { - aPID = StartupItemGetPID(anItem); - if (aPID > 0) - rPID = waitpid(aPID, &aStatus, 0); - } - if (aStartupContext) { - --aStartupContext->aRunningCount; - - /* Record the item's status */ - if (aStartupContext->aStatusDict) { - StartupItemExit(aStartupContext->aStatusDict, anItem, (WIFEXITED(aStatus) && WEXITSTATUS(aStatus) == 0)); - if (aStatus) { - CF_syslog(LOG_WARNING, CFSTR("%@ (%d) did not complete successfully"), CFDictionaryGetValue(anItem, CFSTR("Description")), aPID); - } else { - CF_syslog(LOG_DEBUG, CFSTR("Finished %@ (%d)"), CFDictionaryGetValue(anItem, CFSTR("Description")), aPID); - } - } - /* - * If the item failed to start, then add it to the - * failed list - */ - if (WEXITSTATUS(aStatus) || WTERMSIG(aStatus) || WCOREDUMP(aStatus)) { - CFDictionarySetValue(anItem, kErrorKey, kErrorReturnNonZero); - AddItemToFailedList(aStartupContext, anItem); - } - /* - * Remove the item from the waiting list regardless - * if it was successful or it failed. - */ - RemoveItemFromWaitingList(aStartupContext, anItem); - } - } - if (aTerminationContext) - free(aTerminationContext); -} - -void -MonitorStartupItem(StartupContext aStartupContext, CFMutableDictionaryRef anItem) -{ - pid_t aPID = StartupItemGetPID(anItem); - if (anItem && aPID > 0) { - mach_port_t aPort; - kern_return_t aResult; - CFMachPortContext aContext; - CFMachPortRef aMachPort; - CFRunLoopSourceRef aSource; - TerminationContext aTerminationContext = (TerminationContext) malloc(sizeof(struct TerminationContextStorage)); - - aTerminationContext->aStartupContext = aStartupContext; - aTerminationContext->anItem = anItem; - - aContext.version = 0; - aContext.info = aTerminationContext; - aContext.retain = 0; - aContext.release = 0; - - if ((aResult = task_name_for_pid(mach_task_self(), aPID, &aPort)) != KERN_SUCCESS) - goto out_bad; - - if (!(aMachPort = CFMachPortCreateWithPort(NULL, aPort, NULL, &aContext, NULL))) - goto out_bad; - - if (!(aSource = CFMachPortCreateRunLoopSource(NULL, aMachPort, 0))) { - CFRelease(aMachPort); - goto out_bad; - } - CFMachPortSetInvalidationCallBack(aMachPort, startupItemTerminated); - CFRunLoopAddSource(CFRunLoopGetCurrent(), aSource, kCFRunLoopCommonModes); - CFRelease(aSource); - CFRelease(aMachPort); - return; -out_bad: - /* - * The assumption is something failed, the task already - * terminated. - */ - startupItemTerminated(NULL, aTerminationContext); - } -} diff --git a/launchd/src/IPC.h b/launchd/src/IPC.h deleted file mode 100644 index d85a482..0000000 --- a/launchd/src/IPC.h +++ /dev/null @@ -1,38 +0,0 @@ -/** - * IPC.h - System Starter IPC routines - * Wilfredo Sanchez | wsanchez@opensource.apple.com - * Kevin Van Vechten | kevinvv@uclink4.berkeley.edu - * $Apple$ - ** - * Copyright (c) 1999-2001 Apple Computer, Inc. All rights reserved. - * - * @APPLE_APACHE_LICENSE_HEADER_START@ - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - * - * @APPLE_APACHE_LICENSE_HEADER_END@ - **/ - -#ifndef _IPC_H_ -#define _IPC_H_ - -#include "SystemStarter.h" - -/** - * Monitor a startup item task. Creates a mach port and uses the - * invalidation callback to notify system starter when the process - * terminates. - **/ -void MonitorStartupItem (StartupContext aStartupContext, CFMutableDictionaryRef anItem); - -#endif /* _IPC_H_ */ diff --git a/launchd/src/StartupItemContext b/launchd/src/StartupItemContext deleted file mode 100755 index 15d0d35..0000000 --- a/launchd/src/StartupItemContext +++ /dev/null @@ -1,5 +0,0 @@ -#!/bin/sh - -unset LAUNCHD_SOCKET - -exec launchctl bsexec / "$@" diff --git a/launchd/src/StartupItemContext.8 b/launchd/src/StartupItemContext.8 deleted file mode 100644 index eff4ab4..0000000 --- a/launchd/src/StartupItemContext.8 +++ /dev/null @@ -1,35 +0,0 @@ -.Dd July 7, 2002 -.Dt StartupItemContext 8 -.Os Darwin -.Sh NAME -.Nm StartupItemContext -.\" The following lines are read in generating the apropos(man -k) database. Use only key -.\" words here as the database is built based on the words here and in the .ND line. -.\" Use .Nm macro to designate other names for the documented program. -.Nd Execute a program in StartupItem context -.Sh SYNOPSIS -.Nm -.Op Ar program Op Ar arguments -.Sh DESCRIPTION -The -.Nm -utility launches the specified program in StartupItem bootstrap context. Each Darwin -and Mac OS X login creates a unique bootstrap subset context to contain login specific -Mach port registrations with the bootstrap server. All such registrations performed -within the context of that subset are only visible to other processes within that -context or subsequent subsets of it. Therefore, a Mach port based service/daemon -launched within a login context will not be visible to other such contexts. -.Pp -To override this, a root user can use the -.Nm -utility to launch the program within the same bootstrap context as all other -StartupItems. All subsequent Mach port bootstrap registrations perfomed by the program -will be visible system-wide. -.Sh NOTES -All bootstrap port lookups will also be resticted -to the StartupItem context. The services provided on a per-login basis (clipboard, -etc...) will not be available to the program. -.Sh SEE ALSO -.\" List links in ascending order by section, alphabetically within a section. -.\" Please do not reference files that do not exist without filing a bug report -.Xr SystemStarter 8 diff --git a/launchd/src/StartupItems.c b/launchd/src/StartupItems.c deleted file mode 100644 index 9fc2325..0000000 --- a/launchd/src/StartupItems.c +++ /dev/null @@ -1,1045 +0,0 @@ -/** - * StartupItems.c - Startup Item management routines - * Wilfredo Sanchez | wsanchez@opensource.apple.com - * Kevin Van Vechten | kevinvv@uclink4.berkeley.edu - * $Apple$ - ** - * Copyright (c) 1999-2002 Apple Computer, Inc. All rights reserved. - * - * @APPLE_APACHE_LICENSE_HEADER_START@ - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - * - * @APPLE_APACHE_LICENSE_HEADER_END@ - **/ - -#include -#include -#include -#include -#include -#include -#include -#include -#include -#include -#include -#include -#include -#include -#include "StartupItems.h" - -#define kStartupItemsPath "/StartupItems" -#define kParametersFile "StartupParameters.plist" -#define kDisabledFile ".disabled" - -#define kRunSuccess CFSTR("success") -#define kRunFailure CFSTR("failure") - -static const char *argumentForAction(Action anAction) -{ - switch (anAction) { - case kActionStart: - return "start"; - case kActionStop: - return "stop"; - case kActionRestart: - return "restart"; - default: - return NULL; - } -} - -#define checkTypeOfValue(aKey,aTypeID) \ - { \ - CFStringRef aProperty = CFDictionaryGetValue(aConfig, aKey); \ - if (aProperty && CFGetTypeID(aProperty) != aTypeID) \ - return FALSE; \ - } - -static int StartupItemValidate(CFDictionaryRef aConfig) -{ - if (aConfig && CFGetTypeID(aConfig) == CFDictionaryGetTypeID()) { - checkTypeOfValue(kProvidesKey, CFArrayGetTypeID()); - checkTypeOfValue(kRequiresKey, CFArrayGetTypeID()); - - return TRUE; - } - return FALSE; -} - -/* - * remove item from waiting list - */ -void RemoveItemFromWaitingList(StartupContext aStartupContext, CFMutableDictionaryRef anItem) -{ - /* Remove the item from the waiting list. */ - if (aStartupContext && anItem && aStartupContext->aWaitingList) { - CFRange aRange = { 0, CFArrayGetCount(aStartupContext->aWaitingList) }; - CFIndex anIndex = CFArrayGetFirstIndexOfValue(aStartupContext->aWaitingList, aRange, anItem); - - if (anIndex >= 0) { - CFArrayRemoveValueAtIndex(aStartupContext->aWaitingList, anIndex); - } - } -} - -/* - * add item to failed list, create list if it doesn't exist - * return and fail quietly if it can't create list - */ -void AddItemToFailedList(StartupContext aStartupContext, CFMutableDictionaryRef anItem) -{ - if (aStartupContext && anItem) { - /* create the failed list if it doesn't exist */ - if (!aStartupContext->aFailedList) { - aStartupContext->aFailedList = CFArrayCreateMutable(NULL, 0, &kCFTypeArrayCallBacks); - } - if (aStartupContext->aFailedList) { - CFArrayAppendValue(aStartupContext->aFailedList, anItem); - } - } -} - -/** - * startupItemListCopyMatches returns an array of items which contain the string aService in the key aKey - **/ -static CFMutableArrayRef startupItemListCopyMatches(CFArrayRef anItemList, CFStringRef aKey, CFStringRef aService) -{ - CFMutableArrayRef aResult = NULL; - - if (anItemList && aKey && aService) { - CFIndex anItemCount = CFArrayGetCount(anItemList); - CFIndex anItemIndex = 0; - - aResult = CFArrayCreateMutable(NULL, 0, &kCFTypeArrayCallBacks); - - for (anItemIndex = 0; anItemIndex < anItemCount; ++anItemIndex) { - CFMutableDictionaryRef anItem = (CFMutableDictionaryRef) CFArrayGetValueAtIndex(anItemList, anItemIndex); - CFArrayRef aList = CFDictionaryGetValue(anItem, aKey); - - if (aList) { - if (CFArrayContainsValue(aList, CFRangeMake(0, CFArrayGetCount(aList)), aService) && - !CFArrayContainsValue(aResult, CFRangeMake(0, CFArrayGetCount(aResult)), anItem)) { - CFArrayAppendValue(aResult, anItem); - } - } - } - } - return aResult; -} - -static void SpecialCasesStartupItemHandler(CFMutableDictionaryRef aConfig) -{ - static const CFStringRef stubitems[] = { - CFSTR("Accounting"), - CFSTR("System Tuning"), - CFSTR("SecurityServer"), - CFSTR("Portmap"), - CFSTR("System Log"), - CFSTR("Resolver"), - CFSTR("LDAP"), - CFSTR("NetInfo"), - CFSTR("NetworkExtensions"), - CFSTR("DirectoryServices"), - CFSTR("Network Configuration"), - CFSTR("mDNSResponder"), - CFSTR("Cron"), - CFSTR("Core Graphics"), - CFSTR("Core Services"), - CFSTR("Network"), - CFSTR("TIM"), - CFSTR("Disks"), - CFSTR("NIS"), - NULL - }; - CFMutableArrayRef aList, aNewList; - CFIndex i, aCount; - CFStringRef ci, type = kRequiresKey; - const CFStringRef *c; - - again: - aList = (CFMutableArrayRef) CFDictionaryGetValue(aConfig, type); - if (aList) { - aCount = CFArrayGetCount(aList); - - aNewList = CFArrayCreateMutable(kCFAllocatorDefault, aCount, &kCFTypeArrayCallBacks); - - for (i = 0; i < aCount; i++) { - ci = CFArrayGetValueAtIndex(aList, i); - CF_syslog(LOG_DEBUG, CFSTR("%@: Evaluating %@"), type, ci); - for (c = stubitems; *c; c++) { - if (CFEqual(*c, ci)) - break; - } - if (*c == NULL) { - CFArrayAppendValue(aNewList, ci); - CF_syslog(LOG_DEBUG, CFSTR("%@: Keeping %@"), type, ci); - } - } - - CFDictionaryReplaceValue(aConfig, type, aNewList); - CFRelease(aNewList); - } - if (type == kUsesKey) - return; - type = kUsesKey; - goto again; -} - -CFIndex StartupItemListCountServices(CFArrayRef anItemList) -{ - CFIndex aResult = 0; - - if (anItemList) { - CFIndex anItemCount = CFArrayGetCount(anItemList); - CFIndex anItemIndex = 0; - - for (anItemIndex = 0; anItemIndex < anItemCount; ++anItemIndex) { - CFDictionaryRef anItem = CFArrayGetValueAtIndex(anItemList, anItemIndex); - CFArrayRef aProvidesList = CFDictionaryGetValue(anItem, kProvidesKey); - - if (aProvidesList) - aResult += CFArrayGetCount(aProvidesList); - } - } - return aResult; -} - -bool StartupItemSecurityCheck(const char *aPath) -{ - static struct timeval boot_time; - struct stat aStatBuf; - bool r = true; - - if (boot_time.tv_sec == 0) { - int mib[] = { CTL_KERN, KERN_BOOTTIME }; - size_t boot_time_sz = sizeof(boot_time); - int rv; - - rv = sysctl(mib, sizeof(mib) / sizeof(mib[0]), &boot_time, &boot_time_sz, NULL, 0); - - assert(rv != -1); - assert(boot_time_sz == sizeof(boot_time)); - } - - /* should use lstatx_np() on Tiger? */ - if (lstat(aPath, &aStatBuf) == -1) { - if (errno != ENOENT) - syslog(LOG_ERR, "lstat(\"%s\"): %m", aPath); - return false; - } - /* - * We check the boot time because of 5409386. - * We ignore the boot time if PPID != 1 because of 5503536. - */ - if ((aStatBuf.st_ctimespec.tv_sec > boot_time.tv_sec) && (getppid() == 1)) { - syslog(LOG_WARNING, "\"%s\" failed sanity check: path was created after boot up", aPath); - return false; - } - if (!(S_ISREG(aStatBuf.st_mode) || S_ISDIR(aStatBuf.st_mode))) { - syslog(LOG_WARNING, "\"%s\" failed security check: not a directory or regular file", aPath); - r = false; - } - if (aStatBuf.st_mode & S_IWOTH) { - syslog(LOG_WARNING, "\"%s\" failed security check: world writable", aPath); - r = false; - } - if (aStatBuf.st_mode & S_IWGRP) { - syslog(LOG_WARNING, "\"%s\" failed security check: group writable", aPath); - r = false; - } - if (aStatBuf.st_uid != 0) { - syslog(LOG_WARNING, "\"%s\" failed security check: not owned by UID 0", aPath); - r = false; - } - if (aStatBuf.st_gid != 0) { - syslog(LOG_WARNING, "\"%s\" failed security check: not owned by GID 0", aPath); - r = false; - } - if (r == false) { - mkdir(kFixerDir, ACCESSPERMS); - close(open(kFixerPath, O_RDWR|O_CREAT|O_NOCTTY, DEFFILEMODE)); - } - return r; -} - -CFMutableArrayRef StartupItemListCreateWithMask(NSSearchPathDomainMask aMask) -{ - CFMutableArrayRef anItemList = CFArrayCreateMutable(NULL, 0, &kCFTypeArrayCallBacks); - - char aPath[PATH_MAX]; - CFIndex aDomainIndex = 0; - - NSSearchPathEnumerationState aState = NSStartSearchPathEnumeration(NSLibraryDirectory, aMask); - - while ((aState = NSGetNextSearchPathEnumeration(aState, aPath))) { - DIR *aDirectory; - - strlcat(aPath, kStartupItemsPath, sizeof(aPath)); - ++aDomainIndex; - - /* 5485016 - * - * Just in case... - */ - mkdir(aPath, S_IRWXU|S_IRGRP|S_IXGRP|S_IROTH|S_IXOTH); - - if (!StartupItemSecurityCheck(aPath)) - continue; - - if ((aDirectory = opendir(aPath))) { - struct dirent *aBundle; - - while ((aBundle = readdir(aDirectory))) { - struct stat aStatBuf; - char *aBundleName = aBundle->d_name; - char aBundlePath[PATH_MAX]; - char aBundleExecutablePath[PATH_MAX]; - char aConfigFile[PATH_MAX]; - char aDisabledFile[PATH_MAX]; - - if (aBundleName[0] == '.') - continue; - - syslog(LOG_DEBUG, "Found item: %s", aBundleName); - - sprintf(aBundlePath, "%s/%s", aPath, aBundleName); - sprintf(aBundleExecutablePath, "%s/%s", aBundlePath, aBundleName); - sprintf(aConfigFile, "%s/%s", aBundlePath, kParametersFile); - sprintf(aDisabledFile, "%s/%s", aBundlePath, kDisabledFile); - - if (lstat(aDisabledFile, &aStatBuf) == 0) { - syslog(LOG_NOTICE, "Skipping disabled StartupItem: %s", aBundlePath); - continue; - } - if (!StartupItemSecurityCheck(aBundlePath)) - continue; - if (!StartupItemSecurityCheck(aBundleExecutablePath)) - continue; - if (!StartupItemSecurityCheck(aConfigFile)) - continue; - - /* Stow away the plist data for each bundle */ - { - int aConfigFileDescriptor; - - if ((aConfigFileDescriptor = open(aConfigFile, O_RDONLY|O_NOCTTY, (mode_t) 0)) != -1) { - struct stat aConfigFileStatBuffer; - - if (stat(aConfigFile, &aConfigFileStatBuffer) != -1) { - off_t aConfigFileContentsSize = aConfigFileStatBuffer.st_size; - char *aConfigFileContentsBuffer; - - if ((aConfigFileContentsBuffer = - mmap((caddr_t) 0, aConfigFileContentsSize, - PROT_READ, MAP_FILE | MAP_PRIVATE, - aConfigFileDescriptor, (off_t) 0)) != (caddr_t) - 1) { - CFDataRef aConfigData = NULL; - CFMutableDictionaryRef aConfig = NULL; - - aConfigData = - CFDataCreateWithBytesNoCopy(NULL, - (const UInt8 *)aConfigFileContentsBuffer, - aConfigFileContentsSize, - kCFAllocatorNull); - - if (aConfigData) { - aConfig = (CFMutableDictionaryRef) - CFPropertyListCreateFromXMLData(NULL, aConfigData, - kCFPropertyListMutableContainers, - NULL); - } - if (StartupItemValidate(aConfig)) { - CFStringRef aBundlePathString = - CFStringCreateWithCString(NULL, aBundlePath, - kCFStringEncodingUTF8); - - CFNumberRef aDomainNumber = - CFNumberCreate(NULL, kCFNumberCFIndexType, - &aDomainIndex); - - CFDictionarySetValue(aConfig, kBundlePathKey, - aBundlePathString); - CFDictionarySetValue(aConfig, kDomainKey, aDomainNumber); - CFRelease(aDomainNumber); - SpecialCasesStartupItemHandler(aConfig); - CFArrayAppendValue(anItemList, aConfig); - - CFRelease(aBundlePathString); - } else { - syslog(LOG_ERR, "Malformatted parameters file: %s", - aConfigFile); - } - - if (aConfig) - CFRelease(aConfig); - if (aConfigData) - CFRelease(aConfigData); - - if (munmap(aConfigFileContentsBuffer, aConfigFileContentsSize) == - -1) { - syslog(LOG_WARNING, - "Unable to unmap parameters file %s for item %s: %m", - aConfigFile, aBundleName); - } - } else { - syslog(LOG_ERR, - "Unable to map parameters file %s for item %s: %m", - aConfigFile, aBundleName); - } - } else { - syslog(LOG_ERR, "Unable to stat parameters file %s for item %s: %m", - aConfigFile, aBundleName); - } - - if (close(aConfigFileDescriptor) == -1) { - syslog(LOG_ERR, "Unable to close parameters file %s for item %s: %m", - aConfigFile, aBundleName); - } - } else { - syslog(LOG_ERR, "Unable to open parameters file %s for item %s: %m", aConfigFile, - aBundleName); - } - } - } - if (closedir(aDirectory) == -1) { - syslog(LOG_WARNING, "Unable to directory bundle %s: %m", aPath); - } - } else { - if (errno != ENOENT) { - syslog(LOG_WARNING, "Open on directory %s failed: %m", aPath); - return (NULL); - } - } - } - - return anItemList; -} - -CFMutableDictionaryRef StartupItemListGetProvider(CFArrayRef anItemList, CFStringRef aService) -{ - CFMutableDictionaryRef aResult = NULL; - CFMutableArrayRef aList = startupItemListCopyMatches(anItemList, kProvidesKey, aService); - - if (aList && CFArrayGetCount(aList) > 0) - aResult = (CFMutableDictionaryRef) CFArrayGetValueAtIndex(aList, 0); - - if (aList) CFRelease(aList); - - return aResult; -} - -CFArrayRef StartupItemListCreateFromRunning(CFArrayRef anItemList) -{ - CFMutableArrayRef aResult = CFArrayCreateMutable(NULL, 0, &kCFTypeArrayCallBacks); - if (aResult) { - CFIndex anIndex, aCount = CFArrayGetCount(anItemList); - for (anIndex = 0; anIndex < aCount; ++anIndex) { - CFDictionaryRef anItem = CFArrayGetValueAtIndex(anItemList, anIndex); - if (anItem) { - CFNumberRef aPID = CFDictionaryGetValue(anItem, kPIDKey); - if (aPID) - CFArrayAppendValue(aResult, anItem); - } - } - } - return aResult; -} - -/* - * Append items in anItemList to aDependents which depend on - * aParentItem. - * If anAction is kActionStart, dependent items are those which - * require any service provided by aParentItem. - * If anAction is kActionStop, dependent items are those which provide - * any service required by aParentItem. - */ -static void appendDependents(CFMutableArrayRef aDependents, CFArrayRef anItemList, CFDictionaryRef aParentItem, Action anAction) -{ - CFStringRef anInnerKey, anOuterKey; - CFArrayRef anOuterList; - - /* Append the parent item to the list (avoiding duplicates) */ - if (!CFArrayContainsValue(aDependents, CFRangeMake(0, CFArrayGetCount(aDependents)), aParentItem)) - CFArrayAppendValue(aDependents, aParentItem); - - /** - * Recursively append any children of the parent item for kStartAction and kStopAction. - * Do nothing for other actions. - **/ - switch (anAction) { - case kActionStart: - anInnerKey = kProvidesKey; - anOuterKey = kRequiresKey; - break; - case kActionStop: - anInnerKey = kRequiresKey; - anOuterKey = kProvidesKey; - break; - default: - return; - } - - anOuterList = CFDictionaryGetValue(aParentItem, anOuterKey); - - if (anOuterList) { - CFIndex anOuterCount = CFArrayGetCount(anOuterList); - CFIndex anOuterIndex; - - for (anOuterIndex = 0; anOuterIndex < anOuterCount; anOuterIndex++) { - CFStringRef anOuterElement = CFArrayGetValueAtIndex(anOuterList, anOuterIndex); - CFIndex anItemCount = CFArrayGetCount(anItemList); - CFIndex anItemIndex; - - for (anItemIndex = 0; anItemIndex < anItemCount; anItemIndex++) { - CFDictionaryRef anItem = CFArrayGetValueAtIndex(anItemList, anItemIndex); - CFArrayRef anInnerList = CFDictionaryGetValue(anItem, anInnerKey); - - if (anInnerList && - CFArrayContainsValue(anInnerList, CFRangeMake(0, CFArrayGetCount(anInnerList)), - anOuterElement) - && !CFArrayContainsValue(aDependents, CFRangeMake(0, CFArrayGetCount(aDependents)), anItem)) - appendDependents(aDependents, anItemList, anItem, anAction); - } - } - } -} - -CFMutableArrayRef StartupItemListCreateDependentsList(CFMutableArrayRef anItemList, CFStringRef aService, Action anAction) -{ - CFMutableArrayRef aDependents = NULL; - CFMutableDictionaryRef anItem = NULL; - - if (anItemList && aService) - anItem = StartupItemListGetProvider(anItemList, aService); - - if (anItem) { - switch (anAction) { - case kActionRestart: - case kActionStart: - case kActionStop: - aDependents = CFArrayCreateMutable(kCFAllocatorDefault, 0, &kCFTypeArrayCallBacks); - - if (!aDependents) { - CF_syslog(LOG_EMERG, CFSTR("Failed to allocate dependancy list for item %@"), anItem); - return NULL; - } - appendDependents(aDependents, anItemList, anItem, anAction); - break; - - default: - break; - } - } - return aDependents; -} - -/** - * countUnmetRequirements counts the number of items in anItemList - * which are pending in aStatusDict. - **/ -static int countUnmetRequirements(CFDictionaryRef aStatusDict, CFArrayRef anItemList) -{ - int aCount = 0; - CFIndex anItemCount = CFArrayGetCount(anItemList); - CFIndex anItemIndex; - - for (anItemIndex = 0; anItemIndex < anItemCount; anItemIndex++) { - CFStringRef anItem = CFArrayGetValueAtIndex(anItemList, anItemIndex); - CFStringRef aStatus = CFDictionaryGetValue(aStatusDict, anItem); - - if (!aStatus || !CFEqual(aStatus, kRunSuccess)) { - CF_syslog(LOG_DEBUG, CFSTR("\tFailed requirement/uses: %@"), anItem); - aCount++; - } - } - - return aCount; -} - -/** - * countDependantsPresent counts the number of items in aWaitingList - * which depend on items in anItemList. - **/ -static int countDependantsPresent(CFArrayRef aWaitingList, CFArrayRef anItemList, CFStringRef aKey) -{ - int aCount = 0; - CFIndex anItemCount = CFArrayGetCount(anItemList); - CFIndex anItemIndex; - - for (anItemIndex = 0; anItemIndex < anItemCount; anItemIndex++) { - CFStringRef anItem = CFArrayGetValueAtIndex(anItemList, anItemIndex); - CFArrayRef aMatchesList = startupItemListCopyMatches(aWaitingList, aKey, anItem); - - if (aMatchesList) { - aCount = aCount + CFArrayGetCount(aMatchesList); - CFRelease(aMatchesList); - } - } - - return aCount; -} - -/** - * pendingAntecedents returns TRUE if any antecedents of this item - * are currently running, have not yet run, or none exist. - **/ -static Boolean -pendingAntecedents(CFArrayRef aWaitingList, CFDictionaryRef aStatusDict, CFArrayRef anAntecedentList, Action anAction) -{ - int aPendingFlag = FALSE; - - CFIndex anAntecedentCount = CFArrayGetCount(anAntecedentList); - CFIndex anAntecedentIndex; - - for (anAntecedentIndex = 0; anAntecedentIndex < anAntecedentCount; ++anAntecedentIndex) { - CFStringRef anAntecedent = CFArrayGetValueAtIndex(anAntecedentList, anAntecedentIndex); - CFStringRef aKey = (anAction == kActionStart) ? kProvidesKey : kUsesKey; - CFArrayRef aMatchesList = startupItemListCopyMatches(aWaitingList, aKey, anAntecedent); - - if (aMatchesList) { - CFIndex aMatchesListCount = CFArrayGetCount(aMatchesList); - CFIndex aMatchesListIndex; - - for (aMatchesListIndex = 0; aMatchesListIndex < aMatchesListCount; ++aMatchesListIndex) { - CFDictionaryRef anItem = CFArrayGetValueAtIndex(aMatchesList, aMatchesListIndex); - - if (!anItem || - !CFDictionaryGetValue(anItem, kPIDKey) || !CFDictionaryGetValue(aStatusDict, anAntecedent)) { - aPendingFlag = TRUE; - break; - } - } - - CFRelease(aMatchesList); - - if (aPendingFlag) - break; - } - } - return (aPendingFlag); -} - -/** - * checkForDuplicates returns TRUE if an item provides the same service as a - * pending item, or an item that already succeeded. - **/ -static Boolean checkForDuplicates(CFArrayRef aWaitingList, CFDictionaryRef aStatusDict, CFDictionaryRef anItem) -{ - int aDuplicateFlag = FALSE; - - CFArrayRef aProvidesList = CFDictionaryGetValue(anItem, kProvidesKey); - CFIndex aProvidesCount = aProvidesList ? CFArrayGetCount(aProvidesList) : 0; - CFIndex aProvidesIndex; - - for (aProvidesIndex = 0; aProvidesIndex < aProvidesCount; ++aProvidesIndex) { - CFStringRef aProvides = CFArrayGetValueAtIndex(aProvidesList, aProvidesIndex); - - /* If the service succeeded, return true. */ - CFStringRef aStatus = CFDictionaryGetValue(aStatusDict, aProvides); - if (aStatus && CFEqual(aStatus, kRunSuccess)) { - aDuplicateFlag = TRUE; - break; - } - /* - * Otherwise test if any item is currently running which - * might provide that service. - */ - else { - CFArrayRef aMatchesList = startupItemListCopyMatches(aWaitingList, kProvidesKey, aProvides); - if (aMatchesList) { - CFIndex aMatchesListCount = CFArrayGetCount(aMatchesList); - CFIndex aMatchesListIndex; - - for (aMatchesListIndex = 0; aMatchesListIndex < aMatchesListCount; ++aMatchesListIndex) { - CFDictionaryRef anDupItem = CFArrayGetValueAtIndex(aMatchesList, aMatchesListIndex); - if (anDupItem && CFDictionaryGetValue(anDupItem, kPIDKey)) { - /* - * Item is running, avoid - * race condition. - */ - aDuplicateFlag = TRUE; - break; - } else { - CFNumberRef anItemDomain = CFDictionaryGetValue(anItem, kDomainKey); - CFNumberRef anotherItemDomain = CFDictionaryGetValue(anDupItem, kDomainKey); - /* - * If anItem was found later - * than aDupItem, stall - * anItem until aDupItem - * runs. - */ - if (anItemDomain && - anotherItemDomain && - CFNumberCompare(anItemDomain, anotherItemDomain, - NULL) == kCFCompareGreaterThan) { - /* - * Item not running, - * but takes - * precedence. - */ - aDuplicateFlag = TRUE; - break; - } - } - } - - CFRelease(aMatchesList); - if (aDuplicateFlag) - break; - } - } - } - return (aDuplicateFlag); -} - -CFMutableDictionaryRef StartupItemListGetNext(CFArrayRef aWaitingList, CFDictionaryRef aStatusDict, Action anAction) -{ - CFMutableDictionaryRef aNextItem = NULL; - CFIndex aWaitingCount = CFArrayGetCount(aWaitingList); - int aMinFailedAntecedents = INT_MAX; - CFIndex aWaitingIndex; - - switch (anAction) { - case kActionStart: - break; - case kActionStop: - break; - case kActionRestart: - break; - default: - return NULL; - } - - if (!aWaitingList || !aStatusDict || aWaitingCount <= 0) - return NULL; - - /** - * Iterate through the items in aWaitingList and look for an optimally ready item. - **/ - for (aWaitingIndex = 0; aWaitingIndex < aWaitingCount; aWaitingIndex++) { - CFMutableDictionaryRef anItem = (CFMutableDictionaryRef) CFArrayGetValueAtIndex(aWaitingList, aWaitingIndex); - CFArrayRef anAntecedentList; - int aFailedAntecedentsCount = 0; /* Number of unmet soft - * depenancies */ - Boolean aBestPick = FALSE; /* Is this the best pick - * so far? */ - - /* Filter out running items. */ - if (CFDictionaryGetValue(anItem, kPIDKey)) - continue; - - /* - * Filter out dupilicate services; if someone has - * provided what we provide, we don't run. - */ - if (checkForDuplicates(aWaitingList, aStatusDict, anItem)) { - CF_syslog(LOG_DEBUG, CFSTR("Skipping %@ because of duplicate service."), - CFDictionaryGetValue(anItem, kDescriptionKey)); - continue; - } - /* - * Dependencies don't matter when restarting an item; - * stop here. - */ - if (anAction == kActionRestart) { - aNextItem = anItem; - break; - } - anAntecedentList = CFDictionaryGetValue(anItem, ((anAction == kActionStart) ? kRequiresKey : kProvidesKey)); - - CF_syslog(LOG_DEBUG, CFSTR("Checking %@"), CFDictionaryGetValue(anItem, kDescriptionKey)); - - if (anAntecedentList) - CF_syslog(LOG_DEBUG, CFSTR("Antecedents: %@"), anAntecedentList); - else - syslog(LOG_DEBUG, "No antecedents"); - - /** - * Filter out the items which have unsatisfied antecedents. - **/ - if (anAntecedentList && - ((anAction == kActionStart) ? - countUnmetRequirements(aStatusDict, anAntecedentList) : - countDependantsPresent(aWaitingList, anAntecedentList, kRequiresKey))) - continue; - - /** - * anItem has all hard dependancies met; check for soft dependancies. - * We'll favor the item with the fewest unmet soft dependancies here. - **/ - anAntecedentList = CFDictionaryGetValue(anItem, ((anAction == kActionStart) ? kUsesKey : kProvidesKey)); - - if (anAntecedentList) - CF_syslog(LOG_DEBUG, CFSTR("Soft dependancies: %@"), anAntecedentList); - else - syslog(LOG_DEBUG, "No soft dependancies"); - - if (anAntecedentList) { - aFailedAntecedentsCount = - ((anAction == kActionStart) ? - countUnmetRequirements(aStatusDict, anAntecedentList) : - countDependantsPresent(aWaitingList, anAntecedentList, kUsesKey)); - } else { - if (aMinFailedAntecedents > 0) - aBestPick = TRUE; - } - - /* - * anItem has unmet dependencies that will - * likely be met in the future, so delay it - */ - if (aFailedAntecedentsCount > 0 && pendingAntecedents(aWaitingList, aStatusDict, anAntecedentList, anAction)) { - continue; - } - if (aFailedAntecedentsCount > 0) - syslog(LOG_DEBUG, "Total: %d", aFailedAntecedentsCount); - - if (aFailedAntecedentsCount > aMinFailedAntecedents) - continue; /* Another item already won out */ - - if (aFailedAntecedentsCount < aMinFailedAntecedents) - aBestPick = TRUE; - - if (!aBestPick) - continue; - - /* - * anItem has less unmet - * dependancies than any - * other item so far, so it - * wins. - */ - syslog(LOG_DEBUG, "Best pick so far, based on failed dependancies (%d->%d)", - aMinFailedAntecedents, aFailedAntecedentsCount); - - /* - * We have a winner! Update success - * parameters to match anItem. - */ - aMinFailedAntecedents = aFailedAntecedentsCount; - aNextItem = anItem; - - } /* End of waiting list loop. */ - - return aNextItem; -} - -CFStringRef StartupItemCreateDescription(CFMutableDictionaryRef anItem) -{ - CFStringRef aString = NULL; - - if (anItem) - aString = CFDictionaryGetValue(anItem, kDescriptionKey); - if (aString) - CFRetain(aString); - return aString; -} - -pid_t StartupItemGetPID(CFDictionaryRef anItem) -{ - CFIndex anItemPID = 0; - CFNumberRef aPIDNumber = anItem ? CFDictionaryGetValue(anItem, kPIDKey) : NULL; - if (aPIDNumber && CFNumberGetValue(aPIDNumber, kCFNumberCFIndexType, &anItemPID)) - return (pid_t) anItemPID; - else - return 0; -} - -CFMutableDictionaryRef StartupItemWithPID(CFArrayRef anItemList, pid_t aPID) -{ - CFIndex anItemCount = CFArrayGetCount(anItemList); - CFIndex anItemIndex; - - for (anItemIndex = 0; anItemIndex < anItemCount; anItemIndex++) { - CFMutableDictionaryRef anItem = (CFMutableDictionaryRef) CFArrayGetValueAtIndex(anItemList, anItemIndex); - CFNumberRef aPIDNumber = CFDictionaryGetValue(anItem, kPIDKey); - CFIndex anItemPID; - - if (aPIDNumber) { - CFNumberGetValue(aPIDNumber, kCFNumberCFIndexType, &anItemPID); - - if ((pid_t) anItemPID == aPID) - return anItem; - } - } - - return NULL; -} - -int StartupItemRun(CFMutableDictionaryRef aStatusDict, CFMutableDictionaryRef anItem, Action anAction) -{ - int anError = -1; - CFArrayRef aProvidesList = CFDictionaryGetValue(anItem, kProvidesKey); - static const CFStringRef stubitems[] = { - CFSTR("BootROMUpdater"), /* 3893064 */ - CFSTR("FCUUpdater"), /* 3893064 */ - CFSTR("AutoProtect Daemon"), /* 3965785 */ - CFSTR("Check For Missed Tasks"), /* 3965785 */ - CFSTR("Privacy"), /* 3933484 */ - CFSTR("Firmware Update Checking"), /* 4001504 */ - - CFSTR("M-Audio FireWire Audio Support"), /* 3931757 */ - CFSTR("help for M-Audio Delta Family"), /* 3931757 */ - CFSTR("help for M-Audio Devices"), /* 3931757 */ - CFSTR("help for M-Audio Revo 5.1"), /* 3931757 */ - CFSTR("M-Audio USB Duo Configuration Service"), /* 3931757 */ - CFSTR("firmware loader for M-Audio devices"), /* 3931757 */ - CFSTR("M-Audio MobilePre USB Configuration Service"), /* 3931757 */ - CFSTR("M-Audio OmniStudio USB Configuration Service"), /* 3931757 */ - CFSTR("M-Audio Transit USB Configuration Service"), /* 3931757 */ - CFSTR("M-Audio Audiophile USB Configuration Service"), /* 3931757 */ - NULL - }; - const CFStringRef *c; - - if (aProvidesList && anAction == kActionStop) { - CFIndex aProvidesCount = CFArrayGetCount(aProvidesList); - for (c = stubitems; *c; c++) { - if (CFArrayContainsValue(aProvidesList, CFRangeMake(0, aProvidesCount), *c)) { - CFIndex aPID = -1; - CFNumberRef aProcessNumber = CFNumberCreate(NULL, kCFNumberCFIndexType, &aPID); - - CFDictionarySetValue(anItem, kPIDKey, aProcessNumber); - CFRelease(aProcessNumber); - - StartupItemExit(aStatusDict, anItem, TRUE); - return -1; - } - } - } - - if (anAction == kActionNone) { - StartupItemExit(aStatusDict, anItem, TRUE); - anError = 0; - } else { - CFStringRef aBundlePathString = CFDictionaryGetValue(anItem, kBundlePathKey); - char aBundlePath[PATH_MAX]; - char anExecutable[PATH_MAX]; - char *tmp; - - if (!CFStringGetCString(aBundlePathString, aBundlePath, sizeof(aBundlePath), kCFStringEncodingUTF8)) { - CF_syslog(LOG_EMERG, CFSTR("Internal error while running item %@"), aBundlePathString); - return (anError); - } - /* Compute path to excecutable */ - tmp = rindex(aBundlePath, '/'); - snprintf(anExecutable, sizeof(anExecutable), "%s%s", aBundlePath, tmp); - - /** - * Run the bundle - **/ - - if (access(anExecutable, X_OK)) { - /* - * Add PID key so that this item is marked as having - * been run. - */ - CFIndex aPID = -1; - CFNumberRef aProcessNumber = CFNumberCreate(NULL, kCFNumberCFIndexType, &aPID); - - CFDictionarySetValue(anItem, kPIDKey, aProcessNumber); - CFRelease(aProcessNumber); - - CFDictionarySetValue(anItem, kErrorKey, kErrorPermissions); - StartupItemExit(aStatusDict, anItem, FALSE); - syslog(LOG_ERR, "No executable file %s", anExecutable); - } else { - pid_t aProccessID = fork(); - - switch (aProccessID) { - case -1: /* SystemStarter (fork failed) */ - CFDictionarySetValue(anItem, kErrorKey, kErrorFork); - StartupItemExit(aStatusDict, anItem, FALSE); - - CF_syslog(LOG_ERR, CFSTR("Failed to fork for item %@: %s"), aBundlePathString, strerror(errno)); - - break; - - default: /* SystemStarter (fork succeeded) */ - { - CFIndex aPID = (CFIndex) aProccessID; - CFNumberRef aProcessNumber = CFNumberCreate(NULL, kCFNumberCFIndexType, &aPID); - - CFDictionarySetValue(anItem, kPIDKey, aProcessNumber); - CFRelease(aProcessNumber); - - syslog(LOG_DEBUG, "Running command (%d): %s %s", - aProccessID, anExecutable, argumentForAction(anAction)); - anError = 0; - } - break; - - case 0: /* Child */ - { - if (setsid() == -1) - syslog(LOG_WARNING, "Unable to create session for item %s: %m", anExecutable); - - anError = execl(anExecutable, anExecutable, argumentForAction(anAction), NULL); - - /* We shouldn't get here. */ - - syslog(LOG_ERR, "execl(\"%s\"): %m", anExecutable); - - exit(anError); - } - } - } - } - - return (anError); -} - -void -StartupItemSetStatus(CFMutableDictionaryRef aStatusDict, CFMutableDictionaryRef anItem, CFStringRef aServiceName, - Boolean aSuccess, Boolean aReplaceFlag) -{ - void (*anAction) (CFMutableDictionaryRef, const void *, const void *) = aReplaceFlag ? - CFDictionarySetValue : CFDictionaryAddValue; - - if (aStatusDict && anItem) { - CFArrayRef aProvidesList = CFDictionaryGetValue(anItem, kProvidesKey); - if (aProvidesList) { - CFIndex aProvidesCount = CFArrayGetCount(aProvidesList); - CFIndex aProvidesIndex; - - /* - * If a service name was specified, and it is valid, - * use only it. - */ - if (aServiceName && CFArrayContainsValue(aProvidesList, CFRangeMake(0, aProvidesCount), aServiceName)) { - aProvidesList = CFArrayCreate(NULL, (const void **)&aServiceName, 1, &kCFTypeArrayCallBacks); - aProvidesCount = 1; - } else { - CFRetain(aProvidesList); - } - - for (aProvidesIndex = 0; aProvidesIndex < aProvidesCount; aProvidesIndex++) { - CFStringRef aService = CFArrayGetValueAtIndex(aProvidesList, aProvidesIndex); - - if (aSuccess) - anAction(aStatusDict, aService, kRunSuccess); - else - anAction(aStatusDict, aService, kRunFailure); - } - - CFRelease(aProvidesList); - } - } -} - -void StartupItemExit(CFMutableDictionaryRef aStatusDict, CFMutableDictionaryRef anItem, Boolean aSuccess) -{ - StartupItemSetStatus(aStatusDict, anItem, NULL, aSuccess, FALSE); -} diff --git a/launchd/src/StartupItems.h b/launchd/src/StartupItems.h deleted file mode 100644 index f50b47c..0000000 --- a/launchd/src/StartupItems.h +++ /dev/null @@ -1,115 +0,0 @@ -/** - * StartupItems.h - Startup Item management routines - * Wilfredo Sanchez | wsanchez@opensource.apple.com - * Kevin Van Vechten | kevinvv@uclink4.berkeley.edu - * $Apple$ - ** - * Copyright (c) 1999-2002 Apple Computer, Inc. All rights reserved. - * - * @APPLE_APACHE_LICENSE_HEADER_START@ - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - * - * @APPLE_APACHE_LICENSE_HEADER_END@ - **/ - -#ifndef _StartupItems_H_ -#define _StartupItems_H_ - -#include - -#include -#include - -#include "SystemStarter.h" - -#define kProvidesKey CFSTR("Provides") -#define kRequiresKey CFSTR("Requires") -#define kDescriptionKey CFSTR("Description") -#define kUsesKey CFSTR("Uses") -#define kErrorKey CFSTR("Error") -#define kBundlePathKey CFSTR("PathToBundle") -#define kPIDKey CFSTR("ProcessID") -#define kDomainKey CFSTR("Domain") - - -#define kErrorPermissions CFSTR("incorrect permissions") -#define kErrorInternal CFSTR("SystemStarter internal error") -#define kErrorReturnNonZero CFSTR("execution of Startup script failed") -#define kErrorFork CFSTR("could not fork() StartupItem") - - -/* - * Find all available startup items in NSDomains specified by aMask. - */ -CFMutableArrayRef StartupItemListCreateWithMask (NSSearchPathDomainMask aMask); - -/* - * Returns the item responsible for providing aService. - */ -CFMutableDictionaryRef StartupItemListGetProvider (CFArrayRef anItemList, CFStringRef aService); - -/* - * Creates a list of items in anItemList which depend on anItem, given anAction. - */ -CFMutableArrayRef StartupItemListCreateDependentsList (CFMutableArrayRef anItemList, - CFStringRef aService , - Action anAction ); - -/* - * Given aWaitingList of startup items, and aStatusDict describing the current - * startup state, returns the next startup item to run, if any. Returns nil if - * none is available. - * Note that this is not necessarily deterministic; if more than one startup - * item is ready to run, which item gets returned is not specified. An item is - * not ready to run if the specified dependencies are not satisfied yet. - */ -CFMutableDictionaryRef StartupItemListGetNext (CFArrayRef aWaitingList, - CFDictionaryRef aStatusDict , - Action anAction ); - -CFMutableDictionaryRef StartupItemWithPID (CFArrayRef anItemList, pid_t aPID); -pid_t StartupItemGetPID(CFDictionaryRef anItem); - -CFStringRef StartupItemCreateDescription(CFMutableDictionaryRef anItem); - -/* - * Returns a list of currently executing startup items. - */ -CFArrayRef StartupItemListCreateFromRunning(CFArrayRef anItemList); - -/* - * Returns the total number of "Provides" entries of all loaded items. - */ -CFIndex StartupItemListCountServices (CFArrayRef anItemList); - - -/* - * Utility functions - */ -void RemoveItemFromWaitingList(StartupContext aStartupContext, CFMutableDictionaryRef anItem); -void AddItemToFailedList(StartupContext aStartupContext, CFMutableDictionaryRef anItem); - -/* - * Run the startup item. - */ -int StartupItemRun (CFMutableDictionaryRef aStatusDict, CFMutableDictionaryRef anItem, Action anAction); -void StartupItemExit (CFMutableDictionaryRef aStatusDict, CFMutableDictionaryRef anItem, Boolean aSuccess); -void StartupItemSetStatus(CFMutableDictionaryRef aStatusDict, CFMutableDictionaryRef anItem, CFStringRef aServiceName, Boolean aSuccess, Boolean aReplaceFlag); - -/* - * Check whether file was created before boot and has proper permissions to run. - */ -bool StartupItemSecurityCheck(const char *aPath); - -#endif /* _StartupItems_H_ */ diff --git a/launchd/src/SystemStarter.8 b/launchd/src/SystemStarter.8 deleted file mode 100644 index aeb1c70..0000000 --- a/launchd/src/SystemStarter.8 +++ /dev/null @@ -1,117 +0,0 @@ -.Dd April 12, 2002 -.Dt SystemStarter 8 -.Os Darwin -.Sh NAME -.Nm SystemStarter -.\" The following lines are read in generating the apropos(man -k) database. Use only key -.\" words here as the database is built based on the words here and in the .ND line. -.\" Use .Nm macro to designate other names for the documented program. -.Nd Start, stop, and restart system services -.Sh SYNOPSIS -.Nm -.Op Fl gvxdDqn -.Op Ar action Op Ar service -.Sh DESCRIPTION -The -.Nm -utility is deprecated. System services should instead be described by a -.Xr launchd.plist 5 . -See -.Xr launchd 8 -for more details. -The -.Nm launchd -utility is available on Mac OS X 10.4 and later. -.Pp -In earlier versions of Mac OS X, the -.Nm -utility is used to start, stop, and restart the system services which -are described in the -.Pa /Library/StartupItems/ -and -.Pa /System/Library/StartupItems/ -paths. -.Pp -The optional -.Ar action -argument specifies which action -.Nm -performs on the startup items. The optional -.Ar service -argument specifies which startup items to perform the action on. If no -.Ar service -is specified, all startup items will be acted on; otherwise, only the item providing the -.Ar service , -any items it requires, or any items that depend on it will be acted on. -.Pp -During boot -.Nm -is invoked by -.Xr launchd 8 -and is responsible for -starting all startup items in an order that satisfies each item's -requirements. -.Sh ACTIONS -.Bl -tag -width -indent -.It Nm start -start all items, or start the item that provides the specified -.Ar service -and all items providing services it requires. -.It Nm stop -stop all items, or stop the item that provides the specified -.Ar service -and all items that depend on it. -.It Nm restart -restart all items, or restart the item providing the specified -.Ar service . -.El -.Sh OPTIONS -.Bl -tag -width -indent -.It Fl g -(ignored) -.It Fl v -verbose (text mode) startup -.It Fl x -(ignored) -.It Fl r -(ignored) -.It Fl d -print debugging output -.It Fl D -print debugging output and dependencies -.It Fl q -be quiet (disable debugging output) -.It Fl n -don't actually perform action on items (no-run mode) -.El -.Sh NOTES -Unless an explicit call to -.Nm ConsoleMessage -is made, -.Nm -examines the exit status of the startup item scripts to determine the success or failure of the services provided by that script. -.Pp -.Sh FILES -.Bl -tag -width -/System/Library/StartupItems -compact -.It Pa /Library/StartupItems/ -User-installed startup items. -.It Pa /System/Library/StartupItems/ -System-provided startup items. -.El -.Sh SEE ALSO -.\" List links in ascending order by section, alphabetically within a section. -.\" Please do not reference files that do not exist without filing a bug report -.Xr ConsoleMessage 8 , -.Xr launchd 8 , -.Xr launchd.plist 5 , -.Xr rc 8 -.\" .Sh BUGS \" Document known, unremedied bugs -.Sh HISTORY -The -.Nm -utility appeared in Darwin 1.0 and -was extended in Darwin 6.0 to support partial startup and interprocess communication. -.Nm -was deprecated by -.Xr launchd 8 -in Darwin 8.0. diff --git a/launchd/src/SystemStarter.c b/launchd/src/SystemStarter.c deleted file mode 100644 index 02663f8..0000000 --- a/launchd/src/SystemStarter.c +++ /dev/null @@ -1,457 +0,0 @@ -/** - * System Starter main - * Wilfredo Sanchez | wsanchez@opensource.apple.com - * $Apple$ - ** - * Copyright (c) 1999-2002 Apple Computer, Inc. All rights reserved. - * - * @APPLE_APACHE_LICENSE_HEADER_START@ - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - * - * @APPLE_APACHE_LICENSE_HEADER_END@ - **/ - -#include -#include -#include -#include -#include -#include -#include -#include -#include -#include -#include -#include -#include -#include -#include "IPC.h" -#include "StartupItems.h" -#include "SystemStarter.h" -#include "SystemStarterIPC.h" - -bool gDebugFlag = false; -bool gVerboseFlag = false; -bool gNoRunFlag = false; - -static void usage(void) __attribute__((noreturn)); -static int system_starter(Action anAction, const char *aService); -static void displayErrorMessages(StartupContext aStartupContext, Action anAction); -static pid_t fwexec(const char *cmd, ...) __attribute__((sentinel)); -static void autodiskmount(void); -static void dummy_sig(int signo __attribute__((unused))) -{ -} - -int -main(int argc, char *argv[]) -{ - struct kevent kev; - Action anAction = kActionStart; - int ch, r, kq = kqueue(); - - assert(kq != -1); - - EV_SET(&kev, SIGTERM, EVFILT_SIGNAL, EV_ADD, 0, 0, 0); - r = kevent(kq, &kev, 1, NULL, 0, NULL); - assert(r != -1); - signal(SIGTERM, dummy_sig); - - while ((ch = getopt(argc, argv, "gvxirdDqn?")) != -1) { - switch (ch) { - case 'v': - gVerboseFlag = true; - break; - case 'x': - case 'g': - case 'r': - case 'q': - break; - case 'd': - case 'D': - gDebugFlag = true; - break; - case 'n': - gNoRunFlag = true; - break; - case '?': - default: - usage(); - break; - } - } - argc -= optind; - argv += optind; - - if (argc > 2) { - usage(); - } - - openlog(getprogname(), LOG_PID|LOG_CONS|(gDebugFlag ? LOG_PERROR : 0), LOG_DAEMON); - if (gDebugFlag) { - setlogmask(LOG_UPTO(LOG_DEBUG)); - } else if (gVerboseFlag) { - setlogmask(LOG_UPTO(LOG_INFO)); - } else { - setlogmask(LOG_UPTO(LOG_NOTICE)); - } - - if (!gNoRunFlag && (getuid() != 0)) { - syslog(LOG_ERR, "must be root to run"); - exit(EXIT_FAILURE); - } - - if (argc > 0) { - if (strcmp(argv[0], "start") == 0) { - anAction = kActionStart; - } else if (strcmp(argv[0], "stop") == 0) { - anAction = kActionStop; - } else if (strcmp(argv[0], "restart") == 0) { - anAction = kActionRestart; - } else { - usage(); - } - } - - if (argc == 2) { - exit(system_starter(anAction, argv[1])); - } - - unlink(kFixerPath); - - mach_timespec_t w = { 600, 0 }; - kern_return_t kr; - - /* - * Too many old StartupItems had implicit dependancies on "Network" via - * other StartupItems that are now no-ops. - * - * SystemStarter is not on the critical path for boot up, so we'll - * stall here to deal with this legacy dependancy problem. - */ - - if ((kr = IOKitWaitQuiet(kIOMasterPortDefault, &w)) != kIOReturnSuccess) { - syslog(LOG_NOTICE, "IOKitWaitQuiet: %d\n", kr); - } - - fwexec("/usr/sbin/ipconfig", "waitall", NULL); - autodiskmount(); /* wait for Disk Arbitration to report idle */ - - system_starter(kActionStart, NULL); - - if (StartupItemSecurityCheck("/etc/rc.local")) { - fwexec(_PATH_BSHELL, "/etc/rc.local", NULL); - } - - CFNotificationCenterPostNotificationWithOptions( - CFNotificationCenterGetDistributedCenter(), - CFSTR("com.apple.startupitems.completed"), - NULL, NULL, - kCFNotificationDeliverImmediately | kCFNotificationPostToAllSessions); - - r = kevent(kq, NULL, 0, &kev, 1, NULL); - assert(r != -1); - assert(kev.filter == EVFILT_SIGNAL && kev.ident == SIGTERM); - - if (StartupItemSecurityCheck("/etc/rc.shutdown.local")) { - fwexec(_PATH_BSHELL, "/etc/rc.shutdown.local", NULL); - } - - system_starter(kActionStop, NULL); - - exit(EXIT_SUCCESS); -} - - -/** - * checkForActivity checks to see if any items have completed since the last invokation. - * If not, a message is displayed showing what item(s) are being waited on. - **/ -static void -checkForActivity(StartupContext aStartupContext) -{ - static CFIndex aLastStatusDictionaryCount = -1; - static CFStringRef aWaitingForString = NULL; - - if (aStartupContext && aStartupContext->aStatusDict) { - CFIndex aCount = CFDictionaryGetCount(aStartupContext->aStatusDict); - - if (!aWaitingForString) { - aWaitingForString = CFSTR("Waiting for %@"); - } - if (aLastStatusDictionaryCount == aCount) { - CFArrayRef aRunningList = StartupItemListCreateFromRunning(aStartupContext->aWaitingList); - if (aRunningList && CFArrayGetCount(aRunningList) > 0) { - CFMutableDictionaryRef anItem = (CFMutableDictionaryRef) CFArrayGetValueAtIndex(aRunningList, 0); - CFStringRef anItemDescription = StartupItemCreateDescription(anItem); - CFStringRef aString = aWaitingForString && anItemDescription ? - CFStringCreateWithFormat(NULL, NULL, aWaitingForString, anItemDescription) : NULL; - - if (aString) { - CF_syslog(LOG_INFO, CFSTR("%@"), aString); - CFRelease(aString); - } - if (anItemDescription) - CFRelease(anItemDescription); - } - if (aRunningList) - CFRelease(aRunningList); - } - aLastStatusDictionaryCount = aCount; - } -} - -/* - * print out any error messages to the log regarding non starting StartupItems - */ -void -displayErrorMessages(StartupContext aStartupContext, Action anAction) -{ - if (aStartupContext->aFailedList && CFArrayGetCount(aStartupContext->aFailedList) > 0) { - CFIndex anItemCount = CFArrayGetCount(aStartupContext->aFailedList); - CFIndex anItemIndex; - - - syslog(LOG_WARNING, "The following StartupItems failed to %s properly:", (anAction == kActionStart) ? "start" : "stop"); - - for (anItemIndex = 0; anItemIndex < anItemCount; anItemIndex++) { - CFMutableDictionaryRef anItem = (CFMutableDictionaryRef) CFArrayGetValueAtIndex(aStartupContext->aFailedList, anItemIndex); - CFStringRef anErrorDescription = CFDictionaryGetValue(anItem, kErrorKey); - CFStringRef anItemPath = CFDictionaryGetValue(anItem, kBundlePathKey); - - if (anItemPath) { - CF_syslog(LOG_WARNING, CFSTR("%@"), anItemPath); - } - if (anErrorDescription) { - CF_syslog(LOG_WARNING, CFSTR(" - %@"), anErrorDescription); - } else { - CF_syslog(LOG_WARNING, CFSTR(" - %@"), kErrorInternal); - } - } - } - if (CFArrayGetCount(aStartupContext->aWaitingList) > 0) { - CFIndex anItemCount = CFArrayGetCount(aStartupContext->aWaitingList); - CFIndex anItemIndex; - - syslog(LOG_WARNING, "The following StartupItems were not attempted due to failure of a required service:"); - - for (anItemIndex = 0; anItemIndex < anItemCount; anItemIndex++) { - CFMutableDictionaryRef anItem = (CFMutableDictionaryRef) CFArrayGetValueAtIndex(aStartupContext->aWaitingList, anItemIndex); - CFStringRef anItemPath = CFDictionaryGetValue(anItem, kBundlePathKey); - if (anItemPath) { - CF_syslog(LOG_WARNING, CFSTR("%@"), anItemPath); - } - } - } -} - - -static int -system_starter(Action anAction, const char *aService_cstr) -{ - CFStringRef aService = NULL; - NSSearchPathDomainMask aMask; - - if (aService_cstr) - aService = CFStringCreateWithCString(kCFAllocatorDefault, aService_cstr, kCFStringEncodingUTF8); - - StartupContext aStartupContext = (StartupContext) malloc(sizeof(struct StartupContextStorage)); - if (!aStartupContext) { - syslog(LOG_ERR, "Not enough memory to allocate startup context"); - return (1); - } - if (gDebugFlag && gNoRunFlag) - sleep(1); - - /** - * Get a list of Startup Items which are in /Local and /System. - * We can't search /Network yet because the network isn't up. - **/ - aMask = NSSystemDomainMask | NSLocalDomainMask; - - aStartupContext->aWaitingList = StartupItemListCreateWithMask(aMask); - aStartupContext->aFailedList = NULL; - aStartupContext->aStatusDict = CFDictionaryCreateMutable(NULL, 0, &kCFTypeDictionaryKeyCallBacks, - &kCFTypeDictionaryValueCallBacks); - aStartupContext->aServicesCount = 0; - aStartupContext->aRunningCount = 0; - - if (aService) { - CFMutableArrayRef aDependentsList = StartupItemListCreateDependentsList(aStartupContext->aWaitingList, aService, anAction); - - if (aDependentsList) { - CFRelease(aStartupContext->aWaitingList); - aStartupContext->aWaitingList = aDependentsList; - } else { - CF_syslog(LOG_ERR, CFSTR("Unknown service: %@"), aService); - return (1); - } - } - aStartupContext->aServicesCount = StartupItemListCountServices(aStartupContext->aWaitingList); - - /** - * Do the run loop - **/ - while (1) { - CFMutableDictionaryRef anItem = StartupItemListGetNext(aStartupContext->aWaitingList, aStartupContext->aStatusDict, anAction); - - if (anItem) { - int err = StartupItemRun(aStartupContext->aStatusDict, anItem, anAction); - if (!err) { - ++aStartupContext->aRunningCount; - MonitorStartupItem(aStartupContext, anItem); - } else { - /* add item to failed list */ - AddItemToFailedList(aStartupContext, anItem); - - /* Remove the item from the waiting list. */ - RemoveItemFromWaitingList(aStartupContext, anItem); - } - } else { - /* - * If no item was selected to run, and if no items - * are running, startup is done. - */ - if (aStartupContext->aRunningCount == 0) { - syslog(LOG_DEBUG, "none left"); - break; - } - /* - * Process incoming IPC messages and item - * terminations - */ - switch (CFRunLoopRunInMode(kCFRunLoopDefaultMode, 3.0, true)) { - case kCFRunLoopRunTimedOut: - checkForActivity(aStartupContext); - break; - case kCFRunLoopRunFinished: - break; - case kCFRunLoopRunStopped: - break; - case kCFRunLoopRunHandledSource: - break; - default: - /* unknown return value */ - break; - } - } - } - - /** - * Good-bye. - **/ - displayErrorMessages(aStartupContext, anAction); - - /* clean up */ - if (aStartupContext->aStatusDict) - CFRelease(aStartupContext->aStatusDict); - if (aStartupContext->aWaitingList) - CFRelease(aStartupContext->aWaitingList); - if (aStartupContext->aFailedList) - CFRelease(aStartupContext->aFailedList); - - free(aStartupContext); - return (0); -} - -void -CF_syslog(int level, CFStringRef message,...) -{ - char buf[8192]; - CFStringRef cooked_msg; - va_list ap; - - va_start(ap, message); - cooked_msg = CFStringCreateWithFormatAndArguments(NULL, NULL, message, ap); - va_end(ap); - - if (CFStringGetCString(cooked_msg, buf, sizeof(buf), kCFStringEncodingUTF8)) - syslog(level, "%s", buf); - - CFRelease(cooked_msg); -} - -static void -usage(void) -{ - fprintf(stderr, "usage: %s [-vdqn?] [ [ ] ]\n" - "\t: action to take (start|stop|restart); default is start\n" - "\t : name of item to act on; default is all items\n" - "options:\n" - "\t-v: verbose startup\n" - "\t-d: print debugging output\n" - "\t-q: be quiet (disable debugging output)\n" - "\t-n: don't actually perform action on items (pretend mode)\n" - "\t-?: show this help\n", - getprogname()); - exit(EXIT_FAILURE); -} - -pid_t -fwexec(const char *cmd, ...) -{ - const char *argv[100] = { cmd }; - va_list ap; - int wstatus, i = 1; - pid_t p; - - va_start(ap, cmd); - do { - argv[i] = va_arg(ap, char *); - } while (argv[i++]); - va_end(ap); - - switch ((p = fork())) { - case -1: - return -1; - case 0: - execvp(argv[0], (char *const *)argv); - _exit(EXIT_FAILURE); - break; - default: - if (waitpid(p, &wstatus, 0) == -1) { - return -1; - } else if (WIFEXITED(wstatus)) { - if (WEXITSTATUS(wstatus) == 0) { - return 0; - } else { - syslog(LOG_WARNING, "%s exit status: %d", argv[0], WEXITSTATUS(wstatus)); - } - } else { - /* must have died due to signal */ - syslog(LOG_WARNING, "%s died: %s", argv[0], strsignal(WTERMSIG(wstatus))); - } - break; - } - - return -1; -} - -static void -autodiskmount_idle(void* context __attribute__((unused))) -{ - CFRunLoopStop(CFRunLoopGetCurrent()); -} - -static void -autodiskmount(void) -{ - DASessionRef session = DASessionCreate(NULL); - if (session) { - DASessionScheduleWithRunLoop(session, CFRunLoopGetCurrent(), kCFRunLoopDefaultMode); - DARegisterIdleCallback(session, autodiskmount_idle, NULL); - CFRunLoopRun(); - CFRelease(session); - } -} diff --git a/launchd/src/SystemStarter.h b/launchd/src/SystemStarter.h deleted file mode 100644 index 6a6c0ab..0000000 --- a/launchd/src/SystemStarter.h +++ /dev/null @@ -1,51 +0,0 @@ -/** - * SystemStarter.h - System Starter driver - * Wilfredo Sanchez | wsanchez@opensource.apple.com - * $Apple$ - ** - * Copyright (c) 1999-2002 Apple Computer, Inc. All rights reserved. - * - * @APPLE_APACHE_LICENSE_HEADER_START@ - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - * - * @APPLE_APACHE_LICENSE_HEADER_END@ - **/ - -#ifndef _SYSTEM_STARTER_H_ -#define _SYSTEM_STARTER_H_ - -/* Structure to pass common objects from system_starter to the IPC handlers */ -typedef struct StartupContextStorage { - CFMutableArrayRef aWaitingList; - CFMutableArrayRef aFailedList; - CFMutableDictionaryRef aStatusDict; - int aServicesCount; - int aRunningCount; -} *StartupContext; - -#define kFixerDir "/var/db/fixer" -#define kFixerPath "/var/db/fixer/StartupItems" - -/* Action types */ -typedef enum { - kActionNone = 0, - kActionStart, - kActionStop, - kActionRestart -} Action; - -void CF_syslog(int level, CFStringRef message, ...); -extern bool gVerboseFlag; - -#endif /* _SYSTEM_STARTER_H_ */ diff --git a/launchd/src/SystemStarterIPC.h b/launchd/src/SystemStarterIPC.h deleted file mode 100644 index 3a94095..0000000 --- a/launchd/src/SystemStarterIPC.h +++ /dev/null @@ -1,88 +0,0 @@ -/** - * SystemStarterIPC.h - System Starter IPC definitions - * Wilfredo Sanchez | wsanchez@opensource.apple.com - * Kevin Van Vechten | kevinvv@uclink4.berkeley.edu - ** - * Copyright (c) 1999-2001 Apple Computer, Inc. All rights reserved. - * - * @APPLE_APACHE_LICENSE_HEADER_START@ - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - * - * @APPLE_APACHE_LICENSE_HEADER_END@ - ** - * Definitions used for IPC communications with SystemStarter. - * SystemStarter listens on a CFMessagePort with the name defined by - * kSystemStarterMessagePort. The messageID of each message should - * be set to the kIPCProtocolVersion constant. The contents of each - * message should be an XML plist containing a dictionary using - * the keys defined in this file. - **/ - -#ifndef _SYSTEM_STARTER_IPC_H -#define _SYSTEM_STARTER_IPC_H - -#include -#include - -/* Compatible with inline CFMessagePort messages. */ -typedef struct SystemStarterIPCMessage { - mach_msg_header_t aHeader; - mach_msg_body_t aBody; - SInt32 aProtocol; - SInt32 aByteLength; - /* Data follows. */ -} SystemStarterIPCMessage; - -/* Name of the CFMessagePort SystemStarter listens on. */ -#define kSystemStarterMessagePort "com.apple.SystemStarter" - -/* kIPCProtocolVersion should be passed as the messageID of the CFMessage. */ -#define kIPCProtocolVersion 0 - -/* kIPCTypeKey should be provided for all messages. */ -#define kIPCMessageKey CFSTR("Message") - -/* Messages are one of the following types: */ -#define kIPCConsoleMessage CFSTR("ConsoleMessage") -#define kIPCStatusMessage CFSTR("StatusMessage") -#define kIPCQueryMessage CFSTR("QueryMessage") -#define kIPCLoadDisplayBundleMessage CFSTR("LoadDisplayBundle") -#define kIPCUnloadDisplayBundleMessage CFSTR("UnloadDisplayBundle") - -/* kIPCServiceNameKey identifies a startup item by one of the services it provides. */ -#define kIPCServiceNameKey CFSTR("ServiceName") - -/* kIPCProcessIDKey identifies a running startup item by its process id. */ -#define kIPCProcessIDKey CFSTR("ProcessID") - -/* kIPCConsoleMessageKey contains the non-localized string to - * display for messages of type kIPCTypeConsoleMessage. - */ -#define kIPCConsoleMessageKey CFSTR("ConsoleMessage") - -/* kIPCStatus key contains a boolean value. True for success, false for failure. */ -#define kIPCStatusKey CFSTR("StatusKey") - -/* kIPCDisplayBundlePathKey contains a string path to the display bundle - SystemStarter should attempt to load. */ -#define kIPCDisplayBundlePathKey CFSTR("DisplayBundlePath") - -/* kIPCConfigNamegKey contains the name of a config setting to query */ -#define kIPCConfigSettingKey CFSTR("ConfigSetting") - -/* Some config settings */ -#define kIPCConfigSettingVerboseFlag CFSTR("VerboseFlag") -#define kIPCConfigSettingNetworkUp CFSTR("NetworkUp") - -#endif /* _SYSTEM_STARTER_IPC_H */ diff --git a/launchd/src/bootstrap.h b/launchd/src/bootstrap.h deleted file mode 100644 index f09f82f..0000000 --- a/launchd/src/bootstrap.h +++ /dev/null @@ -1,358 +0,0 @@ -#ifndef _BOOTSTRAP_H_ -#define _BOOTSTRAP_H_ -/* - * Copyright (c) 1999-2005 Apple Computer, Inc. All rights reserved. - * - * @APPLE_APACHE_LICENSE_HEADER_START@ - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - * - * @APPLE_APACHE_LICENSE_HEADER_END@ - */ - -/* - * bootstrap -- fundamental service initiator and port server - * Mike DeMoney, NeXT, Inc. - * Copyright, 1990. All rights reserved. - */ - -/* - * Interface: Bootstrap server - * - * The bootstrap server is the first user-mode task initiated by the Mach - * kernel at system boot time. The bootstrap server provides two services, - * it initiates other system tasks, and manages a table of name-port bindings - * for fundamental system services (e.g. lookupd, Window Manager, etc...). - * - * Name-port bindings can be established with the bootstrap server by either - * of two mechanisms: - * - * 1. The binding can be indicated, in advance of the service that backs it - * being available, via a "service create" request. In this case, bootstrap - * will immediately create a port and bind the indicated name with that port. - * At a later time, a service may "checkin" for the name-port - * binding and will be returned receive rights for the bound port. Lookup's - * on bindings created by this mechanism will return send rights to the port, - * even if no service has "checked-in". In this case, requests sent to the - * bound port will be queued until a server has checked-in and can satisfy the - * request. - * - * 2. Bindings can be established dynamically via a "register" request. In - * this case, the register request provides bootstrap with a name and send - * rights for a port. Bootstrap will provide send rights for the bound port - * to any requestor via the lookup request. - * - * Bootstrap provides its service port to descendant tasks via the Mach - * "bootstrap" special task port. All direct descendants of bootstrap receive - * a "privileged" bootstrap service port. System services that initiate - * untrusted tasks should replace the Mach bootstrap task special port with - * a subset bootstrap port to prevent them from infecting the namespace. - * - * The bootstrap server creates a "backup" port for each service that it - * creates. This is used to detect when a checked out service is no longer - * being served. The bootstrap server regains all rights to the port and - * it is marked available for check-out again. This allows crashed servers to - * resume service to previous clients. Lookup's on this named port will - * continue to be serviced by bootstrap while holding receive rights for the - * bound port. A client may detect that the service is inactive via the - * bootstrap status request. If an inactive service re-registers rather - * than "checking-in" the original bound port is destroyed. - * - * The status of a named service may be obtained via the "status" request. - * A service is "active" if a name-port binding exists and receive rights - * to the bound port are held by a task other than bootstrap. - * - * The bootstrap server may also (re)start server processes associated with - * with a set of services. The definition of the server process is done - * through the "create server" request. The server will be launched in the - * same bootstrap context in which it was registered. - */ -#include -#include -#include -#include -#include -#include - -__BEGIN_DECLS - -#pragma GCC visibility push(default) - -#define BOOTSTRAP_MAX_NAME_LEN 128 -#define BOOTSTRAP_MAX_CMD_LEN 512 - -typedef char name_t[BOOTSTRAP_MAX_NAME_LEN]; -typedef char cmd_t[BOOTSTRAP_MAX_CMD_LEN]; -typedef name_t *name_array_t; -typedef int bootstrap_status_t; -typedef bootstrap_status_t *bootstrap_status_array_t; -typedef unsigned int bootstrap_property_t; -typedef bootstrap_property_t * bootstrap_property_array_t; - -typedef boolean_t *bool_array_t; - -#define BOOTSTRAP_MAX_LOOKUP_COUNT 20 - -#define BOOTSTRAP_SUCCESS 0 -#define BOOTSTRAP_NOT_PRIVILEGED 1100 -#define BOOTSTRAP_NAME_IN_USE 1101 -#define BOOTSTRAP_UNKNOWN_SERVICE 1102 -#define BOOTSTRAP_SERVICE_ACTIVE 1103 -#define BOOTSTRAP_BAD_COUNT 1104 -#define BOOTSTRAP_NO_MEMORY 1105 -#define BOOTSTRAP_NO_CHILDREN 1106 - -#define BOOTSTRAP_STATUS_INACTIVE 0 -#define BOOTSTRAP_STATUS_ACTIVE 1 -#define BOOTSTRAP_STATUS_ON_DEMAND 2 - -/* - * After main() starts, it is safe to assume that this variable is always set. - */ -extern mach_port_t bootstrap_port; - -/* - * bootstrap_create_server() - * - * Declares a server that mach_init will re-spawn within the specified - * bootstrap context. The server is considered already "active" - * (i.e. will not be re-spawned) until the returned server_port is - * deallocated. - * - * In the meantime, services can be declared against the server, - * by using the server_port as the privileged bootstrap target of - * subsequent bootstrap_create_service() calls. - * - * When mach_init re-spawns the server, its task bootstrap port - * is set to the privileged sever_port. Through this special - * bootstrap port, it can access all of parent bootstrap's context - * (and all services are created in the parent's namespace). But - * all additional service declarations (and declaration removals) - * will be associated with this particular server. - * - * Only a holder of the server_port privilege bootstrap port can - * check in or register over those services. - * - * When all services associated with a server are deleted, and the server - * exits, it will automatically be deleted itself. - * - * If the server is declared "on_demand," then a non-running server - * will be re-launched on first use of one of the service ports - * registered against it. Otherwise, it will be re-launched - * immediately upon exiting (whether any client is actively using - * any of the service ports or not). - * - * Errors: Returns appropriate kernel errors on rpc failure. - * Returns BOOTSTRAP_NOT_PRIVILEGED, bootstrap or uid invalid. - */ -kern_return_t bootstrap_create_server( - mach_port_t bp, - cmd_t server_cmd, - uid_t server_uid, - boolean_t on_demand, - mach_port_t *server_port); - -/* - * bootstrap_subset() - * - * Returns a new port to use as a bootstrap port. This port behaves - * exactly like the previous bootstrap_port, except that ports dynamically - * registered via bootstrap_register() are available only to users of this - * specific subset_port. Lookups on the subset_port will return ports - * registered with this port specifically, and ports registered with - * ancestors of this subset_port. Duplications of services already - * registered with an ancestor port may be registered with the subset port - * are allowed. Services already advertised may then be effectively removed - * by registering PORT_NULL for the service. - * When it is detected that the requestor_port is destroyed the subset - * port and all services advertized by it are destroyed as well. - * - * Errors: Returns appropriate kernel errors on rpc failure. - */ -kern_return_t bootstrap_subset( - mach_port_t bp, - mach_port_t requestor_port, - mach_port_t *subset_port); - -/* - * bootstrap_unprivileged() - * - * Given a bootstrap port, return its unprivileged equivalent. If - * the port is already unprivileged, another reference to the same - * port is returned. - * - * This is most often used by servers, which are launched with their - * bootstrap port set to the privileged port for the server, to get - * an unprivileged version of the same port for use by its unprivileged - * children (or any offspring that it does not want to count as part - * of the "server" for mach_init registration and re-launch purposes). - * - * Native launchd jobs are always started with an unprivileged port. - */ -kern_return_t bootstrap_unprivileged( - mach_port_t bp, - mach_port_t *unpriv_port) - AVAILABLE_MAC_OS_X_VERSION_10_0_AND_LATER_BUT_DEPRECATED_IN_MAC_OS_X_VERSION_10_5; - -/* - * bootstrap_parent() - * - * Given a bootstrap subset port, return the parent bootstrap port. - * If the specified bootstrap port is already the root subset, - * the same port will be returned. Much like "." and ".." are the same - * in the file system name space for the root directory ("/"). - * - * Errors: - * Returns BOOTSTRAP_NOT_PRIVILEGED if the caller is not running - * with an effective user id of root (as determined by the security - * token in the message trailer). - */ -kern_return_t bootstrap_parent( - mach_port_t bp, - mach_port_t *parent_port); - -/* - * bootstrap_register() - * - * Registers a send right for service_port with the service identified by - * service_name. Attempts to register a service where an active binding - * already exists are rejected. - * - * If the service was previously declared with bootstrap_create_service(), - * but is not currently active, this call can be used to undeclare the - * service. The bootstrap port used must have sufficient privilege to - * do so. (Registering MACH_PORT_NULL is especially useful for shutting - * down declared services). - * - * This API is deprecated. Old scenarios and recommendations: - * - * 1) Code that used to call bootstrap_check_in() and then bootstrap_register() - * can now always call bootstrap_check_in(). - * - * 2) If the code was registering a well known name, please switch to launchd. - * - * 3) If the code was registering a dynamically generated string and passing - * the string to other applications, please rewrite the code to send a Mach - * send-right directly. - * - * 4) If the launchd job maintained an optional Mach service, please reserve - * the name with launchd and control the presense of the service through - * ownership of the Mach receive right like so. - * - * MachServices - * - * com.apple.windowserver - * - * com.apple.windowserver.active - * - * HideUntilCheckIn - * - * - * - * - * - * Errors: Returns appropriate kernel errors on rpc failure. - * Returns BOOTSTRAP_NOT_PRIVILEGED, if request directed to - * bootstrap port without privilege. - * Returns BOOTSTRAP_NAME_IN_USE, if service has already been - * register or checked-in. - */ -AVAILABLE_MAC_OS_X_VERSION_10_0_AND_LATER_BUT_DEPRECATED_IN_MAC_OS_X_VERSION_10_5 -kern_return_t -bootstrap_register(mach_port_t bp, name_t service_name, mach_port_t sp); - -/* - * bootstrap_create_service() - * - * Creates a service named "service_name" and returns a send right to that - * port in "service_port." The port may later be checked in as if this - * port were configured in the bootstrap configuration file. - * - * This API is deprecated. Please call bootstrap_check_in() instead. - * - * Errors: Returns appropriate kernel errors on rpc failure. - * Returns BOOTSTRAP_SERVICE_ACTIVE, if service already exists. - */ -#ifdef AVAILABLE_MAC_OS_X_VERSION_10_0_AND_LATER_BUT_DEPRECATED_IN_MAC_OS_X_VERSION_10_6 -AVAILABLE_MAC_OS_X_VERSION_10_0_AND_LATER_BUT_DEPRECATED_IN_MAC_OS_X_VERSION_10_6 -#endif -kern_return_t -bootstrap_create_service(mach_port_t bp, name_t service_name, mach_port_t *sp); - -/* - * bootstrap_check_in() - * - * Returns the receive right for the service named by service_name. The - * service must have been declared in the launchd.plist(5) file associated - * with the job. Attempts to check_in a service which is already active - * are not allowed. - * - * If the service was declared as being associated with a server, the - * check_in must come from the server's privileged port (server_port). - * - * Errors: Returns appropriate kernel errors on rpc failure. - * Returns BOOTSTRAP_UNKNOWN_SERVICE, if service does not exist. - * Returns BOOTSTRAP_NOT_PRIVILEGED, if request directed to - * bootstrap port without privilege. - * Returns BOOTSTRAP_SERVICE_ACTIVE, if service has already been - * registered or checked-in. - */ -kern_return_t bootstrap_check_in( - mach_port_t bp, - const name_t service_name, - mach_port_t *sp); - -/* - * bootstrap_look_up() - * - * Returns a send right for the service port declared/registered under the - * name service_name. The service is not guaranteed to be active. Use the - * bootstrap_status call to determine the status of the service. - * - * Errors: Returns appropriate kernel errors on rpc failure. - * Returns BOOTSTRAP_UNKNOWN_SERVICE, if service does not exist. - */ -kern_return_t bootstrap_look_up( - mach_port_t bp, - const name_t service_name, - mach_port_t *sp); - -/* - * bootstrap_status() - * - * In practice, this call was used to preflight whether the following two - * APIs would succeed. - * - * bootstrap_look_up() - * bootstrap_check_in() - * - * Please don't bother. Just call the above two APIs directly and check - * for failure. - */ -kern_return_t bootstrap_status( - mach_port_t bp, - name_t service_name, - bootstrap_status_t *service_active) - AVAILABLE_MAC_OS_X_VERSION_10_0_AND_LATER_BUT_DEPRECATED_IN_MAC_OS_X_VERSION_10_5; - -/* bootstrap_strerror() - * - * Translate a return value from the bootstrap_*() APIs to a string. - */ -const char *bootstrap_strerror(kern_return_t r) __attribute__((__nothrow__, __pure__, __warn_unused_result__)); - -#pragma GCC visibility pop - -__END_DECLS - -#endif diff --git a/launchd/src/bootstrap_priv.h b/launchd/src/bootstrap_priv.h deleted file mode 100644 index 54d443e..0000000 --- a/launchd/src/bootstrap_priv.h +++ /dev/null @@ -1,69 +0,0 @@ -#ifndef _BOOTSTRAP_PRIVATE_H_ -#define _BOOTSTRAP_PRIVATE_H_ -/* - * Copyright (c) 2007 Apple Inc. All rights reserved. - * - * @APPLE_APACHE_LICENSE_HEADER_START@ - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - * - * @APPLE_APACHE_LICENSE_HEADER_END@ - */ - -#include -#include -#include - -__BEGIN_DECLS - -#pragma GCC visibility push(default) - -#define BOOTSTRAP_PER_PID_SERVICE (1 << 0) -#define BOOTSTRAP_ALLOW_LOOKUP (1 << 1) -#define BOOTSTRAP_DENY_JOB_CREATION (1 << 2) -#define BOOTSTRAP_PRIVILEGED_SERVER (1 << 3) -#define BOOTSTRAP_FORCE_LOCAL (1 << 4) -#define BOOTSTRAP_SPECIFIC_INSTANCE (1 << 5) -#define BOOTSTRAP_STRICT_CHECKIN (1 << 6) -#define BOOTSTRAP_STRICT_LOOKUP (1 << 7) - -#define BOOTSTRAP_PROPERTY_EXPLICITSUBSET (1 << 0) /* Created via bootstrap_subset(). */ -#define BOOTSTRAP_PROPERTY_IMPLICITSUBSET (1 << 1) /* Created via _vprocmgr_switch_to_session(). */ -#define BOOTSTRAP_PROPERTY_MOVEDSUBSET (1 << 2) /* Created via _vprocmgr_move_subset_to_user(). */ -#define BOOTSTRAP_PROPERTY_PERUSER (1 << 3) /* A per-user launchd's root bootstrap. */ -#define BOOTSTRAP_PROPERTY_XPC_DOMAIN (1 << 4) /* An XPC domain. Duh. */ -#define BOOTSTRAP_PROPERTY_XPC_SINGLETON (1 << 5) /* A singleton XPC domain. */ - -void bootstrap_init(void); - -kern_return_t bootstrap_register2(mach_port_t bp, name_t service_name, mach_port_t sp, uint64_t flags); - -kern_return_t bootstrap_look_up2(mach_port_t bp, const name_t service_name, mach_port_t *sp, pid_t target_pid, uint64_t flags); - -kern_return_t bootstrap_check_in2(mach_port_t bp, const name_t service_name, mach_port_t *sp, uint64_t flags); - -kern_return_t bootstrap_look_up_per_user(mach_port_t bp, const name_t service_name, uid_t target_user, mach_port_t *sp); - -kern_return_t bootstrap_lookup_children(mach_port_t bp, mach_port_array_t *children, name_array_t *names, bootstrap_property_array_t *properties, mach_msg_type_number_t *n_children); - -kern_return_t bootstrap_look_up3(mach_port_t bp, const name_t service_name, mach_port_t *sp, pid_t target_pid, const uuid_t instance_id, uint64_t flags); - -kern_return_t bootstrap_check_in3(mach_port_t bp, const name_t service_name, mach_port_t *sp, uuid_t instance_id, uint64_t flags); - -kern_return_t bootstrap_get_root(mach_port_t bp, mach_port_t *root); - -#pragma GCC visibility pop - -__END_DECLS - -#endif diff --git a/launchd/src/com.apple.SystemStarter.plist b/launchd/src/com.apple.SystemStarter.plist deleted file mode 100644 index 8ab51c7..0000000 --- a/launchd/src/com.apple.SystemStarter.plist +++ /dev/null @@ -1,25 +0,0 @@ - - - - - KeepAlive - - PathState - - /etc/rc.local - - /etc/rc.shutdown.local - - - - Label - com.apple.SystemStarter - Program - /sbin/SystemStarter - QueueDirectories - - /Library/StartupItems - /System/Library/StartupItems - - - diff --git a/launchd/src/config.h b/launchd/src/config.h deleted file mode 100644 index 4c12664..0000000 --- a/launchd/src/config.h +++ /dev/null @@ -1,7 +0,0 @@ -#ifndef __CONFIG_H__ -#define __CONFIG_H__ -#include -#define HAVE_QUARANTINE TARGET_HAVE_QUARANTINE -#define HAVE_SANDBOX TARGET_HAVE_SANDBOX -#define HAVE_LIBAUDITD !TARGET_OS_EMBEDDED -#endif /* __CONFIG_H__ */ diff --git a/launchd/src/hostconfig b/launchd/src/hostconfig deleted file mode 100644 index 5aed438..0000000 --- a/launchd/src/hostconfig +++ /dev/null @@ -1,6 +0,0 @@ -# This file is going away - -AFPSERVER=-NO- -AUTHSERVER=-NO- -TIMESYNC=-NO- -QTSSERVER=-NO- diff --git a/launchd/src/launch.h b/launchd/src/launch.h deleted file mode 100644 index 61bf323..0000000 --- a/launchd/src/launch.h +++ /dev/null @@ -1,243 +0,0 @@ -/* - * Copyright (c) 2005 Apple Computer, Inc. All rights reserved. - * - * @APPLE_APACHE_LICENSE_HEADER_START@ - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - * - * @APPLE_APACHE_LICENSE_HEADER_END@ - */ -#ifndef _LAUNCH_H_ -#define _LAUNCH_H_ - -#include -#include -#include -#include - -#pragma GCC visibility push(default) - -__BEGIN_DECLS - -#ifdef __GNUC__ -#define __ld_normal __attribute__((__nothrow__)) -#define __ld_setter __attribute__((__nothrow__, __nonnull__)) -#define __ld_getter __attribute__((__nothrow__, __nonnull__, __pure__, __warn_unused_result__)) -#define __ld_iterator(x, y) __attribute__((__nonnull__(x, y))) -#define __ld_allocator __attribute__((__nothrow__, __malloc__, __nonnull__, __warn_unused_result__)) -#else -#define __ld_normal -#define __ld_setter -#define __ld_getter -#define __ld_iterator(x, y) -#define __ld_allocator -#endif - - -#define LAUNCH_KEY_SUBMITJOB "SubmitJob" -#define LAUNCH_KEY_REMOVEJOB "RemoveJob" -#define LAUNCH_KEY_STARTJOB "StartJob" -#define LAUNCH_KEY_STOPJOB "StopJob" -#define LAUNCH_KEY_GETJOB "GetJob" -#define LAUNCH_KEY_GETJOBS "GetJobs" -#define LAUNCH_KEY_CHECKIN "CheckIn" - -#define LAUNCH_JOBKEY_LABEL "Label" -#define LAUNCH_JOBKEY_DISABLED "Disabled" -#define LAUNCH_JOBKEY_USERNAME "UserName" -#define LAUNCH_JOBKEY_GROUPNAME "GroupName" -#define LAUNCH_JOBKEY_TIMEOUT "TimeOut" -#define LAUNCH_JOBKEY_EXITTIMEOUT "ExitTimeOut" -#define LAUNCH_JOBKEY_INITGROUPS "InitGroups" -#define LAUNCH_JOBKEY_SOCKETS "Sockets" -#define LAUNCH_JOBKEY_MACHSERVICES "MachServices" -#define LAUNCH_JOBKEY_MACHSERVICELOOKUPPOLICIES "MachServiceLookupPolicies" -#define LAUNCH_JOBKEY_INETDCOMPATIBILITY "inetdCompatibility" -#define LAUNCH_JOBKEY_ENABLEGLOBBING "EnableGlobbing" -#define LAUNCH_JOBKEY_PROGRAMARGUMENTS "ProgramArguments" -#define LAUNCH_JOBKEY_PROGRAM "Program" -#define LAUNCH_JOBKEY_ONDEMAND "OnDemand" -#define LAUNCH_JOBKEY_KEEPALIVE "KeepAlive" -#define LAUNCH_JOBKEY_LIMITLOADTOHOSTS "LimitLoadToHosts" -#define LAUNCH_JOBKEY_LIMITLOADFROMHOSTS "LimitLoadFromHosts" -#define LAUNCH_JOBKEY_LIMITLOADTOSESSIONTYPE "LimitLoadToSessionType" -#define LAUNCH_JOBKEY_LIMITLOADTOHARDWARE "LimitLoadToHardware" -#define LAUNCH_JOBKEY_LIMITLOADFROMHARDWARE "LimitLoadFromHardware" -#define LAUNCH_JOBKEY_RUNATLOAD "RunAtLoad" -#define LAUNCH_JOBKEY_ROOTDIRECTORY "RootDirectory" -#define LAUNCH_JOBKEY_WORKINGDIRECTORY "WorkingDirectory" -#define LAUNCH_JOBKEY_ENVIRONMENTVARIABLES "EnvironmentVariables" -#define LAUNCH_JOBKEY_USERENVIRONMENTVARIABLES "UserEnvironmentVariables" -#define LAUNCH_JOBKEY_UMASK "Umask" -#define LAUNCH_JOBKEY_NICE "Nice" -#define LAUNCH_JOBKEY_HOPEFULLYEXITSFIRST "HopefullyExitsFirst" -#define LAUNCH_JOBKEY_HOPEFULLYEXITSLAST "HopefullyExitsLast" -#define LAUNCH_JOBKEY_LOWPRIORITYIO "LowPriorityIO" -#define LAUNCH_JOBKEY_SESSIONCREATE "SessionCreate" -#define LAUNCH_JOBKEY_STARTONMOUNT "StartOnMount" -#define LAUNCH_JOBKEY_SOFTRESOURCELIMITS "SoftResourceLimits" -#define LAUNCH_JOBKEY_HARDRESOURCELIMITS "HardResourceLimits" -#define LAUNCH_JOBKEY_STANDARDINPATH "StandardInPath" -#define LAUNCH_JOBKEY_STANDARDOUTPATH "StandardOutPath" -#define LAUNCH_JOBKEY_STANDARDERRORPATH "StandardErrorPath" -#define LAUNCH_JOBKEY_DEBUG "Debug" -#define LAUNCH_JOBKEY_WAITFORDEBUGGER "WaitForDebugger" -#define LAUNCH_JOBKEY_QUEUEDIRECTORIES "QueueDirectories" -#define LAUNCH_JOBKEY_WATCHPATHS "WatchPaths" -#define LAUNCH_JOBKEY_STARTINTERVAL "StartInterval" -#define LAUNCH_JOBKEY_STARTCALENDARINTERVAL "StartCalendarInterval" -#define LAUNCH_JOBKEY_BONJOURFDS "BonjourFDs" -#define LAUNCH_JOBKEY_LASTEXITSTATUS "LastExitStatus" -#define LAUNCH_JOBKEY_PID "PID" -#define LAUNCH_JOBKEY_THROTTLEINTERVAL "ThrottleInterval" -#define LAUNCH_JOBKEY_LAUNCHONLYONCE "LaunchOnlyOnce" -#define LAUNCH_JOBKEY_ABANDONPROCESSGROUP "AbandonProcessGroup" -#define LAUNCH_JOBKEY_IGNOREPROCESSGROUPATSHUTDOWN "IgnoreProcessGroupAtShutdown" -#define LAUNCH_JOBKEY_POLICIES "Policies" -#define LAUNCH_JOBKEY_ENABLETRANSACTIONS "EnableTransactions" - -#define LAUNCH_JOBPOLICY_DENYCREATINGOTHERJOBS "DenyCreatingOtherJobs" - -#define LAUNCH_JOBINETDCOMPATIBILITY_WAIT "Wait" - -#define LAUNCH_JOBKEY_MACH_RESETATCLOSE "ResetAtClose" -#define LAUNCH_JOBKEY_MACH_HIDEUNTILCHECKIN "HideUntilCheckIn" -#define LAUNCH_JOBKEY_MACH_DRAINMESSAGESONCRASH "DrainMessagesOnCrash" -#define LAUNCH_JOBKEY_MACH_PINGEVENTUPDATES "PingEventUpdates" - -#define LAUNCH_JOBKEY_KEEPALIVE_SUCCESSFULEXIT "SuccessfulExit" -#define LAUNCH_JOBKEY_KEEPALIVE_NETWORKSTATE "NetworkState" -#define LAUNCH_JOBKEY_KEEPALIVE_PATHSTATE "PathState" -#define LAUNCH_JOBKEY_KEEPALIVE_OTHERJOBACTIVE "OtherJobActive" -#define LAUNCH_JOBKEY_KEEPALIVE_OTHERJOBENABLED "OtherJobEnabled" -#define LAUNCH_JOBKEY_KEEPALIVE_AFTERINITIALDEMAND "AfterInitialDemand" -#define LAUNCH_JOBKEY_KEEPALIVE_CRASHED "Crashed" - -#define LAUNCH_JOBKEY_LAUNCHEVENTS "LaunchEvents" - -#define LAUNCH_JOBKEY_CAL_MINUTE "Minute" -#define LAUNCH_JOBKEY_CAL_HOUR "Hour" -#define LAUNCH_JOBKEY_CAL_DAY "Day" -#define LAUNCH_JOBKEY_CAL_WEEKDAY "Weekday" -#define LAUNCH_JOBKEY_CAL_MONTH "Month" - -#define LAUNCH_JOBKEY_RESOURCELIMIT_CORE "Core" -#define LAUNCH_JOBKEY_RESOURCELIMIT_CPU "CPU" -#define LAUNCH_JOBKEY_RESOURCELIMIT_DATA "Data" -#define LAUNCH_JOBKEY_RESOURCELIMIT_FSIZE "FileSize" -#define LAUNCH_JOBKEY_RESOURCELIMIT_MEMLOCK "MemoryLock" -#define LAUNCH_JOBKEY_RESOURCELIMIT_NOFILE "NumberOfFiles" -#define LAUNCH_JOBKEY_RESOURCELIMIT_NPROC "NumberOfProcesses" -#define LAUNCH_JOBKEY_RESOURCELIMIT_RSS "ResidentSetSize" -#define LAUNCH_JOBKEY_RESOURCELIMIT_STACK "Stack" - -#define LAUNCH_JOBKEY_DISABLED_MACHINETYPE "MachineType" -#define LAUNCH_JOBKEY_DISABLED_MODELNAME "ModelName" - -#define LAUNCH_JOBSOCKETKEY_TYPE "SockType" -#define LAUNCH_JOBSOCKETKEY_PASSIVE "SockPassive" -#define LAUNCH_JOBSOCKETKEY_BONJOUR "Bonjour" -#define LAUNCH_JOBSOCKETKEY_SECUREWITHKEY "SecureSocketWithKey" -#define LAUNCH_JOBSOCKETKEY_PATHNAME "SockPathName" -#define LAUNCH_JOBSOCKETKEY_PATHMODE "SockPathMode" -#define LAUNCH_JOBSOCKETKEY_NODENAME "SockNodeName" -#define LAUNCH_JOBSOCKETKEY_SERVICENAME "SockServiceName" -#define LAUNCH_JOBSOCKETKEY_FAMILY "SockFamily" -#define LAUNCH_JOBSOCKETKEY_PROTOCOL "SockProtocol" -#define LAUNCH_JOBSOCKETKEY_MULTICASTGROUP "MulticastGroup" - -typedef struct _launch_data *launch_data_t; - -typedef enum { - LAUNCH_DATA_DICTIONARY = 1, - LAUNCH_DATA_ARRAY, - LAUNCH_DATA_FD, - LAUNCH_DATA_INTEGER, - LAUNCH_DATA_REAL, - LAUNCH_DATA_BOOL, - LAUNCH_DATA_STRING, - LAUNCH_DATA_OPAQUE, - LAUNCH_DATA_ERRNO, - LAUNCH_DATA_MACHPORT, -} launch_data_type_t; - -launch_data_t launch_data_alloc(launch_data_type_t) __ld_allocator; -launch_data_t launch_data_copy(launch_data_t) __ld_allocator; -launch_data_type_t launch_data_get_type(const launch_data_t) __ld_getter; -void launch_data_free(launch_data_t) __ld_setter; - -/* Generic Dictionaries */ -/* the value should not be changed while iterating */ -bool launch_data_dict_insert(launch_data_t, const launch_data_t, const char *) __ld_setter; -launch_data_t launch_data_dict_lookup(const launch_data_t, const char *) __ld_getter; -bool launch_data_dict_remove(launch_data_t, const char *) __ld_setter; -void launch_data_dict_iterate(const launch_data_t, void (*)(const launch_data_t, const char *, void *), void *) __ld_iterator(1, 2); -size_t launch_data_dict_get_count(const launch_data_t) __ld_getter; - -/* Generic Arrays */ -bool launch_data_array_set_index(launch_data_t, const launch_data_t, size_t) __ld_setter; -launch_data_t launch_data_array_get_index(const launch_data_t, size_t) __ld_getter; -size_t launch_data_array_get_count(const launch_data_t) __ld_getter; - -launch_data_t launch_data_new_fd(int) __ld_allocator; -launch_data_t launch_data_new_machport(mach_port_t) __ld_allocator; -launch_data_t launch_data_new_integer(long long) __ld_allocator; -launch_data_t launch_data_new_bool(bool) __ld_allocator; -launch_data_t launch_data_new_real(double) __ld_allocator; -launch_data_t launch_data_new_string(const char *) __ld_allocator; -launch_data_t launch_data_new_opaque(const void *, size_t) __ld_allocator; - -bool launch_data_set_fd(launch_data_t, int) __ld_setter; -bool launch_data_set_machport(launch_data_t, mach_port_t) __ld_setter; -bool launch_data_set_integer(launch_data_t, long long) __ld_setter; -bool launch_data_set_bool(launch_data_t, bool) __ld_setter; -bool launch_data_set_real(launch_data_t, double) __ld_setter; -bool launch_data_set_string(launch_data_t, const char *) __ld_setter; -bool launch_data_set_opaque(launch_data_t, const void *, size_t) __ld_setter; - -int launch_data_get_fd(const launch_data_t) __ld_getter; -mach_port_t launch_data_get_machport(const launch_data_t) __ld_getter; -long long launch_data_get_integer(const launch_data_t) __ld_getter; -bool launch_data_get_bool(const launch_data_t) __ld_getter; -double launch_data_get_real(const launch_data_t) __ld_getter; -const char * launch_data_get_string(const launch_data_t) __ld_getter; -void * launch_data_get_opaque(const launch_data_t) __ld_getter; -size_t launch_data_get_opaque_size(const launch_data_t) __ld_getter; -int launch_data_get_errno(const launch_data_t) __ld_getter; - - -/* launch_get_fd() - * - * Use this to get the FD if you're doing asynchronous I/O with select(), - * poll() or kevent(). - */ -int launch_get_fd(void) __ld_normal; - -/* launch_msg() - * - * Use this API to send and receive messages. - * Calling launch_msg() with no message to send is a valid way to get - * asynchronously received messages. - * - * If a message was to be sent, it returns NULL and errno on failure. - * - * If no messages were to be sent, it returns NULL and errno is set to zero if - * no more asynchronous messages are available. - */ -launch_data_t launch_msg(const launch_data_t) __ld_normal; - -__END_DECLS - -#pragma GCC visibility pop - -#endif diff --git a/launchd/src/launch_internal.h b/launchd/src/launch_internal.h deleted file mode 100644 index 46c1725..0000000 --- a/launchd/src/launch_internal.h +++ /dev/null @@ -1,69 +0,0 @@ -#ifndef _LAUNCH_INTERNAL_H_ -#define _LAUNCH_INTERNAL_H_ -/* - * Copyright (c) 2007 Apple Computer, Inc. All rights reserved. - * - * @APPLE_APACHE_LICENSE_HEADER_START@ - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - * - * @APPLE_APACHE_LICENSE_HEADER_END@ - */ - -#pragma GCC visibility push(default) - -#define LAUNCHD_DB_PREFIX "/var/db/launchd.db" - -struct _launch_data { - uint64_t type; - union { - struct { - union { - launch_data_t *_array; - char *string; - void *opaque; - int64_t __junk; - }; - union { - uint64_t _array_cnt; - uint64_t string_len; - uint64_t opaque_size; - }; - }; - int64_t fd; - uint64_t mp; - uint64_t err; - int64_t number; - uint64_t boolean; /* We'd use 'bool' but this struct needs to be used under Rosetta, and sizeof(bool) is different between PowerPC and Intel */ - double float_num; - }; -}; - -typedef struct _launch *launch_t; - -launch_t launchd_fdopen(int, int); -int launchd_getfd(launch_t); -void launchd_close(launch_t, __typeof__(close) closefunc); - -launch_data_t launch_data_new_errno(int); -bool launch_data_set_errno(launch_data_t, int); - -int launchd_msg_send(launch_t, launch_data_t); -int launchd_msg_recv(launch_t, void (*)(launch_data_t, void *), void *); - -size_t launch_data_pack(launch_data_t d, void *where, size_t len, int *fd_where, size_t *fdslotsleft); -launch_data_t launch_data_unpack(void *data, size_t data_size, int *fds, size_t fd_cnt, size_t *data_offset, size_t *fdoffset); - -#pragma GCC visibility pop - -#endif diff --git a/launchd/src/launch_priv.h b/launchd/src/launch_priv.h deleted file mode 100644 index ee34c83..0000000 --- a/launchd/src/launch_priv.h +++ /dev/null @@ -1,152 +0,0 @@ -/* - * Copyright (c) 2005 Apple Computer, Inc. All rights reserved. - * - * @APPLE_APACHE_LICENSE_HEADER_START@ - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - * - * @APPLE_APACHE_LICENSE_HEADER_END@ - */ -#ifndef _LAUNCH_PRIV_H_ -#define _LAUNCH_PRIV_H_ - -#include -#include -#include -#include -#include -#include - -#pragma GCC visibility push(default) - -__BEGIN_DECLS - -#define LAUNCH_KEY_SETUSERENVIRONMENT "SetUserEnvironment" -#define LAUNCH_KEY_UNSETUSERENVIRONMENT "UnsetUserEnvironment" -#define LAUNCH_KEY_SHUTDOWN "Shutdown" -#define LAUNCH_KEY_SINGLEUSER "SingleUser" -#define LAUNCH_KEY_GETRESOURCELIMITS "GetResourceLimits" -#define LAUNCH_KEY_SETRESOURCELIMITS "SetResourceLimits" -#define LAUNCH_KEY_GETRUSAGESELF "GetResourceUsageSelf" -#define LAUNCH_KEY_GETRUSAGECHILDREN "GetResourceUsageChildren" -#define LAUNCH_KEY_SETPRIORITYLIST "SetPriorityList" - -#define LAUNCHD_SOCKET_ENV "LAUNCHD_SOCKET" -#define LAUNCHD_SOCK_PREFIX _PATH_VARTMP "launchd" -#define LAUNCHD_TRUSTED_FD_ENV "__LAUNCHD_FD" -#define LAUNCHD_ASYNC_MSG_KEY "_AsyncMessage" -#define LAUNCH_KEY_BATCHCONTROL "BatchControl" -#define LAUNCH_KEY_BATCHQUERY "BatchQuery" -#define LAUNCHD_DO_APPLE_INTERNAL_LOGGING "__DoAppleInternalLogging__" - -#define LAUNCH_JOBKEY_TRANSACTIONCOUNT "TransactionCount" -#define LAUNCH_JOBKEY_QUARANTINEDATA "QuarantineData" -#define LAUNCH_JOBKEY_SANDBOXPROFILE "SandboxProfile" -#define LAUNCH_JOBKEY_SANDBOXFLAGS "SandboxFlags" -#define LAUNCH_JOBKEY_SANDBOX_NAMED "Named" -#define LAUNCH_JOBKEY_JETSAMPROPERTIES "JetsamProperties" -#define LAUNCH_JOBKEY_JETSAMPRIORITY "JetsamPriority" -#define LAUNCH_JOBKEY_JETSAMMEMORYLIMIT "JetsamMemoryLimit" -#define LAUNCH_JOBKEY_SECURITYSESSIONUUID "SecuritySessionUUID" -#define LAUNCH_JOBKEY_DISABLEASLR "DisableASLR" -#define LAUNCH_JOBKEY_XPCDOMAIN "XPCDomain" -#define LAUNCH_JOBKEY_POSIXSPAWNTYPE "POSIXSpawnType" - -#define LAUNCH_KEY_JETSAMLABEL "JetsamLabel" -#define LAUNCH_KEY_JETSAMFRONTMOST "JetsamFrontmost" -#define LAUNCH_KEY_JETSAMPRIORITY LAUNCH_JOBKEY_JETSAMPRIORITY -#define LAUNCH_KEY_JETSAMMEMORYLIMIT LAUNCH_JOBKEY_JETSAMMEMORYLIMIT - -#define LAUNCH_KEY_POSIXSPAWNTYPE_TALAPP "TALApp" -#define LAUNCH_KEY_POSIXSPAWNTYPE_WIDGET "Widget" -#define LAUNCH_KEY_POSIXSPAWNTYPE_IOSAPP "iOSApp" - -#define LAUNCH_JOBKEY_EMBEDDEDPRIVILEGEDISPENSATION "EmbeddedPrivilegeDispensation" -#define LAUNCH_JOBKEY_EMBEDDEDMAINTHREADPRIORITY "EmbeddedMainThreadPriority" - -#define LAUNCH_JOBKEY_ENTERKERNELDEBUGGERBEFOREKILL "EnterKernelDebuggerBeforeKill" -#define LAUNCH_JOBKEY_PERJOBMACHSERVICES "PerJobMachServices" -#define LAUNCH_JOBKEY_SERVICEIPC "ServiceIPC" -#define LAUNCH_JOBKEY_BINARYORDERPREFERENCE "BinaryOrderPreference" -#define LAUNCH_JOBKEY_MACHEXCEPTIONHANDLER "MachExceptionHandler" -#define LAUNCH_JOBKEY_MULTIPLEINSTANCES "MultipleInstances" -#define LAUNCH_JOBKEY_EVENTMONITOR "EventMonitor" -#define LAUNCH_JOBKEY_SHUTDOWNMONITOR "ShutdownMonitor" -#define LAUNCH_JOBKEY_BEGINTRANSACTIONATSHUTDOWN "BeginTransactionAtShutdown" -#define LAUNCH_JOBKEY_XPCDOMAINBOOTSTRAPPER "XPCDomainBootstrapper" - -#define LAUNCH_JOBKEY_MACH_KUNCSERVER "kUNCServer" -#define LAUNCH_JOBKEY_MACH_EXCEPTIONSERVER "ExceptionServer" -#define LAUNCH_JOBKEY_MACH_TASKSPECIALPORT "TaskSpecialPort" -#define LAUNCH_JOBKEY_MACH_HOSTSPECIALPORT "HostSpecialPort" -#define LAUNCH_JOBKEY_MACH_ENTERKERNELDEBUGGERONCLOSE "EnterKernelDebuggerOnClose" - -#define LAUNCH_ENV_INSTANCEID "LaunchInstanceID" - -/* For LoginWindow. - * - * After this call, the task's bootstrap port is set to the per session launchd. - * - * This returns 1 on success (it used to return otherwise), and -1 on failure. - */ -#define LOAD_ONLY_SAFEMODE_LAUNCHAGENTS 1 << 0 -#define LAUNCH_GLOBAL_ON_DEMAND 1 << 1 -pid_t create_and_switch_to_per_session_launchd(const char * /* loginname */, int flags, ...); - -/* Also for LoginWindow. - * - * This is will load jobs at the LoginWindow prompt. - */ -void load_launchd_jobs_at_loginwindow_prompt(int flags, ...); - -/* For CoreProcesses - */ - -#define SPAWN_VIA_LAUNCHD_STOPPED 0x0001 -#define SPAWN_VIA_LAUNCHD_TALAPP 0x0002 -#define SPAWN_VIA_LAUNCHD_WIDGET 0x0004 -#define SPAWN_VIA_LAUNCHD_DISABLE_ASLR 0x0008 - -struct spawn_via_launchd_attr { - uint64_t spawn_flags; - const char * spawn_path; - const char * spawn_chdir; - const char *const * spawn_env; - const mode_t * spawn_umask; - mach_port_t * spawn_observer_port; - const cpu_type_t * spawn_binpref; - size_t spawn_binpref_cnt; - void * spawn_quarantine; - const char * spawn_seatbelt_profile; - const uint64_t * spawn_seatbelt_flags; -}; - -#define spawn_via_launchd(a, b, c) _spawn_via_launchd(a, b, c, 3) -pid_t _spawn_via_launchd( - const char *label, - const char *const *argv, - const struct spawn_via_launchd_attr *spawn_attrs, - int struct_version); - -int launch_wait(mach_port_t port); - -kern_return_t mpm_wait(mach_port_t ajob, int *wstatus); - -kern_return_t mpm_uncork_fork(mach_port_t ajob); - -__END_DECLS - -#pragma GCC visibility pop - - -#endif diff --git a/launchd/src/launchctl.1 b/launchd/src/launchctl.1 deleted file mode 100644 index dcd8e55..0000000 --- a/launchd/src/launchctl.1 +++ /dev/null @@ -1,260 +0,0 @@ -.Dd 1 May, 2009 -.Dt launchctl 1 -.Os Darwin -.Sh NAME -.Nm launchctl -.Nd Interfaces with launchd -.Sh SYNOPSIS -.Nm -.Op Ar subcommand Op Ar arguments ... -.Sh DESCRIPTION -.Nm -interfaces with -.Nm launchd -to load, unload daemons/agents and generally control -.Nm launchd . -.Nm -supports taking subcommands on the command line, interactively or even redirected from standard input. -These commands can be stored in -.Nm $HOME/.launchd.conf -or -.Nm /etc/launchd.conf -to be read at the time -.Nm launchd -starts. -.Sh SUBCOMMANDS -.Bl -tag -width -indent -.It Xo Ar load Op Fl wF -.Op Fl S Ar sessiontype -.Op Fl D Ar domain -.Ar paths ... -.Xc -Load the specified configuration files or directories of configuration files. -Jobs that are not on-demand will be started as soon as possible. -All specified jobs will be loaded before any of them are allowed to start. -Note that per-user configuration files (LaunchAgents) must be owned by the user -loading them. All system-wide daemons (LaunchDaemons) must be owned by root. Configuration files -must not be group- or world-writable. These restrictions are in place for security reasons, -as allowing writability to a launchd configuration file allows one to specify which executable -will be launched. -.Pp -Note that allowing non-root write access to the /System/Library/LaunchDaemons directory WILL render your system unbootable. -.Bl -tag -width -indent -.It Fl w -Overrides the Disabled key and sets it to false. In previous versions, this option -would modify the configuration file. Now the state of the Disabled key is stored -elsewhere on-disk. -.It Fl F -Force the loading of the plist. Ignore the Disabled key. -.It Fl S Ar sessiontype -Some jobs only make sense in certain contexts. This flag instructs -.Nm launchctl -to look for jobs in a different location when using the -D flag, and allows -.Nm launchctl -to restrict which jobs are loaded into which session types. Currently known -session types include: Aqua, LoginWindow, Background, StandardIO and System. -.It Fl D Ar domain -Look for -.Xr plist 5 files ending in *.plist in the domain given. Valid domains include -"system," "local," "network" and "all." When providing a session type, an additional -domain is available for use called "user." For example, without a session type given, -"-D system" would load from property list files from /System/Library/LaunchDaemons. -With a session type passed, it would load from /System/Library/LaunchAgents. -.El -.It Xo Ar unload Op Fl w -.Op Fl S Ar sessiontype -.Op Fl D Ar domain -.Ar paths ... -.Xc -Unload the specified configuration files or directories of configuration files. -This will also stop the job if it is running. -.Bl -tag -width -indent -.It Fl w -Overrides the Disabled key and sets it to true. In previous versions, this option -would modify the configuration file. Now the state of the Disabled key is stored -elsewhere on-disk. -.It Fl S Ar sessiontype -Some jobs only make sense in certain contexts. This flag instructs -.Nm launchctl -to look for jobs in a different location when using the -D flag, and allows -.Nm launchctl -to restrict which jobs are loaded into which session types. Currently known -session types include: Aqua, LoginWindow, Background, StandardIO and System. -.It Fl D Ar domain -Look for -.Xr plist 5 files ending in *.plist in the domain given. Valid domains include -"system," "local," "network" and "all." When providing a session type, an additional -domain is available for use called "user." For example, without a session type given, -"-D system" would load from property list files from /System/Library/LaunchDaemons. -With a session type passed, it would load from /System/Library/LaunchAgents. -.El -.It Xo Ar submit Fl l Ar label -.Op Fl p Ar executable -.Op Fl o Ar path -.Op Fl e Ar path -.Ar -- command -.Op Ar args -.Xc -A simple way of submitting a program to run without a configuration file. This mechanism also tells launchd to keep the program alive in the event of failure. -.Bl -tag -width -indent -.It Fl l Ar label -What unique label to assign this job to launchd. -.It Fl p Ar program -What program to really execute, regardless of what follows the -- in the submit sub-command. -.It Fl o Ar path -Where to send the stdout of the program. -.It Fl e Ar path -Where to send the stderr of the program. -.El -.It Ar remove Ar job_label -Remove the job from launchd by label. -.It Ar start Ar job_label -Start the specified job by label. The expected use of this subcommand is for -debugging and testing so that one can manually kick-start an on-demand server. -.It Ar stop Ar job_label -Stop the specified job by label. If a job is on-demand, launchd may immediately -restart the job if launchd finds any criteria that is satisfied. -Non-demand based jobs will always be restarted. Use of this subcommand is discouraged. -Jobs should ideally idle timeout by themselves. -.It Xo Ar list -.Op Ar -x -.Op Ar label -.Xc -With no arguments, list all of the jobs loaded into -.Nm launchd -in three columns. The first column displays the PID of the job if it is running. -The second column displays the last exit status of the job. If the number in this -column is negative, it represents the negative of the signal which killed the job. -Thus, "-15" would indicate that the job was terminated with SIGTERM. The third column -is the job's label. -.Pp -Note that you may see some jobs in the list whose labels are in the style "0xdeadbeef.anonymous.program". -These are jobs which are not managed by -.Nm launchd , -but, at one point, made a request to it. -.Nm launchd -claims no ownership and makes no guarantees regarding these jobs. They are stored purely for -bookkeeping purposes. -.Pp -Similarly, you may see labels of the style "0xdeadbeef.mach_init.program". These are legacy jobs that run -under mach_init emulation. This mechanism will be removed in future versions, and all remaining mach_init -jobs should be converted over to -.Nm launchd . -.Pp -If -.Op Ar label -is specified, prints information about the requested job. If -.Op Ar -x -is specified, the information for the specified job is output as an XML property list. -.It Ar setenv Ar key Ar value -Set an environmental variable inside of -.Nm launchd . -.It Ar unsetenv Ar key -Unset an environmental variable inside of -.Nm launchd . -.It Ar getenv Ar key -Get an environmental variable inside of -.Nm launchd . -.It Ar export -Export all of the environmental variables of -.Nm launchd -for use in a shell eval statement. -.It Ar getrusage self | children -Get the resource utilization statistics for -.Nm launchd -or the children of -.Nm launchd . -.It Xo Ar log -.Op Ar level loglevel -.Op Ar only | mask loglevels... -.Xc -Get and set the -.Xr syslog 3 -log level mask. The available log levels are: debug, info, notice, warning, error, critical, alert and emergency. -.It Xo Ar limit -.Op Ar cpu | filesize | data | stack | core | rss | memlock | maxproc | maxfiles -.Op Ar both Op Ar soft | hard -.Xc -With no arguments, this command prints all the resource limits of -.Nm launchd -as found via -.Xr getrlimit 2 . -When a given resource is specified, it prints the limits for that resource. -With a third argument, it sets both the hard and soft limits to that value. -With four arguments, the third and forth argument represent the soft and hard limits respectively. -See -.Xr setrlimit 2 . -.It Ar shutdown -Tell -.Nm launchd -to prepare for shutdown by removing all jobs. -.It Ar umask Op Ar newmask -Get or optionally set the -.Xr umask 2 -of -.Nm launchd . -.It Xo Ar bslist -.Op Ar PID | .. -.Op Ar -j -.Xc -This prints out Mach bootstrap services and their respective states. While the -namespace appears flat, it is in fact hierarchical, thus allowing for certain -services to be only available to a subset of processes. The three states a -service can be in are active ("A"), inactive ("I") and on-demand ("D"). -.Pp -If -.Op Ar PID -is specified, print the Mach bootstrap services available to that PID. If -.Op Ar .. -is specified, print the Mach bootstrap services available in the parent of the -current bootstrap. Note that in Mac OS X v10.6, the per-user Mach bootstrap namespace -is flat, so you will only see a different set of services in a per-user bootstrap -if you are in an explicitly-created bootstrap subset. -.Pp -If -.Op Ar -j -is specified, each service name will be followed by the name of the job which registered -it. -.It Ar bsexec Ar PID command Op Ar args -This executes the given command in the same Mach bootstrap namespace hierachy -as the given PID. -.It Ar bstree Op Ar -j -This prints a hierarchical view of the entire Mach bootstrap tree. If -.Op Ar -j -is specified, each service name will be followed by the name of the job which registered it. -Requires root -privileges. -.It Ar managerpid -This prints the PID of the launchd which manages the current bootstrap. -.It Ar manageruid -This prints the UID of the launchd which manages the current bootstrap. -.It Ar managername -This prints the name of the launchd job manager which manages the current bootstrap. -See LimitLoadToSessionType in -.Xr launchd.plist 5 -for more details. -.It Ar help -Print out a quick usage statement. -.El -.Sh ENVIRONMENTAL VARIABLES -.Bl -tag -width -indent -.It Pa LAUNCHD_SOCKET -This variable informs launchctl how to find the correct launchd to talk to. If it is missing, launchctl will use a built-in default. -.El -.Sh FILES -.Bl -tag -width "/System/Library/LaunchDaemons" -compact -.It Pa ~/Library/LaunchAgents -Per-user agents provided by the user. -.It Pa /Library/LaunchAgents -Per-user agents provided by the administrator. -.It Pa /Library/LaunchDaemons -System wide daemons provided by the administrator. -.It Pa /System/Library/LaunchAgents -Mac OS X Per-user agents. -.It Pa /System/Library/LaunchDaemons -Mac OS X System wide daemons. -.El -.Sh SEE ALSO -.Xr launchd.plist 5 , -.Xr launchd.conf 5 , -.Xr launchd 8 diff --git a/launchd/src/launchctl.c b/launchd/src/launchctl.c deleted file mode 100644 index 8510c9f..0000000 --- a/launchd/src/launchctl.c +++ /dev/null @@ -1,4217 +0,0 @@ -/* - * Copyright (c) 2005-2010 Apple Inc. All rights reserved. - * - * @APPLE_APACHE_LICENSE_HEADER_START@ - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - * - * @APPLE_APACHE_LICENSE_HEADER_END@ - */ - -static const char *const __rcs_file_version__ = "$Revision: 25957 $"; - -#include "config.h" -#include "launch.h" -#include "launch_priv.h" -#include "bootstrap.h" -#include "vproc.h" -#include "vproc_priv.h" -#include "vproc_internal.h" -#include "bootstrap_priv.h" -#include "launch_internal.h" - -#include -#include -#include -#include -#include -#include -#include -#include -#include -#include -#include -#include -#include -#include -#ifndef SO_EXECPATH -/* This is just so it's easy for me to compile launchctl without buildit. */ - #define SO_EXECPATH 0x1085 -#endif -#include -#include -#include -#include -#include -#include -#include -#include -#include -#include -#include -#include -#include -#include -#include -#include -#include -#include -#include -#include -#include -#include -#include -#include -#include -#include -#include -#include -#include -#include -#include -#include -#include -#include - -#if HAVE_LIBAUDITD -#include -#ifndef AUDITD_PLIST_FILE -#define AUDITD_PLIST_FILE "/System/Library/LaunchDaemons/com.apple.auditd.plist" -#endif -#endif - -extern char **environ; - - -#define LAUNCH_SECDIR _PATH_TMP "launch-XXXXXX" -#define LAUNCH_ENV_KEEPCONTEXT "LaunchKeepContext" - -#define MACHINIT_JOBKEY_ONDEMAND "OnDemand" -#define MACHINIT_JOBKEY_SERVICENAME "ServiceName" -#define MACHINIT_JOBKEY_COMMAND "Command" -#define MACHINIT_JOBKEY_SERVERPORT "ServerPort" -#define MACHINIT_JOBKEY_SERVICEPORT "ServicePort" - -#define assumes(e) \ - (__builtin_expect(!(e), 0) ? _log_launchctl_bug(__rcs_file_version__, __FILE__, __LINE__, #e), false : true) - -#define CFTypeCheck(cf, type) (CFGetTypeID(cf) == type ## GetTypeID()) - -struct load_unload_state { - launch_data_t pass1; - launch_data_t pass2; - char *session_type; - bool editondisk:1, load:1, forceload:1; -}; - -static void myCFDictionaryApplyFunction(const void *key, const void *value, void *context); -static void job_override(CFTypeRef key, CFTypeRef val, CFMutableDictionaryRef job); -static CFTypeRef CFTypeCreateFromLaunchData(launch_data_t obj); -static CFArrayRef CFArrayCreateFromLaunchArray(launch_data_t arr); -static CFDictionaryRef CFDictionaryCreateFromLaunchDictionary(launch_data_t dict); -static bool launch_data_array_append(launch_data_t a, launch_data_t o); -static void distill_jobs(launch_data_t); -static void distill_config_file(launch_data_t); -static void sock_dict_cb(launch_data_t what, const char *key, void *context); -static void sock_dict_edit_entry(launch_data_t tmp, const char *key, launch_data_t fdarray, launch_data_t thejob); -static launch_data_t CF2launch_data(CFTypeRef); -static launch_data_t read_plist_file(const char *file, bool editondisk, bool load); -static CFPropertyListRef CreateMyPropertyListFromFile(const char *); -static CFPropertyListRef CFPropertyListCreateFromFile(CFURLRef plistURL); -static void WriteMyPropertyListToFile(CFPropertyListRef, const char *); -static bool path_goodness_check(const char *path, bool forceload); -static void readpath(const char *, struct load_unload_state *); -static void readfile(const char *, struct load_unload_state *); -static int _fd(int); -static int demux_cmd(int argc, char *const argv[]); -static launch_data_t do_rendezvous_magic(const struct addrinfo *res, const char *serv); -static void submit_job_pass(launch_data_t jobs); -static void do_mgroup_join(int fd, int family, int socktype, int protocol, const char *mgroup); -static mach_port_t str2bsport(const char *s); -static void print_jobs(launch_data_t j, const char *key, void *context); -static void print_obj(launch_data_t obj, const char *key, void *context); -static bool delay_to_second_pass(launch_data_t o); -static void delay_to_second_pass2(launch_data_t o, const char *key, void *context); -static bool str2lim(const char *buf, rlim_t *res); -static const char *lim2str(rlim_t val, char *buf); -static const char *num2name(int n); -static ssize_t name2num(const char *n); -static void unloadjob(launch_data_t job); -static void print_key_value(launch_data_t obj, const char *key, void *context); -static void print_launchd_env(launch_data_t obj, const char *key, void *context); -static void _log_launchctl_bug(const char *rcs_rev, const char *path, unsigned int line, const char *test); -static void loopback_setup_ipv4(void); -static void loopback_setup_ipv6(void); -static pid_t fwexec(const char *const *argv, int *wstatus); -static void do_potential_fsck(void); -static bool path_check(const char *path); -static bool is_safeboot(void); -static bool is_netboot(void); -static void apply_sysctls_from_file(const char *thefile); -static void empty_dir(const char *thedir, struct stat *psb); -static int touch_file(const char *path, mode_t m); -static void do_sysversion_sysctl(void); -static void do_application_firewall_magic(int sfd, launch_data_t thejob); -static void preheat_page_cache_hack(void); -static void do_bootroot_magic(void); -static void do_single_user_mode(bool); -static bool do_single_user_mode2(void); -static void do_crash_debug_mode(void); -static bool do_crash_debug_mode2(void); -static void read_launchd_conf(void); -static void read_environment_dot_plist(void); -static bool job_disabled_logic(launch_data_t obj); -static void fix_bogus_file_metadata(void); -static void do_file_init(void) __attribute__((constructor)); -static void setup_system_context(void); -static void handle_system_bootstrapper_crashes_separately(void); -static void fatal_signal_handler(int sig, siginfo_t *si, void *uap); - -typedef enum { - BOOTCACHE_START = 1, - BOOTCACHE_TAG, - BOOTCACHE_STOP, -} BootCache_action_t; - -static void do_BootCache_magic(BootCache_action_t what); - -static int bootstrap_cmd(int argc, char *const argv[]); -static int load_and_unload_cmd(int argc, char *const argv[]); -//static int reload_cmd(int argc, char *const argv[]); -static int start_stop_remove_cmd(int argc, char *const argv[]); -static int submit_cmd(int argc, char *const argv[]); -static int list_cmd(int argc, char *const argv[]); - -static int setenv_cmd(int argc, char *const argv[]); -static int unsetenv_cmd(int argc, char *const argv[]); -static int getenv_and_export_cmd(int argc, char *const argv[]); -static int wait4debugger_cmd(int argc, char *const argv[]); - -static int limit_cmd(int argc, char *const argv[]); -static int stdio_cmd(int argc, char *const argv[]); -static int fyi_cmd(int argc, char *const argv[]); -static int logupdate_cmd(int argc, char *const argv[]); -static int umask_cmd(int argc, char *const argv[]); -static int getrusage_cmd(int argc, char *const argv[]); -static int bsexec_cmd(int argc, char *const argv[]); -static int _bslist_cmd(mach_port_t bport, unsigned int depth, bool show_job, bool local_only); -static int bslist_cmd(int argc, char *const argv[]); -static int _bstree_cmd(mach_port_t bsport, unsigned int depth, bool show_jobs); -static int bstree_cmd(int argc __attribute__((unused)), char * const argv[] __attribute__((unused))); -static int managerpid_cmd(int argc __attribute__((unused)), char * const argv[] __attribute__((unused))); -static int manageruid_cmd(int argc __attribute__((unused)), char * const argv[] __attribute__((unused))); -static int managername_cmd(int argc __attribute__((unused)), char * const argv[] __attribute__((unused))); -static int asuser_cmd(int argc, char * const argv[]); -static int exit_cmd(int argc, char *const argv[]) __attribute__((noreturn)); -static int help_cmd(int argc, char *const argv[]); - -static const struct { - const char *name; - int (*func)(int argc, char *const argv[]); - const char *desc; -} cmds[] = { - { "load", load_and_unload_cmd, "Load configuration files and/or directories" }, - { "unload", load_and_unload_cmd, "Unload configuration files and/or directories" }, -// { "reload", reload_cmd, "Reload configuration files and/or directories" }, - { "start", start_stop_remove_cmd, "Start specified job" }, - { "stop", start_stop_remove_cmd, "Stop specified job" }, - { "submit", submit_cmd, "Submit a job from the command line" }, - { "remove", start_stop_remove_cmd, "Remove specified job" }, - { "bootstrap", bootstrap_cmd, "Bootstrap launchd" }, - { "list", list_cmd, "List jobs and information about jobs" }, - { "setenv", setenv_cmd, "Set an environmental variable in launchd" }, - { "unsetenv", unsetenv_cmd, "Unset an environmental variable in launchd" }, - { "getenv", getenv_and_export_cmd, "Get an environmental variable from launchd" }, - { "export", getenv_and_export_cmd, "Export shell settings from launchd" }, - { "debug", wait4debugger_cmd, "Set the WaitForDebugger flag for the target job to true." }, - { "limit", limit_cmd, "View and adjust launchd resource limits" }, - { "stdout", stdio_cmd, "Redirect launchd's standard out to the given path" }, - { "stderr", stdio_cmd, "Redirect launchd's standard error to the given path" }, - { "shutdown", fyi_cmd, "Prepare for system shutdown" }, - { "singleuser", fyi_cmd, "Switch to single-user mode" }, - { "getrusage", getrusage_cmd, "Get resource usage statistics from launchd" }, - { "log", logupdate_cmd, "Adjust the logging level or mask of launchd" }, - { "umask", umask_cmd, "Change launchd's umask" }, - { "bsexec", bsexec_cmd, "Execute a process within a different Mach bootstrap subset" }, - { "bslist", bslist_cmd, "List Mach bootstrap services and optional servers" }, - { "bstree", bstree_cmd, "Show the entire Mach bootstrap tree. Requires root privileges." }, - { "managerpid", managerpid_cmd, "Print the PID of the launchd managing this Mach bootstrap." }, - { "manageruid", manageruid_cmd, "Print the UID of the launchd managing this Mach bootstrap." }, - { "managername", managername_cmd, "Print the name of this Mach bootstrap." }, - { "asuser", asuser_cmd, "Execute a subcommand in the given user's context." }, - { "exit", exit_cmd, "Exit the interactive invocation of launchctl" }, - { "quit", exit_cmd, "Quit the interactive invocation of launchctl" }, - { "help", help_cmd, "This help output" }, -}; - -static bool istty; -static bool verbose; -static bool is_managed; -static bool do_apple_internal_magic; -static bool system_context; -static bool rootuser_context; -static bool bootstrapping_system; -static bool bootstrapping_peruser; -static bool g_verbose_boot = false; -static bool g_startup_debugging = false; - -static bool g_job_overrides_db_has_changed = false; -static CFMutableDictionaryRef g_job_overrides_db = NULL; -static char g_job_overrides_db_path[PATH_MAX]; - -#if 0 -static bool g_job_cache_db_has_changed = false; -static launch_data_t g_job_cache_db = NULL; -static char g_job_cache_db_path[PATH_MAX]; -#endif - -int -main(int argc, char *const argv[]) -{ - int64_t is_managed_val = 0; - char *l; - - if (vproc_swap_integer(NULL, VPROC_GSK_IS_MANAGED, NULL, &is_managed_val) == NULL && is_managed_val) { - is_managed = true; - } - - istty = isatty(STDIN_FILENO); - argc--, argv++; - - if (argc > 0 && argv[0][0] == '-') { - char *flago; - - for (flago = argv[0] + 1; *flago; flago++) { - switch (*flago) { - case 'v': - verbose = true; - break; - case 'u': - if (argc > 1) { - if (strncmp(argv[1], "root", sizeof("root")) == 0) { - rootuser_context = true; - } else { - fprintf(stderr, "Unknown user: %s\n", argv[1]); - exit(EXIT_FAILURE); - } - argc--, argv++; - } else { - fprintf(stderr, "-u option requires an argument.\n"); - } - break; - case '1': - system_context = true; - break; - default: - fprintf(stderr, "Unknown argument: '-%c'\n", *flago); - break; - } - } - argc--, argv++; - } - - /* Running in the context of the root user's per-user launchd is only supported ... well - * in the root user's per-user context. I know it's confusing. I'm genuinely sorry. - */ - if (rootuser_context) { - int64_t manager_uid = -1, manager_pid = -1; - if (vproc_swap_integer(NULL, VPROC_GSK_MGR_UID, NULL, &manager_uid) == NULL) { - if (vproc_swap_integer(NULL, VPROC_GSK_MGR_PID, NULL, &manager_pid) == NULL) { - if (manager_uid || manager_pid == 1) { - fprintf(stderr, "Running in the root user's per-user context is not supported outside of the root user's bootstrap.\n"); - exit(EXIT_FAILURE); - } - } - } - } else if (!(system_context || rootuser_context)) { - /* Running in the system context is implied when we're running as root and not running as a bootstrapper. */ - system_context = (!is_managed && getuid() == 0); - } - - if (system_context) { - if (getuid() == 0) { - setup_system_context(); - } else { - fprintf(stderr, "You must be root to run in the system context.\n"); - exit(EXIT_FAILURE); - } - } else if (rootuser_context) { - if (getuid() != 0) { - fprintf(stderr, "You must be root to run in the root user context.\n"); - exit(EXIT_FAILURE); - } - } - - if (NULL == readline) { - fprintf(stderr, "missing library: readline\n"); - exit(EXIT_FAILURE); - } - - if (argc == 0) { - while ((l = readline(istty ? "launchd% " : NULL))) { - char *inputstring = l, *argv2[100], **ap = argv2; - int i = 0; - - while ((*ap = strsep(&inputstring, " \t"))) { - if (**ap != '\0') { - ap++; - i++; - } - } - - if (i > 0) { - demux_cmd(i, argv2); - } - - free(l); - } - - if (istty) { - fputc('\n', stdout); - } - } - - if (argc > 0) { - exit(demux_cmd(argc, argv)); - } - - exit(EXIT_SUCCESS); -} - -int -demux_cmd(int argc, char *const argv[]) -{ - size_t i; - - optind = 1; - optreset = 1; - - for (i = 0; i < (sizeof cmds / sizeof cmds[0]); i++) { - if (!strcmp(cmds[i].name, argv[0])) { - return cmds[i].func(argc, argv); - } - } - - fprintf(stderr, "%s: unknown subcommand \"%s\"\n", getprogname(), argv[0]); - return 1; -} - -void -read_launchd_conf(void) -{ - char s[1000], *c, *av[100]; - const char *file; - size_t len; - int i; - FILE *f; - - if (getppid() == 1) { - file = "/etc/launchd.conf"; - } else { - file = "/etc/launchd-user.conf"; - } - - if (!(f = fopen(file, "r"))) { - return; - } - - while ((c = fgets(s, (int) sizeof s, f))) { - len = strlen(c); - if (len && c[len - 1] == '\n') { - c[len - 1] = '\0'; - } - - i = 0; - - while ((av[i] = strsep(&c, " \t"))) { - if (*(av[i]) != '\0') { - i++; - } - } - - if (i > 0) { - demux_cmd(i, av); - } - } - - fclose(f); -} - -CFPropertyListRef CFPropertyListCreateFromFile(CFURLRef plistURL) -{ - CFReadStreamRef plistReadStream = CFReadStreamCreateWithFile(NULL, plistURL); - - CFErrorRef streamErr = NULL; - if (!CFReadStreamOpen(plistReadStream)) { - streamErr = CFReadStreamCopyError(plistReadStream); - CFStringRef errString = CFErrorCopyDescription(streamErr); - - CFShow(errString); - - CFRelease(errString); - CFRelease(streamErr); - } - - CFPropertyListRef plist = NULL; - if (plistReadStream) { - CFStringRef errString = NULL; - CFPropertyListFormat plistFormat = 0; - plist = CFPropertyListCreateFromStream(NULL, plistReadStream, 0, kCFPropertyListImmutable, &plistFormat, &errString); - if (!plist) { - CFShow(errString); - CFRelease(errString); - } - } - - CFReadStreamClose(plistReadStream); - CFRelease(plistReadStream); - - return plist; -} - -static void -sanitize_environment_dot_plist(const launch_data_t val, const char *key, void *ctx) -{ - launch_data_t copy = (launch_data_t)ctx; - if (strncmp("DYLD_", key, sizeof("DYLD_") - 1) != 0) { - launch_data_t copyi = launch_data_copy(val); - launch_data_dict_insert(copy, copyi, key); - } -} - -#define CFReleaseIfNotNULL(cf) if (cf) CFRelease(cf); -void -read_environment_dot_plist(void) -{ - CFStringRef plistPath = NULL; - CFURLRef plistURL = NULL; - CFDictionaryRef envPlist = NULL; - launch_data_t req = NULL, launch_env_dict = NULL, resp = NULL; - - char plist_path_str[PATH_MAX]; - plist_path_str[PATH_MAX - 1] = 0; - snprintf(plist_path_str, sizeof(plist_path_str), "%s/.MacOSX/environment.plist", getenv("HOME")); - - struct stat sb; - if (stat(plist_path_str, &sb) == -1) { - goto out; - } - - plistPath = CFStringCreateWithFormat(NULL, NULL, CFSTR("%s"), plist_path_str); - if (!assumes(plistPath != NULL)) { - goto out; - } - - plistURL = CFURLCreateWithFileSystemPath(NULL, plistPath, kCFURLPOSIXPathStyle, false); - if (!assumes(plistURL != NULL)) { - goto out; - } - - envPlist = (CFDictionaryRef)CFPropertyListCreateFromFile(plistURL); - if (!assumes(envPlist != NULL)) { - goto out; - } - - launch_env_dict = CF2launch_data(envPlist); - if (!assumes(launch_env_dict != NULL)) { - goto out; - } - - launch_data_t sanitized = launch_data_alloc(LAUNCH_DATA_DICTIONARY); - if (!assumes(sanitized != NULL)) { - goto out; - } - - launch_data_dict_iterate(launch_env_dict, sanitize_environment_dot_plist, sanitized); - launch_data_free(launch_env_dict); - - req = launch_data_alloc(LAUNCH_DATA_DICTIONARY); - if (!assumes(req != NULL)) { - goto out; - } - - launch_data_dict_insert(req, sanitized, LAUNCH_KEY_SETUSERENVIRONMENT); - - resp = launch_msg(req); - if (!assumes(resp != NULL)) { - goto out; - } - - if (!assumes(launch_data_get_type(resp) == LAUNCH_DATA_ERRNO)) { - goto out; - } - - (void)assumes(launch_data_get_errno(resp) == 0); -out: - CFReleaseIfNotNULL(plistPath); - CFReleaseIfNotNULL(plistURL); - CFReleaseIfNotNULL(envPlist); - if (req) { - launch_data_free(req); - } - - if (resp) { - launch_data_free(resp); - } -} - -int -unsetenv_cmd(int argc, char *const argv[]) -{ - launch_data_t resp, tmp, msg; - - if (argc != 2) { - fprintf(stderr, "%s usage: unsetenv \n", getprogname()); - return 1; - } - - msg = launch_data_alloc(LAUNCH_DATA_DICTIONARY); - - tmp = launch_data_new_string(argv[1]); - launch_data_dict_insert(msg, tmp, LAUNCH_KEY_UNSETUSERENVIRONMENT); - - resp = launch_msg(msg); - - launch_data_free(msg); - - if (resp) { - launch_data_free(resp); - } else { - fprintf(stderr, "launch_msg(\"%s\"): %s\n", LAUNCH_KEY_UNSETUSERENVIRONMENT, strerror(errno)); - } - - return 0; -} - -int -setenv_cmd(int argc, char *const argv[]) -{ - launch_data_t resp, tmp, tmpv, msg; - - if (argc != 3) { - fprintf(stderr, "%s usage: setenv \n", getprogname()); - return 1; - } - - msg = launch_data_alloc(LAUNCH_DATA_DICTIONARY); - tmp = launch_data_alloc(LAUNCH_DATA_DICTIONARY); - - tmpv = launch_data_new_string(argv[2]); - launch_data_dict_insert(tmp, tmpv, argv[1]); - launch_data_dict_insert(msg, tmp, LAUNCH_KEY_SETUSERENVIRONMENT); - - resp = launch_msg(msg); - launch_data_free(msg); - - if (resp) { - launch_data_free(resp); - } else { - fprintf(stderr, "launch_msg(\"%s\"): %s\n", LAUNCH_KEY_SETUSERENVIRONMENT, strerror(errno)); - } - - return 0; -} - -void -print_launchd_env(launch_data_t obj, const char *key, void *context) -{ - bool *is_csh = context; - - /* XXX escape the double quotes */ - if (*is_csh) { - fprintf(stdout, "setenv %s \"%s\";\n", key, launch_data_get_string(obj)); - } else { - fprintf(stdout, "%s=\"%s\"; export %s;\n", key, launch_data_get_string(obj), key); - } -} - -void -print_key_value(launch_data_t obj, const char *key, void *context) -{ - const char *k = context; - - if (!strcmp(key, k)) { - fprintf(stdout, "%s\n", launch_data_get_string(obj)); - } -} - -int -getenv_and_export_cmd(int argc, char *const argv[]) -{ - launch_data_t resp; - bool is_csh = false; - char *k; - - if (!strcmp(argv[0], "export")) { - char *s = getenv("SHELL"); - if (s) { - is_csh = strstr(s, "csh") ? true : false; - } - } else if (argc != 2) { - fprintf(stderr, "%s usage: getenv \n", getprogname()); - return 1; - } - - k = argv[1]; - - if (vproc_swap_complex(NULL, VPROC_GSK_ENVIRONMENT, NULL, &resp) == NULL) { - if (!strcmp(argv[0], "export")) { - launch_data_dict_iterate(resp, print_launchd_env, &is_csh); - } else { - launch_data_dict_iterate(resp, print_key_value, k); - } - launch_data_free(resp); - return 0; - } else { - return 1; - } - - return 0; -} - -int -wait4debugger_cmd(int argc, char * const argv[]) -{ - if (argc != 3) { - fprintf(stderr, "%s usage: debug