+/*
+ * Copyright (c) 1999 Apple Computer, Inc. All rights reserved.
+ *
+ * @APPLE_LICENSE_HEADER_START@
+ *
+ * Portions Copyright (c) 1999 Apple Computer, Inc. All Rights
+ * Reserved. This file contains Original Code and/or Modifications of
+ * Original Code as defined in and that are subject to the Apple Public
+ * Source License Version 1.1 (the "License"). You may not use this file
+ * except in compliance with the License. Please obtain a copy of the
+ * License at http://www.apple.com/publicsource and read it before using
+ * this file.
+ *
+ * The Original Code and all software distributed under the License are
+ * distributed on an "AS IS" basis, WITHOUT WARRANTY OF ANY KIND, EITHER
+ * EXPRESS OR IMPLIED, AND APPLE HEREBY DISCLAIMS ALL SUCH WARRANTIES,
+ * INCLUDING WITHOUT LIMITATION, ANY WARRANTIES OF MERCHANTABILITY,
+ * FITNESS FOR A PARTICULAR PURPOSE OR NON- INFRINGEMENT. Please see the
+ * License for the specific language governing rights and limitations
+ * under the License.
+ *
+ * @APPLE_LICENSE_HEADER_END@
+ */
+
+/*
+ * Utilities for registering and looking up selectors. The sole
+ * purpose of the selector tables is a registry whereby there is
+ * exactly one address (selector) associated with a given string
+ * (method name).
+ */
+
+#include <objc/objc.h>
+#include <CoreFoundation/CFSet.h>
+#import "objc-private.h"
+
+#define NUM_BUILTIN_SELS 13528
+/* base-2 log of greatest power of 2 < NUM_BUILTIN_SELS */
+#define LG_NUM_BUILTIN_SELS 13
+extern const char * const _objc_builtin_selectors[NUM_BUILTIN_SELS];
+
+static const char *_objc_empty_selector = "";
+
+static SEL _objc_search_builtins(const char *key) {
+ int c, idx, lg = LG_NUM_BUILTIN_SELS;
+ const char *s;
+
+#if defined(DUMP_SELECTORS)
+ if (NULL != key) printf("\t\"%s\",\n", key);
+#endif
+ /* The builtin table contains only sels starting with '[A-z]' */
+ if (!key) return (SEL)0;
+ if ('\0' == *key) return (SEL)_objc_empty_selector;
+ if (*key < 'A' || 'z' < *key) return (SEL)0;
+ s = _objc_builtin_selectors[-1 + (1 << lg)];
+ c = _objc_strcmp(s, key);
+ if (c == 0) return (SEL)s;
+ idx = (c < 0) ? NUM_BUILTIN_SELS - (1 << lg) : -1;
+ while (--lg >= 0) {
+ s = _objc_builtin_selectors[idx + (1 << lg)];
+ c = _objc_strcmp(s, key);
+ if (c == 0) return (SEL)s;
+ if (c < 0) idx += (1 << lg);
+ }
+ return (SEL)0;
+}
+
+static OBJC_DECLARE_LOCK(_objc_selector_lock);
+static CFMutableSetRef _objc_selectors = NULL;
+
+static Boolean _objc_equal_selector(const void *v1, const void *v2) {
+ if (v1 == v2) return TRUE;
+ if ((!v1 && v2) || (v1 && !v2)) return FALSE;
+ return ((*(char *)v1 == *(char *)v2) && (0 == _objc_strcmp(v1, v2))) ? TRUE : FALSE;
+}
+
+static CFHashCode _objc_hash_selector(const void *v) {
+ if (!v) return 0;
+ return (CFHashCode)_objc_strhash(v);
+}
+
+const char *sel_getName(SEL sel) {
+ return sel ? (const char *)sel : "<null selector>";
+}
+
+
+BOOL sel_isMapped(SEL name) {
+ SEL result;
+ const void *value;
+
+ if (NULL == name) return NO;
+ result = _objc_search_builtins((const char *)name);
+ if ((SEL)0 != result) return YES;
+ OBJC_LOCK(&_objc_selector_lock);
+ if (_objc_selectors && CFSetGetValueIfPresent(_objc_selectors, name, &value)) {
+ result = (SEL)value;
+ }
+ OBJC_UNLOCK(&_objc_selector_lock);
+ return ((SEL)0 != (SEL)result) ? YES : NO;
+}
+
+static SEL __sel_registerName(const char *name, int copy) {
+ SEL result = 0;
+ const void *value;
+ if (NULL == name) return (SEL)0;
+ result = _objc_search_builtins(name);
+ if ((SEL)0 != result) return result;
+ OBJC_LOCK(&_objc_selector_lock);
+ if (!_objc_selectors || !CFSetGetValueIfPresent(_objc_selectors, name, &value)) {
+ if (!_objc_selectors) {
+ CFSetCallBacks cb = {0, NULL, NULL, NULL,
+ _objc_equal_selector, _objc_hash_selector};
+ _objc_selectors = CFSetCreateMutable(kCFAllocatorDefault, 0, &cb);
+ CFSetAddValue(_objc_selectors, (void *)NULL);
+ }
+ //if (copy > 1) printf("registering %s for sel_getUid\n",name);
+ value = copy ? strcpy(malloc(strlen(name) + 1), name) : name;
+ CFSetAddValue(_objc_selectors, (void *)value);
+#if defined(DUMP_UNKNOWN_SELECTORS)
+ printf("\t\"%s\",\n", value);
+#endif
+ }
+ result = (SEL)value;
+ OBJC_UNLOCK(&_objc_selector_lock);
+ return result;
+}
+
+SEL sel_registerName(const char *name) {
+ return __sel_registerName(name, 1);
+}
+
+SEL sel_registerNameNoCopy(const char *name) {
+ return __sel_registerName(name, 0);
+}
+
+// 2001/1/24
+// the majority of uses of this function (which used to return NULL if not found)
+// did not check for NULL, so, in fact, never return NULL
+//
+SEL sel_getUid(const char *name) {
+ return __sel_registerName(name, 2);
+}
+
+/* Last update: cjk - 16 October 2000
+ * To construct this list, I enabled the code in the search function which
+ * is marked DUMP_SELECTORS, and launched a few apps with stdout redirected
+ * to files in /tmp, and ran the files through this script:
+ * cat file1 file2 file3 | sort -u > result
+ *
+ * Then I hand-edited the result file to clean it up. To do updates, I've
+ * just dumped the selectors that end up in the side CFSet (see the macro
+ * DUMP_UNKNOWN_SELECTORS).
+ *
+ * This left me with 13528 selectors, which was nicely close to but under
+ * 2^14 for the binary search.
+ */
+static const char * const _objc_builtin_selectors[NUM_BUILTIN_SELS] = {
+ "AMPMDesignation",
+ "ASCIIByteSet",
+ "ASCIICharacterSet",
+ "BMPRepresentation",
+ "DIBRepresentation",
+ "DLLPaths",
+ "DPSContext",
+ "EPSOperationWithView:insideRect:toData:",
+ "EPSOperationWithView:insideRect:toData:printInfo:",
+ "EPSOperationWithView:insideRect:toPath:printInfo:",
+ "EPSRepresentation",
+ "IBYellowColor",
+ "IBeamCursor",
+ "IMAPMessage",
+ "IMAPStore",
+ "Message",
+ "MessageFlags",
+ "MessageStore",
+ "NSArray",
+ "NSDate",
+ "NSMutableArray",
+ "NSObject",
+ "NSString",
+ "OSIconTypesList",
+ "OSInitialBuildToolList",
+ "OSList",
+ "OSPrefixesList",
+ "PDFOperationWithView:insideRect:toData:",
+ "PDFOperationWithView:insideRect:toData:printInfo:",
+ "PDFOperationWithView:insideRect:toPath:printInfo:",
+ "PDFRepresentation",
+ "PICTRepresentation",
+ "QTMovie",
+ "RTF",
+ "RTFD",
+ "RTFDFileWrapper",
+ "RTFDFileWrapperFromRange:documentAttributes:",
+ "RTFDFromRange:",
+ "RTFDFromRange:documentAttributes:",
+ "RTFFromRange:",
+ "RTFFromRange:documentAttributes:",
+ "TIFFRepresentation",
+ "TIFFRepresentationOfImageRepsInArray:",
+ "TIFFRepresentationOfImageRepsInArray:usingCompression:factor:",
+ "TIFFRepresentationUsingCompression:factor:",
+ "TOCMessageFromMessage:",
+ "URL",
+ "URL:resourceDataDidBecomeAvailable:",
+ "URL:resourceDidFailLoadingWithReason:",
+ "URLFromPasteboard:",
+ "URLHandle:resourceDataDidBecomeAvailable:",
+ "URLHandle:resourceDidFailLoadingWithReason:",
+ "URLHandleClassForURL:",
+ "URLHandleResourceDidBeginLoading:",
+ "URLHandleResourceDidCancelLoading:",
+ "URLHandleResourceDidFinishLoading:",
+ "URLHandleResourceLoadCancelled:",
+ "URLHandleUsingCache:",
+ "URLRelativeToBaseURL:",
+ "URLResourceDidCancelLoading:",
+ "URLResourceDidFinishLoading:",
+ "URLWithString:",
+ "URLWithString:relativeToURL:",
+ "URLs",
+ "URLsFromRunningOpenPanel",
+ "UTF8String",
+ "_AEDesc",
+ "_BMPRepresentation:",
+ "_CFResourceSpecifier",
+ "_CGSadjustWindows",
+ "_CGSinsertWindow:withPriority:",
+ "_CGSremoveWindow:",
+ "_DIBRepresentation",
+ "_RTFDFileWrapper",
+ "_RTFWithSelector:range:documentAttributes:",
+ "_TOCMessageForMessage:",
+ "_URL",
+ "__matrix",
+ "__numberWithString:type:",
+ "__swatchColors",
+ "_abbreviationForAbsoluteTime:",
+ "_abortLength:offset:",
+ "_aboutToDisptachEvent",
+ "_absoluteAdvancementForGlyph:",
+ "_absoluteBoundingRectForGlyph:",
+ "_absoluteURLPath",
+ "_acceptCurrentCompletion",
+ "_acceptableRowAboveKeyInVisibleRect:",
+ "_acceptableRowAboveRow:minRow:",
+ "_acceptableRowAboveRow:tryBelowPoint:",
+ "_acceptableRowBelowKeyInVisibleRect:",
+ "_acceptableRowBelowRow:maxRow:",
+ "_acceptableRowBelowRow:tryAbovePoint:",
+ "_acceptsMarkedText",
+ "_accountBeingViewed",
+ "_accountContainingEmailAddress:matchingAddress:fullUserName:",
+ "_accountWithPath:",
+ "_acquireLockFile:",
+ "_actOnKeyDown:",
+ "_actionCellInitWithCoder:",
+ "_activate",
+ "_activateHelpModeBasedOnEvent:",
+ "_activateServer",
+ "_activateWindows",
+ "_addAttachedList:withName:",
+ "_addBindingsToDictionary:",
+ "_addCell:atIndex:",
+ "_addColor:",
+ "_addCornerDirtyRectForRect:list:count:",
+ "_addCpuType:andSubType:andSize:",
+ "_addCurrentDirectoryToRecents",
+ "_addCursorRect:cursor:forView:",
+ "_addDragTypesTo:",
+ "_addDrawerWithView:",
+ "_addEntryNamed:",
+ "_addFeature:toBoxes:andButtons:",
+ "_addFrameworkDependenciesToArray:",
+ "_addHeartBeatClientView:",
+ "_addImage:named:",
+ "_addInstance:",
+ "_addInternalRedToTextAttributesOfNegativeValues",
+ "_addItem:toTable:",
+ "_addItemWithName:owner:",
+ "_addItemsToSpaButtonFromArray:enabled:",
+ "_addListItemsToArray:",
+ "_addMessageDatasToBeAppendedLater:",
+ "_addMessageToMap:",
+ "_addMessagesToIndex:",
+ "_addMultipleToTypingAttributes:",
+ "_addNewFonts:",
+ "_addObject:forKey:",
+ "_addObject:withName:",
+ "_addObjectToList:",
+ "_addObserver:notificationNamesAndSelectorNames:object:onlyIfSelectorIsImplemented:",
+ "_addOneRepFrom:toRep:",
+ "_addPath:forVariant:dir:table:",
+ "_addPathSegment:point:",
+ "_addPathsListsToList:keep:table:doingExtras:",
+ "_addPrintFiltersToPopUpButton:",
+ "_addRecipientsForKey:toArray:",
+ "_addRepsFrom:toRep:",
+ "_addScriptsFromLibrarySubFolders:toMenu:",
+ "_addSpellingAttributeForRange:",
+ "_addSubview:",
+ "_addThousandSeparators:withBuffer:",
+ "_addThousandSeparatorsToFormat:withBuffer:",
+ "_addToFavorites:",
+ "_addToFontCollection:",
+ "_addToFontFavorites:",
+ "_addToGroups:",
+ "_addToTypingAttributes:value:",
+ "_addWindow:",
+ "_addedTab:atIndex:",
+ "_addressBookChanged:",
+ "_addressBookConfigurationChanged:",
+ "_adjustCharacterIndicesForRawGlyphRange:byDelta:",
+ "_adjustControls:andSetColor:",
+ "_adjustDynamicDepthLimit",
+ "_adjustFocusRingSize:",
+ "_adjustFontSize",
+ "_adjustForGrowBox",
+ "_adjustLength",
+ "_adjustMovieToView",
+ "_adjustPathForRoot:",
+ "_adjustPort",
+ "_adjustSelectionForItemEntry:numberOfRows:",
+ "_adjustToMode",
+ "_adjustWidth:ofEditor:",
+ "_adjustWidthBy:",
+ "_adjustWindowToScreen",
+ "_aggregateArrayOfEvents:withSignatureTag:",
+ "_aggregatedEvents:withSignatureTag:class:",
+ "_alignCoords",
+ "_alignedTitleRectWithRect:",
+ "_allFrameworkDependencies",
+ "_allSubclassDescriptionsForClassDescrition:",
+ "_allocAndInitPrivateIvars",
+ "_allocAuxiliary:",
+ "_allocProjectNameForProjNum:",
+ "_allocString:",
+ "_allowsContextMenus",
+ "_allowsTearOffs",
+ "_altContents",
+ "_alternateDown::::",
+ "_analyze",
+ "_animateSheet",
+ "_animationIdler:",
+ "_animationThread",
+ "_announce",
+ "_anticipateRelease",
+ "_appHasOpenNSWindow",
+ "_appIcon",
+ "_appWillFinishLaunching:",
+ "_appendAddedHeaderKey:value:toData:",
+ "_appendArcSegmentWithCenter:radius:angle1:angle2:",
+ "_appendCString:",
+ "_appendEntry:",
+ "_appendEvent:",
+ "_appendHeaderKey:value:toData:",
+ "_appendKey:option:value:inKeyNode:",
+ "_appendMessage:toFile:andTableOfContents:",
+ "_appendMessages:unsuccessfulOnes:mboxName:tableOfContents:",
+ "_appendRequiredType:",
+ "_appendStringInKeyNode:key:value:",
+ "_appendStrings:",
+ "_appleScriptComponentInstanceOpeningIfNeeded:",
+ "_appleScriptConnectionDidClose",
+ "_applicationDidBecomeActive",
+ "_applicationDidLaunch:",
+ "_applicationDidResignActive",
+ "_applicationDidTerminate:",
+ "_applicationWillLaunch:",
+ "_apply:context:",
+ "_applyMarkerSettingsFromParagraphStyle:toCharacterRange:",
+ "_applyValues:context:",
+ "_applyValues:toObject:",
+ "_appropriateWindowForDocModalPanel",
+ "_aquaColorVariantChanged",
+ "_archiveToFile:",
+ "_argument",
+ "_argumentInfoAtIndex:",
+ "_argumentNameForAppleEventCode:",
+ "_argumentTerminologyDictionary:",
+ "_arrayByTranslatingAEList:",
+ "_arrayOfIMAPFlagsForFlags:",
+ "_asIconHasAlpha",
+ "_assertSafeMultiThreadedAccess:",
+ "_assertSafeMultiThreadedReadAccess:",
+ "_assignObjectIds",
+ "_atsFontID",
+ "_attachColorList:systemList:",
+ "_attachSheetWindow:",
+ "_attachToSupermenuView:",
+ "_attachedCell",
+ "_attachedSheet",
+ "_attachedSupermenuView",
+ "_attachmentFileWrapperDescription:",
+ "_attachmentSizesRun",
+ "_attributeTerminologyDictionary:",
+ "_attributedStringForDrawing",
+ "_attributedStringForEditing",
+ "_attributedStringValue:invalid:",
+ "_attributesAllKeys",
+ "_attributesAllValues",
+ "_attributesAllocated",
+ "_attributesAreEqualToAttributesInAttributedString:",
+ "_attributesCount",
+ "_attributesDealloc",
+ "_attributesDictionary",
+ "_attributesInit",
+ "_attributesInitWithCapacity:",
+ "_attributesInitWithDictionary:copyItems:",
+ "_attributesKeyEnumerator",
+ "_attributesObjectEnumerator",
+ "_attributesObjectForKey:",
+ "_attributesRemoveObjectForKey:",
+ "_attributesSetObject:forKey:",
+ "_attributes_fastAllKeys",
+ "_autoExpandItem:",
+ "_autoPositionMask",
+ "_autoResizeState",
+ "_autoSaveNameWithPrefix",
+ "_autoSizeView:::::",
+ "_autoscrollDate",
+ "_autoscrollDelay",
+ "_autoscrollForDraggingInfo:timeDelta:",
+ "_auxStorage",
+ "_availableFontSetNames",
+ "_avoidsActivation",
+ "_awakeFromPlist:",
+ "_backgroundColor",
+ "_backgroundFetchCompleted",
+ "_backgroundFileLoadCompleted:",
+ "_backgroundImage",
+ "_backgroundTransparent",
+ "_backingCGSFont",
+ "_backingType",
+ "_barberImage:",
+ "_beginDraggingColumn:",
+ "_beginHTMLChangeForMarkedText",
+ "_beginListeningForApplicationStatusChanges",
+ "_beginListeningForDeviceStatusChanges",
+ "_beginMark",
+ "_beginProcessingMultipleMessages",
+ "_beginScrolling",
+ "_beginUnarchivingPrintInfo",
+ "_bestRepresentation:device:bestWidth:checkFlag:",
+ "_bitBlitSourceRect:toDestinationRect:",
+ "_blinkCaret:",
+ "_blockHeartBeat:",
+ "_blueControlTintColor",
+ "_bodyWasDecoded:",
+ "_bodyWasEncoded:",
+ "_bodyWillBeDecoded:",
+ "_bodyWillBeEncoded:",
+ "_bodyWillBeForwarded:",
+ "_borderInset",
+ "_borderView",
+ "_bottomFrameRect",
+ "_bottomLeftFrameRect",
+ "_bottomLeftResizeCursor",
+ "_bottomRightFrameRect",
+ "_bottomRightResizeCursor",
+ "_boundingRectForGlyphRange:inTextContainer:fast:fullLineRectsOnly:",
+ "_boundsForContentSubviews",
+ "_brightColorFromPoint:fullBrightness:",
+ "_buildCache",
+ "_buildCursor:cursorData:",
+ "_buildIMAPAppendDataForMessage:",
+ "_bulletCharacter",
+ "_bulletStringForString:",
+ "_bumpSelectedItem:",
+ "_bundleForClassPresentInAppKit:",
+ "_bundleLoaded",
+ "_button",
+ "_buttonBezelColors",
+ "_buttonCellInitWithCoder:",
+ "_buttonImageSource",
+ "_buttonType",
+ "_buttonWidth",
+ "_bytesAreVM",
+ "_cacheMessageBodiesAndUpdateIndex:",
+ "_cacheMessageBodiesAsynchronously:",
+ "_cacheMessageBodiesToDisk:",
+ "_cacheRepresentation:",
+ "_cacheRepresentation:stayFocused:",
+ "_cacheSimpleChild",
+ "_cacheUserKeyEquivalentInfo",
+ "_cachedGlobalWindowNum",
+ "_cachedHTMLString",
+ "_calcAndSetFilenameTitle",
+ "_calcApproximateBytesRepresented",
+ "_calcBoxSize:buttons:",
+ "_calcFrameOfColumns",
+ "_calcHeights:num:margin:operation:helpedBy:",
+ "_calcMarginSize:operation:",
+ "_calcNumVisibleColumnsAndColumnSize",
+ "_calcNumericIndicatorSizeWithUnitAbbreviation:",
+ "_calcOutlineColumnWidth",
+ "_calcRowsAndColumnsInView:boxSize:numBoxes:rows:columns:",
+ "_calcScrollArrowHeight",
+ "_calcTextRect:",
+ "_calcTrackRect:andAdjustRect:",
+ "_calcWidths:num:margin:operation:helpedBy:",
+ "_calculatePageRectsWithOperation:pageSize:layoutAssuredComplete:",
+ "_calculateTotalScaleForPrintingWithOperation:",
+ "_calibratedColorOK",
+ "_callImplementor:context:chars:glyphs:stringBuffer:font:",
+ "_canAcceptRichText",
+ "_canBecomeDefaultButtonCell",
+ "_canChangeRulerMarkers",
+ "_canDrawOutsideLineHeight",
+ "_canDrawOutsideOfItsBounds",
+ "_canHide",
+ "_canImportGraphics",
+ "_canOptimizeDrawing",
+ "_canUseCompositing",
+ "_canUseKeyEquivalentForMenuItem:",
+ "_cancelAutoExpandTimer",
+ "_cancelEvent:",
+ "_cancelKey:",
+ "_cancelPerformSelectors",
+ "_cancelRootEvent:",
+ "_capitalizedKeyForKey:",
+ "_capitalizedStringWithFlags:",
+ "_captureInput",
+ "_captureVisibleIntoLiveResizeCache",
+ "_caseCopyAux::flags:",
+ "_caseCopyAux:flags:",
+ "_cellContentRectForUsedSize:inFrame:",
+ "_cellForRow:browser:browserColumn:",
+ "_cellFrame",
+ "_cellFurthestFrom:andCol:",
+ "_cellInitWithCoder:",
+ "_centerForCFCenter:",
+ "_centerInnerBounds:",
+ "_centerScanPoint:",
+ "_centerTitle:inRect:",
+ "_centeredScrollRectToVisible:forceCenter:",
+ "_cfBundle",
+ "_cfCenter",
+ "_cfNumberType",
+ "_cfTypeID",
+ "_cffireDate",
+ "_cffireTime",
+ "_cgsEventRecord",
+ "_cgsEventTime",
+ "_cgsevent",
+ "_changeAllDrawersKeyState",
+ "_changeDictionaries:",
+ "_changeDisplayToMessage:",
+ "_changeDrawerKeyState",
+ "_changeFontList:",
+ "_changeIntAttribute:by:range:",
+ "_changeJustMain",
+ "_changeKeyAndMainLimitedOK:",
+ "_changeKeyState",
+ "_changeLanguage:",
+ "_changeReadStatusTo:",
+ "_changeSelectionWithEvent:",
+ "_changeSpellingFromMenu:",
+ "_changeSpellingToWord:",
+ "_changeWasDone:",
+ "_changeWasRedone:",
+ "_changeWasUndone:",
+ "_changed:",
+ "_changingSelectionWithKeyboard",
+ "_charRangeIsHighlightOptimizable:fromOldCharRange:",
+ "_characterCannotBeRendered:",
+ "_characterRangeCurrentlyInAndAfterContainer:",
+ "_characterRangeForPoint:inRect:ofView:",
+ "_charsetForStringEncoding:",
+ "_checkFile:container:",
+ "_checkForFat:",
+ "_checkForMessageClear:",
+ "_checkForSimpleTrackingMode",
+ "_checkForTerminateAfterLastWindowClosed:",
+ "_checkHeader",
+ "_checkInName:onHost:andPid:forUser:",
+ "_checkInSizeBuffer",
+ "_checkLoaded:rect:highlight:",
+ "_checkNewMail:",
+ "_checkOutColumnOrigins",
+ "_checkOutColumnWidths",
+ "_checkOutRowHeights",
+ "_checkOutRowOrigins",
+ "_checkSpellingForRange:excludingRange:",
+ "_checkType:",
+ "_child",
+ "_childEvent",
+ "_childSatisfyingTestSelector:withObject:afterItem:",
+ "_childSatisfyingTestSelector:withObject:beforeItem:",
+ "_chooseApplicationSheetDidEnd:returnCode:contextInfo:",
+ "_chooseBrowserItem:",
+ "_chooseDir:andTable:for:as:",
+ "_chooseFace:",
+ "_chooseFamily:",
+ "_chooseGuess:",
+ "_choosePrintFilter:",
+ "_chooseSize:",
+ "_chosenSpellServer:",
+ "_chunkAndFindMisspelledWordInString:language:learnedDictionaries:wordCount:usingSpellServer:",
+ "_classDescriptionForAppleEventCode:",
+ "_classDescriptionForName:inSuite:",
+ "_classTerminologyDictionary",
+ "_cleanUpStaleAttachments",
+ "_cleanupAndAuthenticate:sequence:conversation:invocation:raise:",
+ "_cleanupHelpForQuit",
+ "_clearCellFrame",
+ "_clearChangedThisTransaction:",
+ "_clearControlTintColor",
+ "_clearCurrentAttachmentSettings",
+ "_clearDirtyRectsForTree",
+ "_clearDocFontsUsed",
+ "_clearDragMargins",
+ "_clearEditingTextView:",
+ "_clearFocusForView",
+ "_clearKeyCell",
+ "_clearLastLoadedDateAndFontSet",
+ "_clearModalWindowLevel",
+ "_clearMouseTracking",
+ "_clearMouseTrackingForCell:",
+ "_clearPageFontsUsed",
+ "_clearPressedButtons",
+ "_clearRectsFromCharacterIndex:",
+ "_clearSelectedCell",
+ "_clearSheetFontsUsed",
+ "_clearSpellingForRange:",
+ "_clearTemporaryAttributes",
+ "_clearTemporaryAttributesForCharacterRange:changeInLength:",
+ "_clearTrackingRects",
+ "_clickedCharIndex",
+ "_clientConnectionDied:",
+ "_clientImageMapURLStringForLocation:inFrame:",
+ "_clientsCreatingIfNecessary:",
+ "_clipViewAncestor",
+ "_cloneFont:withFlag:",
+ "_close",
+ "_close:",
+ "_closeButtonOrigin",
+ "_closeDocumentsStartingWith:shouldClose:closeAllContext:",
+ "_closeSheet:andMoveParent:",
+ "_collapseAllAutoExpandedItems",
+ "_collapseAutoExpandedItems:",
+ "_collapseButtonOrigin",
+ "_collapseItem:collapseChildren:clearExpandState:",
+ "_collapseItemEntry:collapseChildren:clearExpandState:",
+ "_collectLinkChildren:into:parentPath:",
+ "_collectMainChildren:into:parentInode:parentPath:",
+ "_colorByTranslatingRGBColor:",
+ "_colorForHexNumber:",
+ "_colorForName:",
+ "_colorFromPoint:",
+ "_colorListNamed:forDeviceType:",
+ "_colorWellAcceptedColor:",
+ "_colorWellCommonAwake",
+ "_colorizedImage:color:",
+ "_columnAtLocation:",
+ "_columnClosestToColumn:whenMoved:",
+ "_columnRangeForDragImage",
+ "_columnSeparationWidth",
+ "_commandDescriptionForAppleEventClass:andEventCode:",
+ "_commandTerminologyDictionary",
+ "_commonAwake",
+ "_commonBeginModalSessionForWindow:relativeToWindow:modalDelegate:didEndSelector:contextInfo:",
+ "_commonFontInit",
+ "_commonInit",
+ "_commonInitFrame:styleMask:backing:defer:",
+ "_commonInitIvarBlock",
+ "_commonInitState",
+ "_commonNewScroll:",
+ "_commonSecureTextFieldInit",
+ "_compactMessageAtIndex:",
+ "_compare::checkCase:",
+ "_compareDuration:",
+ "_compareWidthWithSuperview",
+ "_compatibility_canCloseDocumentWithDelegate:shouldCloseSelector:contextInfo:",
+ "_compatibility_doSavePanelSave:delegate:didSaveSelector:contextInfo:",
+ "_compatibility_shouldCloseWindowController:delegate:shouldCloseSelector:contextInfo:",
+ "_compatibleWithRulebookVersion:",
+ "_complete:",
+ "_completeName:",
+ "_completeNoRecursion:",
+ "_completeRefaultingOfGID:object:",
+ "_componentsSeparatedBySet:",
+ "_composite:delta:fromRect:toPoint:",
+ "_compositeAndUnlockCachedImage",
+ "_compositeImage",
+ "_compositePointInRuler",
+ "_compositeToPoint:fromRect:operation:fraction:",
+ "_compositeToPoint:operation:fraction:",
+ "_compressIfNeeded",
+ "_computeBounds",
+ "_computeDisplayedLabelForRect:",
+ "_computeDisplayedSizeOfString:",
+ "_computeExecutablePath",
+ "_computeInv",
+ "_computeMinimumDisplayedLabel",
+ "_computeMinimumDisplayedLabelForWidth:",
+ "_computeMinimumDisplayedLabelSize",
+ "_computeNominalDisplayedLabelSize",
+ "_computeParams",
+ "_computeSynchronizationStatus",
+ "_concatInvertToAffineTransform:",
+ "_concreteFontInit",
+ "_concreteFontInit:",
+ "_concreteInputContextClass",
+ "_configureAsMainMenu",
+ "_configureAsSeparatorItem",
+ "_configureCell:forItemAtIndex:",
+ "_configureComposeWindowForType:message:",
+ "_configureSoundPopup",
+ "_configureTornOffMessageWindowForMessage:",
+ "_confirmSaveSheetDidEnd:returnCode:contextInfo:",
+ "_confirmSize:",
+ "_conflictsDirectlyWithTextStyleFromArray:",
+ "_conflictsIndirectlyWithTextStyleFromArray:",
+ "_conformsToProtocolNamed:",
+ "_consistencyCheck:",
+ "_consistencyError:startAtZeroError:cacheError:inconsistentBlockError:",
+ "_constrainPoint:withEvent:",
+ "_constructDeletedList",
+ "_containedInSingleColumnClipView",
+ "_containerDescription",
+ "_containerObservesTextViewFrameChanges",
+ "_containerTextViewFrameChanged:",
+ "_containsChar:",
+ "_containsCharFromSet:",
+ "_containsColorForTextAttributesOfNegativeValues",
+ "_containsIdenticalObjectsInArray:",
+ "_containsPath:",
+ "_containsString:",
+ "_contentToFrameMaxXWidth",
+ "_contentToFrameMaxXWidth:",
+ "_contentToFrameMaxYHeight",
+ "_contentToFrameMaxYHeight:",
+ "_contentToFrameMinXWidth",
+ "_contentToFrameMinXWidth:",
+ "_contentToFrameMinYHeight",
+ "_contentToFrameMinYHeight:",
+ "_contentView",
+ "_contentViewBoundsChanged:",
+ "_contents",
+ "_contextAuxiliary",
+ "_contextMenuEvent",
+ "_contextMenuImpl",
+ "_contextMenuTarget",
+ "_contextMenuTargetForEvent:",
+ "_controlColor",
+ "_controlMenuKnownAbsent:",
+ "_controlTintChanged:",
+ "_convertDataToString:",
+ "_convertPersistentItem:",
+ "_convertPoint:fromAncestor:",
+ "_convertPoint:toAncestor:",
+ "_convertPointFromSuperview:test:",
+ "_convertPointToSuperview:",
+ "_convertRect:fromAncestor:",
+ "_convertRect:toAncestor:",
+ "_convertRectFromSuperview:test:",
+ "_convertRectToSuperview:",
+ "_convertStringToData:",
+ "_convertToChildArray",
+ "_convertToNSRect:",
+ "_convertToQDRect:",
+ "_convertToText:",
+ "_copyDataFrom:",
+ "_copyDescription",
+ "_copyDevice:",
+ "_copyDir:dst:dstDir:name:nameLen:exists:isNFS:srcTail:dstTail:bomInode:",
+ "_copyDragCursor",
+ "_copyFile:dst:dstDir:name:isNFS:cpuTypes:",
+ "_copyFromDir:toDir:srcTail:dstTail:dirBomInode:dstDirExisted:",
+ "_copyLink:dst:dstDir:name:isNFS:",
+ "_copyMutableSetFromToManyArray:",
+ "_copyToFaxPanelPageMode:firstPage:lastPage:",
+ "_copyToTree:fromCursor:toCursor:",
+ "_copyToUnicharBuffer:saveLength:",
+ "_correct:",
+ "_correctGrammarGroups:andRules:",
+ "_correctGroups:inArray:",
+ "_count",
+ "_countDisplayedDescendantsOfItem:",
+ "_countForArray:",
+ "_countLinksTo:",
+ "_countUnreadAndDeleted",
+ "_counterpart",
+ "_coveredCharSet",
+ "_crackPoint:",
+ "_crackRect:",
+ "_createAuxData",
+ "_createBackingStore",
+ "_createCachedImage:",
+ "_createCells",
+ "_createColumn:",
+ "_createImage:::",
+ "_createImpl:",
+ "_createKeyValueBindingForKey:name:bindingType:",
+ "_createLock:",
+ "_createMainBodyPart",
+ "_createMenuMapLock",
+ "_createMovieController",
+ "_createNewFolderAtPath:",
+ "_createNewMailboxAtPath:",
+ "_createOptionBoxes:andButtons:",
+ "_createPartFromFileWrapper:",
+ "_createPartFromHTMLAttachment:",
+ "_createPartFromTextAttachment:",
+ "_createPattern",
+ "_createPatternFromRect:",
+ "_createPopUpMenu",
+ "_createPrinter:includeUnavailable:",
+ "_createScrollViewAndWindow",
+ "_createStatusItemControlInWindow:",
+ "_createStatusItemWindow",
+ "_createSubstringWithRange:",
+ "_createSurface",
+ "_createWakeupPort",
+ "_creteCachedImageLockIfNeeded",
+ "_crosshairCursor",
+ "_currentActivation",
+ "_currentAttachmentIndex",
+ "_currentAttachmentRect",
+ "_currentClient",
+ "_currentColorIndex",
+ "_currentSelection",
+ "_cursorRectCursor",
+ "_cycleFreeSpace",
+ "_darkBlueColor",
+ "_dataSourceRespondsToWriteDragRows",
+ "_dataSourceSetValue:forColumn:row:",
+ "_dataSourceValueForColumn:row:",
+ "_deactivate",
+ "_deactivateWindows",
+ "_deallocAuxiliary",
+ "_deallocCursorRects",
+ "_deallocHardCore:",
+ "_debugLoggingLevel",
+ "_decimalIsNotANumber:",
+ "_decimalPoint",
+ "_declareExtraTypesForTypeArray:",
+ "_decodeAndRecordObjectWithCoder:",
+ "_decodeByte",
+ "_decodeDepth",
+ "_decodeHeaderKey:fromData:offset:",
+ "_decodeHeaderKeysFromData:",
+ "_decodeMatrixWithCoder:",
+ "_decodeNewPtr:label:usingTable:lastLabel:atCursor:",
+ "_decodeWithoutNameWithCoder:",
+ "_decompressIfNeeded",
+ "_deepDescription",
+ "_deepDescriptionsWithPrefix:prefixUnit:targetArray:",
+ "_deepRootLevelEventsFromEvents:intoArray:",
+ "_defaultButtonCycleTime",
+ "_defaultButtonIndicatorFrameForRect:",
+ "_defaultEditingContextNowInitialized:",
+ "_defaultFontSet",
+ "_defaultGlyphForChar:",
+ "_defaultKnobColor",
+ "_defaultPathForKey:withFallbackKey:defaultValue:",
+ "_defaultPathToRouteMessagesTo",
+ "_defaultPrinterIsFax:",
+ "_defaultProgressIndicatorColor",
+ "_defaultSelectedKnobColor",
+ "_defaultSelectionColor",
+ "_defaultSharedEditingContext",
+ "_defaultSharedEditingContextWasInitialized:",
+ "_defaultTableHeaderReverseSortImage",
+ "_defaultTableHeaderSortImage",
+ "_defaultType",
+ "_delayedUpdateSwatch:",
+ "_delegate:handlesKey:",
+ "_delegateValidation:object:uiHandled:",
+ "_delegateWillDisplayCell:forColumn:row:",
+ "_delegateWillDisplayOutlineCell:forColumn:row:",
+ "_deleteAllCharactersFromSet:",
+ "_deleteAttachments:",
+ "_deleteBack:flatteningStructures:",
+ "_deleteDictionaries:",
+ "_deleteFontCollection:",
+ "_deleteMessages",
+ "_deleteRow:atIndex:givingSizeToIndex:",
+ "_demoteLeader:newLeader:",
+ "_descStringForFont:",
+ "_descriptionFileName",
+ "_descriptorByTranslatingArray:desiredDescriptorType:",
+ "_descriptorByTranslatingColor:desiredDescriptorType:",
+ "_descriptorByTranslatingNumber:desiredDescriptorType:",
+ "_descriptorByTranslatingString:desiredDescriptorType:",
+ "_descriptorByTranslatingTextStorage:desiredDescriptorType:",
+ "_deselectAll",
+ "_deselectAllExcept::andDraw:",
+ "_deselectColumn:",
+ "_deselectRowRange:",
+ "_deselectsWhenMouseLeavesDuringDrag",
+ "_desiredKeyEquivalent",
+ "_desiredKeyEquivalentModifierMask",
+ "_destinationStorePathForMessage:",
+ "_destroyRealWindow:",
+ "_destroyRealWindowIfNotVisible:",
+ "_destroyStream",
+ "_destroyWakeupPort",
+ "_detachFromLabelledItem",
+ "_detachSheetWindow",
+ "_detectTrackingMenuChangeWithScreenPoint:",
+ "_determineDropCandidateForDragInfo:",
+ "_deviceClosePath",
+ "_deviceCurveToPoint:controlPoint1:controlPoint2:",
+ "_deviceLineToPoint:",
+ "_deviceMoveToPoint:",
+ "_dictionary",
+ "_dictionaryByTranslatingAERecord:",
+ "_dictionaryForPropertyList:",
+ "_dictionaryWithNamedObjects",
+ "_didChange",
+ "_didEndCloseSheet:returnCode:closeContext:",
+ "_didMountDeviceAtPath:",
+ "_didNSOpenOrPrint",
+ "_didUnmountDeviceAtPath:",
+ "_dimmedImage:",
+ "_direction",
+ "_directoryPathForNode:context:",
+ "_dirtyFlags",
+ "_dirtyRect",
+ "_dirtyRectUncoveredFromOldDocFrame:byNewDocFrame:",
+ "_disableCompositing",
+ "_disableEnablingKeyEquivalentForDefaultButtonCell",
+ "_disableMovedPosting",
+ "_disablePosting",
+ "_disableResizedPosting",
+ "_disableSecurity:",
+ "_disableSelectionPosting",
+ "_discardCursorRectsForView:",
+ "_discardEventsWithMask:eventTime:",
+ "_discardTrackingRect:",
+ "_displayChanged",
+ "_displayFilteredResultsRespectingSortOrder:showList:",
+ "_displayName",
+ "_displayName:",
+ "_displayRectIgnoringOpacity:isVisibleRect:rectIsVisibleRectForView:",
+ "_displaySomeWindowsIfNeeded:",
+ "_displayStringForFont:",
+ "_displayedLabel",
+ "_disposeBackingStore",
+ "_disposeMovieController",
+ "_disposeSurface",
+ "_disposeTextObjects",
+ "_distanceForVerticalArrowKeyMovement",
+ "_doAnimation",
+ "_doAttachDrawer",
+ "_doAutoscroll:",
+ "_doAutoscrolling",
+ "_doAutoselectEdge",
+ "_doCloneInReceiver:withInsertionContainer:key:index:",
+ "_doCloseDrawer",
+ "_doCommandBySelector:forInputManager:",
+ "_doCompletionWindowPlacement:",
+ "_doDetachDrawer",
+ "_doExpansion:",
+ "_doHide",
+ "_doImageDragUsingRows:event:pasteboard:source:slideBack:",
+ "_doInvokeServiceIn:msg:pb:userData:error:unhide:",
+ "_doLayoutTabs:",
+ "_doLayoutWithFullContainerStartingAtGlyphIndex:nextGlyphIndex:",
+ "_doListCommand::",
+ "_doMailViewerResizing",
+ "_doModalLoop:peek:",
+ "_doMoveInReceiver:withInsertionContainer:key:index:",
+ "_doOpenDrawer",
+ "_doOpenFile:ok:tryTemp:",
+ "_doOpenUntitled",
+ "_doOptimizedLayoutStartingAtGlyphIndex:forSoftLayoutHole:inTextContainer:lineLimit:nextGlyphIndex:",
+ "_doOrderWindow:relativeTo:findKey:",
+ "_doOrderWindow:relativeTo:findKey:forCounter:force:",
+ "_doOrderWindow:relativeTo:findKey:forCounter:force:isModal:",
+ "_doPageArea:finishPage:helpedBy:pageLabel:",
+ "_doPositionDrawer",
+ "_doPositionDrawerAndSize:parentFrame:",
+ "_doPositionDrawerAndSize:parentFrame:stashSize:",
+ "_doPostedModalLoopMsg:",
+ "_doPreview:",
+ "_doPrintFile:ok:",
+ "_doRemoveDrawer",
+ "_doResizeDrawerWithDelta:fromFrame:",
+ "_doRotationOnly",
+ "_doScroller:",
+ "_doScroller:hitPart:multiplier:",
+ "_doSetAccessoryView:topView:bottomView:oldView:",
+ "_doSetParentWindow:",
+ "_doSlideDrawerWithDelta:",
+ "_doSomeBackgroundLayout",
+ "_doStartDrawer",
+ "_doStopDrawer",
+ "_doTiming",
+ "_doUidFetch:withRange:processResultsUsingSelector:expect:destFile:keepInMemory:intoArray:",
+ "_doUidFetch:withRange:processResultsUsingSelector:expect:intoArray:",
+ "_doUnhideWithoutActivation",
+ "_doUpdateServicesMenu:",
+ "_doUserParagraphStyleLineHeight:fixed:",
+ "_doUserPathWithOp:",
+ "_docController:shouldTerminate:",
+ "_document",
+ "_document:shouldClose:contextInfo:",
+ "_documentClassNames",
+ "_documentWindow",
+ "_doesOwnRealWindow",
+ "_doesRule:containExpression:inHeaders:caseSensitive:",
+ "_doneTyping:",
+ "_dosetTitle:andDefeatWrap:",
+ "_dotPrefix:suffix:",
+ "_doubleClickedList:",
+ "_doubleHit:",
+ "_dragCanBeginFromVerticalMouseMotion",
+ "_dragFile:fromRect:slideBack:event:showAsModified:",
+ "_dragImageSize",
+ "_dragLocalSource",
+ "_dragShouldBeginFromMouseDown:",
+ "_dragUntilMouseUp:accepted:",
+ "_drawAnimationStep",
+ "_drawBackgroundForGlyphRange:atPoint:parameters:",
+ "_drawBorder:inRect:",
+ "_drawBottomFrameRect:",
+ "_drawBottomLeftFrameRect:",
+ "_drawBottomRightFrameRect:",
+ "_drawCellAt::insideOnly:",
+ "_drawCenteredVerticallyInRect:",
+ "_drawColumn:",
+ "_drawColumnHeaderRange:",
+ "_drawColumnSeparatorsInRect:",
+ "_drawContents:faceColor:textColor:inView:",
+ "_drawDefaultButtonIndicatorWithFrame:inView:",
+ "_drawDialogSides:",
+ "_drawDone:success:",
+ "_drawDragImageInRect:",
+ "_drawDropHighlight",
+ "_drawDropHighlightBetweenUpperRow:andLowerRow:atOffset:",
+ "_drawDropHighlightOffScreenIndicatorPointingLeftAtOffset:",
+ "_drawDropHighlightOffScreenIndicatorPointingUp:atOffset:",
+ "_drawDropHighlightOnRow:",
+ "_drawEndCapInRect:",
+ "_drawFrame",
+ "_drawFrame:",
+ "_drawFrameInterior:clip:",
+ "_drawFrameRects:",
+ "_drawFrameShadowAndFlushContext:",
+ "_drawFromRect:toRect:operation:alpha:compositing:",
+ "_drawGlyphsForGlyphRange:atPoint:parameters:",
+ "_drawGrowBoxWithClip:",
+ "_drawHeaderFillerInRect:",
+ "_drawHeaderOfColumn:",
+ "_drawKeyViewOutline:",
+ "_drawKeyboardFocusRingWithFrame:",
+ "_drawKeyboardFocusRingWithFrame:inView:",
+ "_drawKeyboardUILoop",
+ "_drawLeftFrameRect:",
+ "_drawMatrix",
+ "_drawMenuFrame:",
+ "_drawMiniWindow:",
+ "_drawNumericIndicator",
+ "_drawOptimizedRectFills",
+ "_drawProgressArea",
+ "_drawRect:clip:",
+ "_drawRect:liveResizeCacheCoveredArea:",
+ "_drawRect:withOpaqueAncestor:",
+ "_drawRemainderArea",
+ "_drawRepresentation:",
+ "_drawResizeIndicators:",
+ "_drawRightFrameRect:",
+ "_drawStandardPopUpBorderWithFrame:inView:",
+ "_drawTabViewItem:inRect:",
+ "_drawThemeBackground",
+ "_drawThemeContents:highlighted:inView:",
+ "_drawThemePopUpBorderWithFrame:inView:withBezel:",
+ "_drawThemeProgressArea:",
+ "_drawThemeTab:inRect:",
+ "_drawTitleBar:active:",
+ "_drawTitleStringIn:withColor:",
+ "_drawTitlebar:",
+ "_drawTitlebarLines:inRect:clippedByRect:",
+ "_drawTitlebarPattern:inRect:clippedByRect:forKey:alignment:",
+ "_drawTitledFrame:",
+ "_drawTopFrameRect:",
+ "_drawTopLeftFrameRect:",
+ "_drawTopRightFrameRect:",
+ "_drawViewBackgroundInRect:",
+ "_drawWinTab:inRect:tabColor:shadowColor:",
+ "_drawWindowsGaugeRects:",
+ "_drawerIsOpen",
+ "_drawerTransform",
+ "_drawerVelocity",
+ "_drawingLastColumn",
+ "_drawingSubthreadWillDie:",
+ "_drawsBackground",
+ "_dumpBitmapRepresentation:",
+ "_dumpBookSegments",
+ "_dumpGlobalResources:",
+ "_dumpLocalizedResources:",
+ "_dumpSetRepresentation:",
+ "_dynamicColorsChanged:",
+ "_editing",
+ "_editorResized",
+ "_ejectRemovableDevice:",
+ "_enable:service:",
+ "_enableCompositing",
+ "_enableEnablingKeyEquivalentForDefaultButtonCell",
+ "_enableItems",
+ "_enableLeaf:container:",
+ "_enableLogging:",
+ "_enableMovedPosting",
+ "_enablePosting",
+ "_enableResizedPosting",
+ "_enableSecurity:",
+ "_enableSelectionPostingAndPost",
+ "_encodeByte:",
+ "_encodeDepth:",
+ "_encodeDictionary:forKey:",
+ "_encodeMapTable:forTypes:withCoder:",
+ "_encodeObjects:forKey:",
+ "_encodeValue:forKey:",
+ "_encodeWithoutNameWithCoder:",
+ "_encodedHeadersIncludingFromSpace:",
+ "_encodedValuesForControls:",
+ "_encodingCantBeStoredInEightBitCFString",
+ "_encodingForHFSAttachments",
+ "_endCompletion:",
+ "_endDragging",
+ "_endHTMLChange",
+ "_endHTMLChangeForMarkedText",
+ "_endListeningForApplicationStatusChanges",
+ "_endListeningForDeviceStatusChanges",
+ "_endLiveResize",
+ "_endLiveResizeForAllDrawers",
+ "_endMyEditing",
+ "_endOfParagraphAtIndex:",
+ "_endProcessingMultipleMessages",
+ "_endRunMethod",
+ "_endScrolling",
+ "_endTabWidth",
+ "_endUnarchivingPrintInfo",
+ "_enqueueEndOfEventNotification",
+ "_ensureCapacity:",
+ "_ensureLayoutCompleteToEndOfCharacterRange:",
+ "_ensureMinAndMaxSizesConsistentWithBounds",
+ "_enteredTrackingRect",
+ "_entriesAreAcceptable",
+ "_enumModuleComplete:",
+ "_enumerateForMasking:data:",
+ "_eoDeallocHackMethod",
+ "_eoNowMultiThreaded:",
+ "_errorStringForResponse:forCommand:",
+ "_eventDelegate",
+ "_eventDescriptionForEventType:",
+ "_eventHandlerForEventClass:andEventID:",
+ "_eventInTitlebar:",
+ "_eventRef",
+ "_eventRelativeToWindow:",
+ "_eventWithCGSEvent:",
+ "_exchangeDollarInString:withString:",
+ "_existsForArray:",
+ "_exit",
+ "_exitedTrackingRect",
+ "_expand",
+ "_expandItemEntry:expandChildren:",
+ "_expandPanel:",
+ "_expandRep:",
+ "_exportLinkRec:",
+ "_extendedCharRangeForInvalidation:editedCharRange:",
+ "_extraWidthForCellHeight:",
+ "_fastAllKeys",
+ "_fastCStringContents",
+ "_fastDotPathString",
+ "_fastHighlightGlyphRange:withinSelectedGlyphRange:",
+ "_favoritesChanged:",
+ "_fetchColorTable:",
+ "_fetchCommandForMessageSkeletons",
+ "_fetchSectionUsingCommand:forUid:destFile:keepInMemory:",
+ "_fetchUnreadCounts:children:",
+ "_fetchUserInfoForMailboxAtPath:",
+ "_fileButtonOrigin",
+ "_fileExtensions",
+ "_fileOperation:source:destination:files:",
+ "_fileOperationCompleted:",
+ "_filenameEncodingHint",
+ "_filenameFromSubject:inDirectory:ofType:",
+ "_fillBackground:withAlternateColor:",
+ "_fillBuffer",
+ "_fillFloatArray:",
+ "_fillGlyphHoleAtIndex:desiredNumberOfCharacters:",
+ "_fillGrayRect:with:",
+ "_fillLayoutHoleAtIndex:desiredNumberOfLines:",
+ "_fillSizeFields:convertToPoints:",
+ "_fillSizesForAttributes:withTextStorage:startingWithOffset:",
+ "_fillSpellCheckerPopupButton:",
+ "_fillsClipViewHeight",
+ "_fillsClipViewWidth",
+ "_filterTypes",
+ "_finalScrollingOffsetFromEdge",
+ "_finalSlideLocation",
+ "_finalize",
+ "_findButtonImageForState:",
+ "_findCoercerFromClass:toClass:",
+ "_findColorListNamed:forDeviceType:",
+ "_findColorNamed:inList:startingAtIndex:searchingBackward:usingLocalName:ignoreCase:substring:",
+ "_findDictOrBitmapSetNamed:",
+ "_findDragTargetFrom:",
+ "_findFirstOne::",
+ "_findFont:size:matrix:flag:",
+ "_findMisspelledWordInString:language:learnedDictionaries:wordCount:countOnly:",
+ "_findNext:",
+ "_findNextOrPrev:",
+ "_findParentWithLevel:beginingAtItem:childEncountered:",
+ "_findRemovableDevices:",
+ "_findSystemImageNamed:",
+ "_findTableViewUnderView:",
+ "_findTypeForPropertyListDecoding:",
+ "_findWindowUsingCache:",
+ "_findWindowUsingDockItemRef:",
+ "_finishHitTracking:",
+ "_finishMessagingClients:",
+ "_finishPrintFilter:filter:",
+ "_finishedMakingConnections",
+ "_firstHighlightedCell",
+ "_firstPassGlyphRangeForBoundingRect:inTextContainer:hintGlyphRange:okToFillHoles:",
+ "_firstPassGlyphRangeForBoundingRect:inTextContainer:okToFillHoles:",
+ "_firstSelectableRow",
+ "_firstSelectableRowInMatrix:inColumn:",
+ "_firstTextViewChanged",
+ "_fixCommandAlphaShifts",
+ "_fixHeaderAndCornerViews",
+ "_fixKeyViewForView:",
+ "_fixSelectionAfterChangeInCharacterRange:changeInLength:",
+ "_fixSharedData",
+ "_fixStringForShell",
+ "_fixTargetsForMenu:",
+ "_fixTitleUI:",
+ "_fixup:numElements:",
+ "_flattenTypingStyles:useMatch:",
+ "_floating",
+ "_flushAEDesc",
+ "_flushAllMessageData",
+ "_flushAndAlign:",
+ "_flushCurrentEdits",
+ "_flushNotificationQueue",
+ "_focusFromView:withThread:",
+ "_focusInto:withClip:",
+ "_focusOnCache:",
+ "_focusRingFrameForFrame:",
+ "_fondID",
+ "_fontCollectionWithName:",
+ "_fontFamilyFromCanonicalFaceArray:",
+ "_fontInfoServerDied:",
+ "_fontSetWithName:",
+ "_fontStyleName:",
+ "_fontWithName:scale:skew:oblique:translation:",
+ "_fontWithName:size:matrix:",
+ "_forNode:processProject:",
+ "_forceArchsToDisk",
+ "_forceClassInitialization",
+ "_forceDisplayToBeCorrectForViewsWithUnlaidGlyphs",
+ "_forceEditingCharacters:",
+ "_forceFixAttributes",
+ "_forceFlushWindowToScreen",
+ "_forceLoadSuites:",
+ "_forceReloadFavorites",
+ "_forceSetColor:",
+ "_forceUserInit",
+ "_forget:",
+ "_forgetData:",
+ "_forgetDependentBoldCopy",
+ "_forgetDependentFixedCopy",
+ "_forgetDependentItalicCopy",
+ "_forgetDependentUnderlineCopy",
+ "_forgetObjectWithGlobalID:",
+ "_forgetSpellingFromMenu:",
+ "_forgetWord:inDictionary:",
+ "_formHit:",
+ "_formMethodForValue:",
+ "_formatObjectValue:invalid:",
+ "_forwardMessage",
+ "_frameDidDrawTitle",
+ "_frameDocumentWithHTMLString:url:",
+ "_frameOfColumns",
+ "_frameOfOutlineCellAtRow:",
+ "_freeCache:",
+ "_freeClients",
+ "_freeDirTable:",
+ "_freeEnumerator:",
+ "_freeImage",
+ "_freeLength:offset:",
+ "_freeNode:",
+ "_freeNodes",
+ "_freeOldPrinterInfo",
+ "_freePostings",
+ "_freeRepresentation:",
+ "_freeServicesMenu:",
+ "_fromScreenCommonCode:",
+ "_fullDescription:",
+ "_fullLabel",
+ "_fullPathForService:",
+ "_fullUpdateOfIndex",
+ "_gatherFocusStateInto:upTo:withThread:",
+ "_gaugeImage:",
+ "_genBaseMatrix",
+ "_generatePSCodeHelpedBy:operation:",
+ "_generateTextStorage",
+ "_genericDragCursor",
+ "_getAppleShareVolumes",
+ "_getBracketedStringFromBuffer:",
+ "_getBrowser:browserColumn:",
+ "_getBytesAsData:maxLength:filledLength:encoding:allowLossyConversion:range:remainingRange:",
+ "_getCacheWindow:andRect:forRep:",
+ "_getCharactersAsStringInRange:",
+ "_getContents:",
+ "_getContents:andLength:",
+ "_getConvertedDataForType:",
+ "_getConvertedDataFromPasteboard:",
+ "_getCounterpart",
+ "_getCursorBitmap",
+ "_getData:encoding:",
+ "_getDocInfoForKey:",
+ "_getDrawingRow:andCol:",
+ "_getEightBitRGBMeshedBitmap:rowBytes:extraSample:reverseScanLines:removeAlpha:",
+ "_getFSRefForApplicationName:",
+ "_getFSRefForPath:",
+ "_getFSRefForServiceName:",
+ "_getFSSpecForPath:",
+ "_getFatInfo:forPath:",
+ "_getFatInfoFromMachO:fileDesc:",
+ "_getFocusRingFrame",
+ "_getGaugeFrame",
+ "_getGlobalWindowNumber:andRect:forRepresentation:",
+ "_getGlyphIndex:forWindowPoint:pinnedPoint:preferredTextView:partialFraction:",
+ "_getHiddenList",
+ "_getLocalPoint:",
+ "_getMatchingRow:forString:inMatrix:startingAtRow:prefixMatch:caseSensitive:",
+ "_getMessageSummaries",
+ "_getNewMailInAccountMenuItem",
+ "_getNodeForKey:inTable:",
+ "_getOrCreatePathsListFor:dir:table:",
+ "_getPartStruct:numberOfParts:withInnerBounds:",
+ "_getPosition:",
+ "_getPositionFromServer",
+ "_getPrinterList:",
+ "_getProgressFrame",
+ "_getRemainderFrame",
+ "_getReply",
+ "_getRidOfCacheAndMarkYourselfAsDirty",
+ "_getRow:andCol:ofCell:atRect:",
+ "_getRow:column:nearPoint:",
+ "_getServiceMenuEntryInfo:menuName:itemName:enabled:",
+ "_getSize:",
+ "_getSum:ofFile:",
+ "_getTextColor:backgroundColor:",
+ "_getTiffImage:ownedBy:",
+ "_getTiffImage:ownedBy:asImageRep:",
+ "_getUndoManager:",
+ "_getValue:forKey:",
+ "_getValue:forObj:",
+ "_getValue:forType:",
+ "_getValuesWithName:andAttributes:",
+ "_getVolumes:",
+ "_getWindowCache:add:",
+ "_giveUpFirstResponder:",
+ "_globalIDChanged:",
+ "_globalIDForLocalObject:",
+ "_globalWindowNum",
+ "_glyphAtIndex:characterIndex:glyphInscription:isValidIndex:",
+ "_glyphDescription",
+ "_glyphDrawsOutsideLineHeight:",
+ "_glyphGenerator",
+ "_glyphIndexForCharacterIndex:startOfRange:okToFillHoles:",
+ "_glyphInfoAtIndex:",
+ "_glyphRangeForBoundingRect:inTextContainer:fast:okToFillHoles:",
+ "_glyphRangeForCharacterRange:actualCharacterRange:okToFillHoles:",
+ "_goneMultiThreaded",
+ "_goneSingleThreaded",
+ "_gotoFavorite:",
+ "_grammarTableKey",
+ "_graphiteControlTintColor",
+ "_gray136Color",
+ "_gray170Color",
+ "_gray204Color",
+ "_gray221Color",
+ "_grestore",
+ "_growBoxRect",
+ "_growCachedRectArrayToSize:",
+ "_gsave",
+ "_guaranteeMinimumWidth:",
+ "_guess:",
+ "_handCursor",
+ "_handleActivityEnded",
+ "_handleClickOnURLString:",
+ "_handleCommand:",
+ "_handleCursorUpdate:",
+ "_handleError:delta:fromRect:toPoint:",
+ "_handleInvalidPath:",
+ "_handleMessage:from:socket:",
+ "_handleMouseUpWithEvent:",
+ "_handleNewActivity:",
+ "_handleSpecialAppleEvent:withReplyEvent:",
+ "_handleText:",
+ "_hasActiveAppearance",
+ "_hasActiveControls",
+ "_hasAttributedStringValue",
+ "_hasBezelBorder",
+ "_hasCursorRects",
+ "_hasCursorRectsForView:",
+ "_hasCustomColor",
+ "_hasDefaultButtonIndicator",
+ "_hasEditableCell",
+ "_hasImage",
+ "_hasImageMap",
+ "_hasParameter:forKeyword:",
+ "_hasSeparateArrows",
+ "_hasShadow",
+ "_hasSourceFile:context:",
+ "_hasTabs",
+ "_hasTitle",
+ "_hasWindowRef",
+ "_hasgState",
+ "_hashMarkDictionary",
+ "_hashMarkDictionaryForDocView:measurementUnitToBoundsConversionFactor:stepUpCycle:stepDownCycle:minimumHashSpacing:minimumLabelSpacing:",
+ "_hashMarkDictionaryForDocumentView:measurementUnitName:",
+ "_headerCellRectOfColumn:",
+ "_headerCellSizeOfColumn:",
+ "_headerData",
+ "_headerIdentifiersForKey:",
+ "_headerLevelForMarker:",
+ "_headerSizeOfColumn:",
+ "_headerValueForKey:",
+ "_headerValueForKey:fromData:",
+ "_headersRequiredForRouting",
+ "_heartBeatBufferWindow",
+ "_heartBeatThread:",
+ "_hello:",
+ "_helpBundleForObject:",
+ "_helpKeyForObject:",
+ "_helpWindow",
+ "_hide",
+ "_hideAllDrawers",
+ "_hideDropShadow",
+ "_hideHODWindow",
+ "_hideMenu:",
+ "_hideSheet",
+ "_hideStatus",
+ "_highlightCell:atRow:column:andDraw:",
+ "_highlightColor",
+ "_highlightColumn:clipRect:",
+ "_highlightRow:clipRect:",
+ "_highlightTabColor",
+ "_highlightTextColor",
+ "_highlightsWithHighlightRect",
+ "_hints",
+ "_hitTest:dragTypes:",
+ "_horizontalAdjustmentForItalicAngleAtHeight:",
+ "_horizontalResizeCursor",
+ "_horizontalScrollerSeparationHeight",
+ "_hostWithHostEntry:",
+ "_hostWithHostEntry:name:",
+ "_hoverAreaIsSameAsLast:",
+ "_htmlDocumentClass",
+ "_htmlString",
+ "_htmlTree",
+ "_html_findString:selectedRange:options:wrap:",
+ "_iconRef",
+ "_ignore:",
+ "_ignoreClick:",
+ "_ignoreSpellingFromMenu:",
+ "_image",
+ "_imageCellWithState:",
+ "_imageForDragAndDropCharRange:withOrigin:",
+ "_imageFromItemTitle:",
+ "_imageFromNewResourceLocation:",
+ "_imageNamed:",
+ "_imageRectWithRect:",
+ "_imageSizeWithSize:",
+ "_imagesFromIcon:inApp:zone:",
+ "_imagesHaveAlpha",
+ "_imagesWithData:zone:",
+ "_immutableStringCharacterSetWithArray:",
+ "_impl",
+ "_importLinkRec:",
+ "_inLiveResize",
+ "_inResize:",
+ "_inTSMPreProcess",
+ "_includeObject:container:",
+ "_incorporateMailFromIncoming",
+ "_index",
+ "_indexOfAttachment:",
+ "_indexOfFirstGlyphInTextContainer:okToFillHoles:",
+ "_indexOfMessageWithUid:startingIndex:endingIndex:",
+ "_indexOfPopupItemForLanguage:",
+ "_indexValueForListItem:",
+ "_indicatePrefix:",
+ "_indicatorImage",
+ "_indicatorImageForCellHeight:",
+ "_infoForFile:inColumn:isDir:isAutomount:info:",
+ "_init",
+ "_initAllFamBrowser",
+ "_initAsDefault:",
+ "_initCollectionBrowser",
+ "_initContent:styleMask:backing:defer:contentView:",
+ "_initContent:styleMask:backing:defer:counterpart:",
+ "_initContent:styleMask:backing:defer:screen:contentView:",
+ "_initData",
+ "_initFavoritesBrowser",
+ "_initFavoritesList:",
+ "_initFlippableViewCacheLock",
+ "_initFocusSelection",
+ "_initFontSetMatrix:withNames:",
+ "_initFromGlobalWindow:inRect:",
+ "_initFromGlobalWindow:inRect:styleMask:",
+ "_initInStatusBar:withLength:withPriority:",
+ "_initInfoDictionary",
+ "_initJobVars",
+ "_initLocks",
+ "_initNominalMappings",
+ "_initPaperNamePopUp",
+ "_initPathView",
+ "_initPrior298WithCoder:",
+ "_initPrior299WithCoder:",
+ "_initPrivData",
+ "_initRegion:ofLength:atAddress:",
+ "_initRemoteWithSignature:",
+ "_initServicesMenu:",
+ "_initSubviews",
+ "_initSubviewsForBodyDocument",
+ "_initSubviewsForFramesetDocument",
+ "_initSubviewsForRawDocument",
+ "_initThreeColumnBrowser",
+ "_initUnitsPopUp",
+ "_initWithArray:",
+ "_initWithAttributedString:isRich:",
+ "_initWithCGSEvent:eventRef:",
+ "_initWithContentSize:preferredEdge:",
+ "_initWithDIB:",
+ "_initWithData:",
+ "_initWithData:charsetHint:",
+ "_initWithData:fileType:",
+ "_initWithData:tiff:imageNumber:",
+ "_initWithDataOfUnknownEncoding:",
+ "_initWithDictionary:",
+ "_initWithDictionary:defaults:",
+ "_initWithEnd:offset:affinity:",
+ "_initWithHostEntry:name:",
+ "_initWithIconRef:includeThumbnail:",
+ "_initWithImageReader:",
+ "_initWithImpl:uniquedFileName:docInfo:imageData:parentWrapper:",
+ "_initWithItems:",
+ "_initWithMessage:sender:subject:dateReceived:",
+ "_initWithName:",
+ "_initWithName:fromPath:forDeviceType:lazy:",
+ "_initWithName:host:process:bundle:serverClass:keyBindings:",
+ "_initWithName:propertyList:",
+ "_initWithParagraphStyle:",
+ "_initWithPickers:",
+ "_initWithPlist:",
+ "_initWithRTFSelector:argument:documentAttributes:",
+ "_initWithRetainedCFSocket:protocolFamily:socketType:protocol:",
+ "_initWithSelectionTree:",
+ "_initWithSet:",
+ "_initWithSharedBitmap:rect:",
+ "_initWithSharedKitWindow:rect:",
+ "_initWithSize:depth:separate:alpha:allowDeep:",
+ "_initWithStart:offset:affinity:",
+ "_initWithStart:offset:end:offset:affinity:",
+ "_initWithStartRoot:index:endRoot:index:",
+ "_initWithThemeType:",
+ "_initWithURLFunnel:options:documentAttributes:",
+ "_initWithWindow:",
+ "_initWithWindowNumber:",
+ "_initWithoutAEDesc",
+ "_initialOffset",
+ "_initialize:::",
+ "_initializeArchiverMappings",
+ "_initializeMenu:target:selector:",
+ "_initializePanel:path:name:relativeToWindow:",
+ "_initializeRegisteredDefaults",
+ "_initializeUserInfoDict",
+ "_inputClientChangedStatus:inputClient:",
+ "_inputManagerInNextScript:",
+ "_insert:projNum:keyBuf:",
+ "_insertGlyphs:elasticAttributes:count:atGlyphIndex:characterIndex:",
+ "_insertItemInSortedOrderWithTitle:action:keyEquivalent:",
+ "_insertNodesForAttributes:underNode:",
+ "_insertObject:withGlobalID:",
+ "_insertObjectInSortOrder:",
+ "_insertProject:",
+ "_insertStatusItemWindow:withPriority:",
+ "_insertText:forInputManager:",
+ "_insertionGlyphIndexForDrag:",
+ "_insertionOrder",
+ "_insertionPointDisabled",
+ "_insetRect:",
+ "_inspectedHTMLView",
+ "_installOpenRecentsMenu",
+ "_installRulerAccViewForParagraphStyle:ruler:enabled:",
+ "_instantiateProjectNamed:inDirectory:appendProjectExtension:",
+ "_intValue",
+ "_internalFontList",
+ "_internalIndicesOfObjectsByEvaluatingWithContainer:count:",
+ "_internalThreadId",
+ "_intersectsBitVectorMaybeCompressed:",
+ "_invalidLabelSize",
+ "_invalidate",
+ "_invalidateBlinkTimer:",
+ "_invalidateCache",
+ "_invalidateConnectionsAsNecessary:",
+ "_invalidateDictionary:newTime:",
+ "_invalidateDisplayIfNeeded",
+ "_invalidateFocus",
+ "_invalidateGStatesForTree",
+ "_invalidateGlyphsForCharacterRange:editedCharacterRange:changeInLength:actualCharacterRange:",
+ "_invalidateGlyphsForExtendedCharacterRange:changeInLength:",
+ "_invalidateImageTypeCaches",
+ "_invalidateInsertionPoint",
+ "_invalidateLayoutForExtendedCharacterRange:isSoft:",
+ "_invalidateLiveResizeCachedImage",
+ "_invalidateMatrices",
+ "_invalidateObject:withGlobalID:",
+ "_invalidateObjectWithGlobalID:",
+ "_invalidateObjectsWithGlobalIDs:",
+ "_invalidateTabsCache",
+ "_invalidateTimers",
+ "_invalidateTitleCellSize",
+ "_invalidateTitleCellWidth",
+ "_invalidateUsageForTextContainersInRange:",
+ "_invalidatedAllObjectsInStore:",
+ "_invalidatedAllObjectsInSubStore:",
+ "_invertedIndex",
+ "_invokeActionByKeyForCurrentlySelectedItem",
+ "_invokeEditorNamed:forItem:",
+ "_isAbsolute",
+ "_isActivated",
+ "_isAncestorOf:",
+ "_isAnimatingDefaultCell",
+ "_isButtonBordered",
+ "_isCString",
+ "_isCached",
+ "_isCanonEncoding",
+ "_isClosable",
+ "_isCtrlAltForHelpDesired",
+ "_isDaylightSavingTimeForAbsoluteTime:",
+ "_isDeactPending",
+ "_isDeadkey",
+ "_isDecomposable",
+ "_isDefaultFace",
+ "_isDefaultFavoritesObject:inContainer:",
+ "_isDialog",
+ "_isDocWindow",
+ "_isDoingHide",
+ "_isDoingOpenFile",
+ "_isDoingUnhide",
+ "_isDraggable",
+ "_isDrawingToHeartBeatWindow",
+ "_isEditing",
+ "_isEditingTextView:",
+ "_isEmptyMovie",
+ "_isEnabled",
+ "_isEventProcessingDisabled",
+ "_isFakeFixedPitch",
+ "_isFatFile:size:",
+ "_isFaxTypeString:",
+ "_isFilePackage:",
+ "_isFilePackageExtension:",
+ "_isFirstResponderASubview",
+ "_isFontUnavailable:",
+ "_isGrabber",
+ "_isHidden",
+ "_isImageCache",
+ "_isImagedByWindowServer",
+ "_isInUse",
+ "_isInsideImageMapForEvent:inFrame:",
+ "_isInternalFontName:",
+ "_isKeyWindow",
+ "_isLicensedForFeature:",
+ "_isLink:",
+ "_isLoaded",
+ "_isMenuMnemonicString:",
+ "_isMiniaturizable",
+ "_isPoint:inDragZoneOfRow:",
+ "_isPrintFilterDeviceDependent:",
+ "_isRecyclable",
+ "_isResizable",
+ "_isReturnStructInRegisters",
+ "_isRuleValid:",
+ "_isRunningAppModal",
+ "_isRunningDocModal",
+ "_isRunningModal",
+ "_isRunningOnAppKitThread",
+ "_isScriptingEnabled",
+ "_isScrolling",
+ "_isSettingMarkedText",
+ "_isSheet",
+ "_isTerminating",
+ "_isThreadedAnimationLooping",
+ "_isUpdated",
+ "_isUsedByCell",
+ "_isUtility",
+ "_isValid",
+ "_isViewingMessage",
+ "_isVisibleUsingCache:",
+ "_itemAdded:",
+ "_itemChanged:",
+ "_itemForView:",
+ "_itemHit:",
+ "_itemInStatusBar:withLength:withPriority:",
+ "_itemRemoved:",
+ "_itemsFromRows:",
+ "_ivars",
+ "_justOrderOut",
+ "_keyArray",
+ "_keyBindingManager",
+ "_keyBindingMonitor",
+ "_keyEquivalentGlyphWidth",
+ "_keyEquivalentModifierMask:matchesModifierFlags:",
+ "_keyEquivalentModifierMaskMatchesModifierFlags:",
+ "_keyEquivalentSizeWithFont:",
+ "_keyEquivalentUniquingDescriptionForMenu:",
+ "_keyForAppleEventCode:",
+ "_keyListForKeyNode:",
+ "_keyPath:",
+ "_keyRowOrSelectedRowOfMatrix:inColumn:",
+ "_keyWindow",
+ "_keyboardFocusRingFrameForRect:",
+ "_keyboardIsOldNeXT",
+ "_keyboardModifyRow:column:withEvent:",
+ "_keyboardUIActionForEvent:",
+ "_kitNewObjectSetVersion:",
+ "_kitOldObjectSetVersion:",
+ "_kludgeScrollBarForColumn:",
+ "_knowsPagesFirst:last:",
+ "_kvcMapForClass:",
+ "_labelCell",
+ "_labelRectForTabRect:forItem:",
+ "_langList",
+ "_lastDragDestinationOperation",
+ "_lastDraggedEventFollowing:",
+ "_lastDraggedOrUpEventFollowing:",
+ "_lastEventRecordTime",
+ "_lastKeyView",
+ "_lastLeftHit",
+ "_lastOnScreenContext",
+ "_lastRightHit",
+ "_launchLDAPQuery:",
+ "_launchPrintFilter:file:deviceDependent:",
+ "_launchService:andWait:",
+ "_launchSpellChecker:",
+ "_layoutBoxesOnView:boxSize:boxes:buttons:rows:columns:",
+ "_layoutTabs",
+ "_ldapScope",
+ "_leading",
+ "_learn:",
+ "_learnOrForgetOrInvalidate:word:dictionary:language:ephemeral:",
+ "_learnSpellingFromMenu:",
+ "_learnWord:inDictionary:",
+ "_leftEdgeOfSelection:hasGlyphRange:",
+ "_leftFrameRect",
+ "_leftGroupRect",
+ "_lengthForSize:",
+ "_lightBlueColor",
+ "_lightWeightRecursiveDisplayInRect:",
+ "_lightYellowColor",
+ "_lineFragmentDescription:",
+ "_link:toBuddy:",
+ "_linkDragCursor",
+ "_listingForPath:listAllChildren:",
+ "_liveResizeCachedImage",
+ "_liveResizeCachedImageIsValid",
+ "_loadActiveTable:",
+ "_loadAllEmailAddresses",
+ "_loadAllFamiliesBrowser:",
+ "_loadAttributes",
+ "_loadBundle",
+ "_loadBundles",
+ "_loadBundlesFromPath:",
+ "_loadColFamilies:",
+ "_loadColorLists",
+ "_loadColorSyncFrameworkIfNeeded",
+ "_loadColors",
+ "_loadData",
+ "_loadDeadKeyData",
+ "_loadFaces",
+ "_loadFamilies",
+ "_loadFamiliesFromDict:",
+ "_loadFontFiles",
+ "_loadFontSets",
+ "_loadHTMLFrameworkIfNeeded",
+ "_loadHTMLMessage:",
+ "_loadHTMLString",
+ "_loadImageFromTIFF:imageNumber:",
+ "_loadImageInfoFromTIFF:",
+ "_loadImageWithName:",
+ "_loadKeyboardBindings",
+ "_loadMailAccounts",
+ "_loadMailboxCacheForMailboxesAtPath:listAllChildren:",
+ "_loadMailboxListingIntoCache:attributes:withPrefix:",
+ "_loadMatrix:withElements:makeLeaves:",
+ "_loadMessageIntoTextView",
+ "_loadNibFile:nameTable:withZone:ownerBundle:",
+ "_loadPanelAccessoryNib",
+ "_loadPickerBundlesIn:expectLibraryLayout:",
+ "_loadRecentsIfNecessary",
+ "_loadSeenFileFromDisk",
+ "_loadServersList",
+ "_loadServicesMenuData",
+ "_loadSizes",
+ "_loadSpecialPathsForSortingChildMailboxes",
+ "_loadSuitesForExistingBundles",
+ "_loadSuitesForLoadedBundle:",
+ "_loadSystemScreenColorList",
+ "_loadTextView",
+ "_loadTypeObject:",
+ "_loadedCellAtRow:column:inMatrix:",
+ "_localObjectForGlobalID:",
+ "_localizedColorListName",
+ "_localizedKeyForKey:language:",
+ "_localizedNameForColorWithName:",
+ "_localizedNameForListOrColorNamed:",
+ "_localizedTypeString:",
+ "_locationForPopUpMenuWithFrame:",
+ "_locationOfColumn:",
+ "_locationOfPoint:",
+ "_locationOfRow:",
+ "_lockCachedImage",
+ "_lockFirstResponder",
+ "_lockFocusNoRecursion",
+ "_lockFocusOnRep:",
+ "_lockForReading",
+ "_lockForWriting",
+ "_lockName",
+ "_lockQuickDrawPort",
+ "_lockUnlockCachedImage:",
+ "_lockViewHierarchyForDrawing",
+ "_lockViewHierarchyForDrawingWithExceptionHandler:",
+ "_lockViewHierarchyForModification",
+ "_logUnavailableFont:",
+ "_longLongValue",
+ "_lookingBackward:fromPosition:inNode:seesWhitespace:whichIsASpaceCharacter:",
+ "_lookingBackwardSeesWhitespace:whichIsASpaceCharacter:",
+ "_lookingForwardSeesWhitespace:whichIsASpaceCharacter:",
+ "_lookup:",
+ "_loopHit:row:col:",
+ "_magnify:",
+ "_mailboxNameForAccountRelativePath:",
+ "_mailboxNameForName:",
+ "_mainStatusChanged:",
+ "_mainWindow",
+ "_maintainCell",
+ "_makeCellForMenuItemAtIndex:",
+ "_makeCursors",
+ "_makeDictionaryWithCapacity:",
+ "_makeDownCellKey",
+ "_makeEditable::::",
+ "_makeEnumFor:withMode:",
+ "_makeHODWindowsPerform:",
+ "_makeKeyNode:inKeyNode:",
+ "_makeLeftCellKey",
+ "_makeMiniView",
+ "_makeModalWindowsPerform:",
+ "_makeNewFontCollection:",
+ "_makeNewListFrom:",
+ "_makeNewSizeLegal:",
+ "_makeNextCellKey",
+ "_makeNextCellOrViewKey",
+ "_makePathEnumFor:withMode:andInode:",
+ "_makePathEnumForMasking:inode:",
+ "_makePreviousCellKey",
+ "_makePreviousCellOrViewKey",
+ "_makeRightCellKey",
+ "_makeRootNode",
+ "_makeScalePopUpButton",
+ "_makeSelfMutable",
+ "_makeSpecialFontName:size:matrix:bit:",
+ "_makeTable:inNode:",
+ "_makeUpCellKey",
+ "_makingFirstResponderForMouseDown",
+ "_mapActiveTableAt:",
+ "_markEndOfEvent:",
+ "_markEndWithLastEvent:",
+ "_markSelectionIsChanging",
+ "_markSelfAsDirtyForBackgroundLayout:",
+ "_markUsedByCell",
+ "_markerAreaRect",
+ "_markerForHeaderLevel:",
+ "_markerHitTest:",
+ "_masterPathFor:",
+ "_matchesCharacter:",
+ "_matchesTextStyleFromArray:",
+ "_maxRuleAreaRect",
+ "_maxTitlebarTitleRect",
+ "_maxWidth",
+ "_maxXBorderRect",
+ "_maxXResizeRect",
+ "_maxXTitlebarBorderThickness",
+ "_maxXTitlebarButtonsWidth",
+ "_maxXTitlebarDecorationMinWidth",
+ "_maxXTitlebarDragWidth",
+ "_maxXTitlebarLinesRectWithTitleCellRect:",
+ "_maxXTitlebarResizeRect",
+ "_maxXWindowBorderWidth",
+ "_maxXWindowBorderWidth:",
+ "_maxXmaxYResizeRect",
+ "_maxXminYResizeRect",
+ "_maxYBorderRect",
+ "_maxYResizeRect",
+ "_maxYTitlebarDragHeight",
+ "_maxYmaxXResizeRect",
+ "_maxYminXResizeRect",
+ "_maybeScrollMenu",
+ "_maybeSubstitutePopUpButton",
+ "_mboxData",
+ "_measuredContents",
+ "_menu",
+ "_menuBarShouldSpanScreen",
+ "_menuCellInitWithCoder:",
+ "_menuChanged",
+ "_menuDidSendAction:",
+ "_menuImpl",
+ "_menuItemDictionaries",
+ "_menuName",
+ "_menuPanelInitWithCoder:",
+ "_menuScrollAmount",
+ "_menuScrollingOffset",
+ "_menuWillSendAction:",
+ "_menusWithName:",
+ "_mergeEntry:at:",
+ "_mergeFromBom:usingListOfPathsLists:",
+ "_mergeFromTable:toDir:toTable:",
+ "_mergeGlyphHoles",
+ "_mergeLayoutHoles",
+ "_mergeObject:withChanges:",
+ "_mergeValue:forKey:",
+ "_mergeVariantListsIntoTree:",
+ "_messageBeingViewed",
+ "_messageForUid:",
+ "_messageSetForNumbers:",
+ "_messageSetForRange:",
+ "_mightHaveSpellingAttributes",
+ "_minLinesWidthWithSpace",
+ "_minParentWindowContentSize",
+ "_minSize",
+ "_minSizeForDrawers",
+ "_minXBorderRect",
+ "_minXLocOfOutlineColumn",
+ "_minXResizeRect",
+ "_minXTitleOffset",
+ "_minXTitlebarBorderThickness",
+ "_minXTitlebarButtonsWidth",
+ "_minXTitlebarDecorationMinWidth",
+ "_minXTitlebarDecorationMinWidth:",
+ "_minXTitlebarDragWidth",
+ "_minXTitlebarLinesRectWithTitleCellRect:",
+ "_minXTitlebarResizeRect",
+ "_minXWindowBorderWidth",
+ "_minXWindowBorderWidth:",
+ "_minXmaxYResizeRect",
+ "_minXminYResizeRect",
+ "_minYBorderRect",
+ "_minYResizeRect",
+ "_minYWindowBorderHeight",
+ "_minYWindowBorderHeight:",
+ "_minYmaxXResizeRect",
+ "_minYminXResizeRect",
+ "_miniaturizedOrCanBecomeMain",
+ "_minimizeToDock",
+ "_minimumSizeNeedForTabItemLabel:",
+ "_mkdirs:",
+ "_modifySelectionWithEvent:onColumn:",
+ "_monitorKeyBinding:flags:",
+ "_monitorStoreForChanges",
+ "_mostCompatibleCharset:",
+ "_mouseActivationInProgress",
+ "_mouseDownListmode:",
+ "_mouseDownNonListmode:",
+ "_mouseDownSimpleTrackingMode:",
+ "_mouseHit:row:col:",
+ "_mouseInGroup:",
+ "_mouseLoop::::::",
+ "_mouseMoved:",
+ "_moveCursor",
+ "_moveDown:",
+ "_moveDownAndModifySelection:",
+ "_moveDownWithEvent:",
+ "_moveGapAndMergeWithBlockRange:",
+ "_moveGapToBlockIndex:",
+ "_moveInDirection:",
+ "_moveLeftWithEvent:",
+ "_moveParent:andOpenSheet:",
+ "_moveRightWithEvent:",
+ "_moveUp:",
+ "_moveUpAndModifySelection:",
+ "_moveUpWithEvent:",
+ "_movieIdle",
+ "_mutableCopyFromSnapshot",
+ "_mutableParagraphStyle",
+ "_mutableStringClass",
+ "_mutate",
+ "_mutateTabStops",
+ "_name",
+ "_nameForPaperSize:",
+ "_nameOfDictionaryForDocumentTag:",
+ "_needRedrawOnWindowChangedKeyState",
+ "_needToThinForArchs:numArchs:",
+ "_needsDisplayfromColumn:",
+ "_needsDisplayfromRow:",
+ "_needsOutline",
+ "_needsToUseHeartBeatWindow",
+ "_nestedEventsOfClass:type:",
+ "_newButtonOfClass:withNormalIconNamed:alternateIconNamed:action:",
+ "_newChangesFromInvalidatingObjectsWithGlobalIDs:",
+ "_newColorName:",
+ "_newData:",
+ "_newDictionary:",
+ "_newDictionaryForProperties",
+ "_newDocumentWithHTMLString:",
+ "_newFirstResponderAfterResigning",
+ "_newFolder:",
+ "_newImageName:",
+ "_newLazyIconRefRepresentation:ofSize:",
+ "_newLazyRepresentation:::",
+ "_newList:",
+ "_newListName:",
+ "_newNode:",
+ "_newObjectForPath:",
+ "_newReplicatePath:ref:atPath:ref:operation:fileMap:handler:",
+ "_newRepresentation:",
+ "_newScroll:",
+ "_newSubstringFromRange:zone:",
+ "_newSubstringWithRange:zone:",
+ "_newUncommittedChangesForObject:",
+ "_newUncommittedChangesForObject:fromSnapshot:",
+ "_newWithName:fromPath:forDeviceType:",
+ "_nextEvent",
+ "_nextEventAfterHysteresisFromPoint:",
+ "_nextInputManagerInScript:",
+ "_nextReferenceName",
+ "_nextToken",
+ "_nextValidChild:ofParent:",
+ "_nextValidChildLink:ofParent:",
+ "_nextValidChildObject:ofParentInode:andParentPath:",
+ "_nextValidChildPath:ofParentInode:andParentPath:childInode:isDirectory:",
+ "_nextValidChildPath:ofParentInode:andParentPath:childInode:isDirectory:isFile:",
+ "_nibName",
+ "_noVerticalAutosizing",
+ "_nominalChars",
+ "_nominalGlyphs",
+ "_nominalSizeNeedForTabItemLabel:",
+ "_normalListmodeDown::::",
+ "_noteLengthAndSelectedRange:",
+ "_notifyEdited:range:changeInLength:invalidatedRange:",
+ "_notifyIM:withObject:",
+ "_numberByTranslatingNumericDescriptor:",
+ "_numberOfGlyphs",
+ "_numberOfNominalMappings",
+ "_numberOfTitlebarLines",
+ "_numberStringForValueObject:withBuffer:andNegativeFlag:",
+ "_numericIndicatorCell",
+ "_nxeventTime",
+ "_obeysHiddenBit",
+ "_objectBasedChangeInfoForGIDInfo:",
+ "_objectForPropertyList:",
+ "_objectInSortedArrayWithName:",
+ "_objectValue:forString:",
+ "_objectWithName:",
+ "_objectsChangedInStore:",
+ "_objectsChangedInSubStore:",
+ "_objectsForPropertyList:",
+ "_objectsFromParenthesizedString:spacesSeparateItems:intoArray:",
+ "_objectsInitializedInSharedContext:",
+ "_observeUndoManagerNotifications",
+ "_offset",
+ "_okToDisplayFeature:",
+ "_oldFirstResponderBeforeBecoming",
+ "_oldPlaceWindow:",
+ "_oldSignaturesPath",
+ "_onDevicePathOfPaths:",
+ "_open",
+ "_open:",
+ "_open:fromImage:withName:",
+ "_openDictionaries:",
+ "_openDrawer",
+ "_openDrawerOnEdge:",
+ "_openFile:",
+ "_openFile:withApplication:asService:andWait:andDeactivate:",
+ "_openFileWithoutUI:",
+ "_openFileWrapper:atPath:withAppSpec:",
+ "_openList:",
+ "_openList:fromFile:",
+ "_openRegion:ofLength:atAddress:",
+ "_openUntitled",
+ "_openUserFavorites",
+ "_openVersionOfIndexPath:",
+ "_openableFileExtensions",
+ "_operationInfo",
+ "_optimizeHighlightForCharRange:charRange:fullSelectionCharRange:oldSelectionFullCharRange:",
+ "_optimizeOk:directPath:",
+ "_optimizedRectFill:gray:",
+ "_orderFrontHelpWindow",
+ "_orderFrontModalWindow:relativeToWindow:",
+ "_orderFrontRelativeToWindow:",
+ "_orderOutAndCalcKeyWithCounter:",
+ "_orderOutHelpWindow",
+ "_orderOutHelpWindowAfterEventMask:",
+ "_orderOutRelativeToWindow:",
+ "_orderedWindowsWithPanels:",
+ "_originPointInRuler",
+ "_ownedByPopUp",
+ "_ownerChanged",
+ "_owningPopUp",
+ "_packedGlyphs:range:length:",
+ "_pageDownWithEvent:",
+ "_pageUpWithEvent:",
+ "_pagesPerSheetFromLayoutList",
+ "_panelInitWithCoder:",
+ "_parseArchivedList:",
+ "_parseCompilerDescription:into:",
+ "_parseCompilersDescriptions",
+ "_parseGenericFetchResponse:expect:",
+ "_parseMenuString:menuName:itemName:",
+ "_parseMessageSkeleton:expect:",
+ "_parsePantoneLikeList:fileName:",
+ "_parseParenthesizedStringUsingScanner:spacesSeparateItems:intoArray:",
+ "_parseReleaseTwoList:",
+ "_parseReturnedLine:containsLiteral:",
+ "_pasteItems:",
+ "_pasteboardWithName:",
+ "_path:matchesPattern:",
+ "_pathForResource:ofType:inDirectory:forRegion:",
+ "_pathTo:",
+ "_pathsForResourcesOfType:inDirectory:forRegion:",
+ "_patternListFromListOfPathsLists:",
+ "_pendFlagsChangedUids:trueFlags:falseFlags:",
+ "_pendingActCount",
+ "_performDragFromMouseDown:",
+ "_persistentStateKey",
+ "_pickedButton:",
+ "_pickedJobFeatureButton:",
+ "_pickedOptions:",
+ "_pinDocRect",
+ "_pixelFormatAuxiliary",
+ "_placeEntry:at:",
+ "_placeHelpWindowNear:",
+ "_placement",
+ "_plainFontNameForFont:",
+ "_plainString",
+ "_platformExitInformation",
+ "_playSelectedSound",
+ "_plistRepresentation",
+ "_pmPageFormat",
+ "_pmPrintSession",
+ "_pmPrintSettings",
+ "_pointForTopOfBeginningOfCharRange:",
+ "_pointFromColor:",
+ "_pointInPicker:",
+ "_popAccountMailbox",
+ "_popState",
+ "_popUpButton",
+ "_popUpButtonCellInstances",
+ "_popUpContextMenu:withEvent:forView:",
+ "_popUpItemAction:",
+ "_popUpMenuCurrentlyInvokingAction",
+ "_popUpMenuWithEvent:forView:",
+ "_portNumber",
+ "_position",
+ "_positionAllDrawers",
+ "_positionSheetOnRect:",
+ "_positionWindow",
+ "_posixPathComponentsWithPath:",
+ "_postAsapNotificationsForMode:",
+ "_postAtStart:",
+ "_postAtStartCore:",
+ "_postBoundsChangeNotification",
+ "_postCheckpointNotification",
+ "_postColumnDidMoveNotificationFromColumn:toColumn:",
+ "_postColumnDidResizeNotificationWithOldWidth:",
+ "_postEventHandling",
+ "_postFrameChangeNotification",
+ "_postIdleNotificationsForMode:",
+ "_postInit",
+ "_postInitWithCoder:signature:valid:wireSignature:target:selector:argCount:",
+ "_postInvalidCursorRects",
+ "_postItemDidCollapseNotification:",
+ "_postItemDidExpandNotification:",
+ "_postItemWillCollapseNotification:",
+ "_postItemWillExpandNotification:",
+ "_postMailAccountsHaveChanged",
+ "_postNotificationWithMangledName:object:userInfo:",
+ "_postSelectionDidChangeNotification",
+ "_postSelectionIsChangingAndMark:",
+ "_postSubthreadEvents",
+ "_postWindowNeedsDisplay",
+ "_postingDisabled",
+ "_potentialMaxSize",
+ "_potentialMinSize",
+ "_preEventHandling",
+ "_preInitSetMatrix:fontSize:",
+ "_preInitWithCoder:signature:valid:wireSignature:target:selector:argCount:",
+ "_preciseDuration",
+ "_preciseDurationWithoutSubevents",
+ "_preferredOrderForFetchingMessageBodies:",
+ "_preferredRowsToDisplay",
+ "_prefersTrackingWhenDisabled",
+ "_preflightSelection:",
+ "_prepareEventGrouping",
+ "_prepareHelpWindow:locationHint:",
+ "_preparePrintStream",
+ "_prepareSavePanel",
+ "_prepareToMessageClients",
+ "_previousNextTab:loop:",
+ "_primitiveInvalidateDisplayForGlyphRange:",
+ "_primitiveSetNextKeyView:",
+ "_primitiveSetPreviousKeyView:",
+ "_printAndPaginateWithOperation:helpedBy:",
+ "_printFile:",
+ "_printFontCollection",
+ "_printNode:context:",
+ "_printPackagePath",
+ "_printPagesWithOperation:helpedBy:",
+ "_printerWithType:",
+ "_prior299InitObject:withCoder:",
+ "_processDeletedObjects",
+ "_processEndOfEventNotification:",
+ "_processEndOfEventObservers:",
+ "_processGlobalIDChanges:",
+ "_processHeaders",
+ "_processInitializedObjectsInSharedContext:",
+ "_processKeyboardUIKey:",
+ "_processNeXTMailAttachmentHeaders:",
+ "_processNewData:",
+ "_processNotificationQueue",
+ "_processObjectStoreChanges:",
+ "_processOwnedObjectsUsingChangeTable:deleteTable:",
+ "_processRecentChanges",
+ "_processRequest:",
+ "_processRequest:named:usingPasteboard:",
+ "_processResponseFromSelectCommand:forMailbox:errorMessage:",
+ "_processSynchronizedDeallocation",
+ "_procid",
+ "_promoteGlyphStoreToFormat:",
+ "_promptUserForPassword",
+ "_promulgateSelection:",
+ "_propagateDirtyRectsToOpaqueAncestors",
+ "_propertyDictionaryForKey:",
+ "_propertyDictionaryInitializer",
+ "_propertyList",
+ "_provideAllPromisedData",
+ "_provideNewViewFor:initialViewRequest:",
+ "_provideTotalScaleFactorForPrintOperation:",
+ "_pruneEventTree:",
+ "_pullsDown",
+ "_pushSet:",
+ "_pushState",
+ "_qualifierArrayFromDictionary:",
+ "_queueRequestForThread:invocation:conversation:sequence:coder:",
+ "_radioHit:row:col:",
+ "_raiseIfNotLicencedForFeature:message:",
+ "_randomUnsignedLessThan:",
+ "_rangeByEstimatingAttributeFixingForRange:",
+ "_rangeByTrimmingWhitespaceFromRange:",
+ "_rangeForMoveDownFromRange:verticalDistance:desiredDistanceIntoContainer:selectionAffinity:",
+ "_rangeForMoveUpFromRange:verticalDistance:desiredDistanceIntoContainer:selectionAffinity:",
+ "_rangeOfPrefixFittingWidth:withAttributes:",
+ "_rangeOfPrefixFittingWidth:withFont:",
+ "_rangeOfSuffixFittingWidth:withAttributes:",
+ "_rangeOfSuffixFittingWidth:withFont:",
+ "_ranges",
+ "_rawAddColor:key:",
+ "_rawDefaultGlyphForChar:",
+ "_rawKeyEquivalent",
+ "_rawKeyEquivalentModifierMask",
+ "_rawSetSelectedIndex:",
+ "_readAndRetainFileNamed:makeCompact:",
+ "_readArgument:dataStream:",
+ "_readArguments:dataStream:",
+ "_readAttribute:dataStream:",
+ "_readAttributes:",
+ "_readBasicMetricsForSize:allowFailure:",
+ "_readBytesIntoStringOrData:length:",
+ "_readClass:",
+ "_readClassesInSuite:dataStream:",
+ "_readColorIntoRange:fromPasteboard:",
+ "_readCommand:dataStream:",
+ "_readCommands:dataStream:suiteID:",
+ "_readElement:dataStream:",
+ "_readElements:",
+ "_readFilenamesIntoRange:fromPasteboard:",
+ "_readFilesystemForChildrenAtFullPath:",
+ "_readFontIntoRange:fromPasteboard:",
+ "_readImageIntoRange:fromPasteboard:",
+ "_readLine",
+ "_readLineIntoDataOrString:",
+ "_readMultilineResponseWithMaxSize:intoMutableData:",
+ "_readPersistentExpandItems",
+ "_readPersistentTableColumns",
+ "_readPluralNameForCode:fromDict:dataStream:",
+ "_readRTFDIntoRange:fromPasteboard:",
+ "_readRTFIntoRange:fromPasteboard:",
+ "_readRecord",
+ "_readResponseRange:isContinuation:",
+ "_readRulerIntoRange:fromPasteboard:",
+ "_readStringIntoRange:fromPasteboard:",
+ "_readSuites:",
+ "_readSynonym:inSuite:dataStream:",
+ "_readSynonymsInSuite:dataStream:",
+ "_readUntilResultCodeForCommandNumber:",
+ "_readVersion0:",
+ "_realCloneFont:withFlag:",
+ "_realControlTint",
+ "_realControlTintForView:",
+ "_realCopyPSCodeInside:helpedBy:",
+ "_realCreateContext",
+ "_realDestroyContext",
+ "_realDoModalLoop:peek:",
+ "_realDraggingDelegate",
+ "_realHeartBeatThreadContext",
+ "_realPrintPSCode:helpedBy:doPanel:forFax:",
+ "_realPrintPSCode:helpedBy:doPanel:forFax:preloaded:",
+ "_reallocColors:",
+ "_reallyChooseGuess:",
+ "_reallyDoOrderWindow:relativeTo:findKey:forCounter:force:isModal:",
+ "_reallySave:",
+ "_reallyUpdateTextViewerToSelection",
+ "_reattachSubviews:",
+ "_rebuildOrUpdateServicesMenu:",
+ "_rebuildTableOfContentsSynchronously",
+ "_recacheButtonColors",
+ "_recacheLabelText",
+ "_recacheLabelledItem",
+ "_recalculateTitleWidth",
+ "_recalculateUsageForTextContainerAtIndex:",
+ "_receiveHandlerRef",
+ "_recentDocumentsLimit",
+ "_recentFolders",
+ "_reconfigureAnimationState:",
+ "_rectArrayForRange:withinSelectionRange:rangeIsCharRange:singleRectOnly:fullLineRectsOnly:inTextContainer:rectCount:rangeWithinContainer:glyphsDrawOutsideLines:",
+ "_rectForAttachment:",
+ "_rectOfColumnRange:",
+ "_rectOfRowRange:",
+ "_rectToDisplayForItemAtIndex:",
+ "_rectValueByTranslatingQDRectangle:",
+ "_rectsForBounds:",
+ "_recurWithContext:chars:glyphs:stringBuffer:font:",
+ "_recursiveBreakKeyViewLoop",
+ "_recursiveDisplayAllDirtyWithLockFocus:visRect:",
+ "_recursiveDisplayRectIfNeededIgnoringOpacity:isVisibleRect:rectIsVisibleRectForView:topView:",
+ "_recursiveEnableItems",
+ "_recursiveFindDefaultButtonCell",
+ "_recursiveSetDefaultKeyViewLoop",
+ "_recursivelyAddItemsInMenu:toTable:",
+ "_recursivelyRemoveFullPath:",
+ "_recursivelyRemoveItemsInMenu:fromTable:",
+ "_redirectedHandle",
+ "_redisplayFromRow:",
+ "_reflectDocumentViewBoundsChange",
+ "_reflectFont:",
+ "_refresh:",
+ "_refreshAfterAddingAddressBook:",
+ "_refreshArchInfo",
+ "_refreshWindows",
+ "_regionsArray",
+ "_registerAllDrawersForDraggedTypesIfNeeded",
+ "_registerBundleForNotifications",
+ "_registerClearStateWithUndoManager",
+ "_registerDragTypes:",
+ "_registerDragTypesIfNeeded",
+ "_registerForApplicationNotifications",
+ "_registerForCompletion:",
+ "_registerForStoreNotifications",
+ "_registerMailtoHandler:",
+ "_registerMenuForKeyEquivalentUniquing:",
+ "_registerMenuItemForKeyEquivalentUniquing:",
+ "_registerServicesMenu:withSendTypes:andReturnTypes:addToList:",
+ "_registerSynonym:forClassName:inSuite:",
+ "_registerUndoObject:",
+ "_registerUnitWithName:abbreviation:unitToPointsConversionFactor:stepUpCycle:stepDownCycle:",
+ "_registerWithDock",
+ "_registerWithDockIfNeeded",
+ "_registrationDictionaryForUnitNamed:",
+ "_relativeURLPath",
+ "_releaseEvents",
+ "_releaseInput",
+ "_releaseKVCMaps",
+ "_releaseLiveResizeCachedImage",
+ "_releaseUndoManager",
+ "_releaseWireCount:",
+ "_reloadChildrenOfFolderAtPath:",
+ "_reloadFontInfoIfNecessary:",
+ "_remainingString",
+ "_remove:",
+ "_remove:andAddMultipleToTypingAttributes:",
+ "_removeAFileWithPath:cursor:maskFunction:maskData:",
+ "_removeAlignmentOnChildren",
+ "_removeAllDrawersImmediately:",
+ "_removeAllItemsInGetNewMailInAccountMenu",
+ "_removeBottom",
+ "_removeButtons",
+ "_removeColor:",
+ "_removeCursorRect:cursor:forView:",
+ "_removeFrameUsingName:domain:",
+ "_removeFromFontCollection",
+ "_removeFromFontCollection:",
+ "_removeFromFontFavorites:",
+ "_removeFromGroups:",
+ "_removeFromKeyViewLoop",
+ "_removeFromLinkGroup:",
+ "_removeFromWindowsMenu:",
+ "_removeFullPath:",
+ "_removeHardLinkWithPath:cursor:",
+ "_removeHeartBeartClientView:",
+ "_removeHelpKeyForObject:",
+ "_removeHiddenWindow:",
+ "_removeInstance:",
+ "_removeInternalRedFromTextAttributesOfNegativeValues",
+ "_removeItem:fromTable:",
+ "_removeItemsFromMenu:start:stop:",
+ "_removeLeaf:",
+ "_removeLeftoverIndexFiles",
+ "_removeLeftoversFromSeenFileUsingIDs:",
+ "_removeLink:",
+ "_removeLinkGroupContaining:",
+ "_removeLinkLeaf:links:",
+ "_removeList:",
+ "_removeLockFile:",
+ "_removeMainLeaf:",
+ "_removeMessagesFromIndex:",
+ "_removeNextPointersToMe",
+ "_removeNotifications",
+ "_removeObserver:notificationNamesAndSelectorNames:object:",
+ "_removeObserversForCompletion:",
+ "_removeOrRename:",
+ "_removeParentsForStyles:useMatch:",
+ "_removePreviousPointersToMe",
+ "_removeRectAtIndex:",
+ "_removeRectForAttachment:",
+ "_removeSoundMenuItems",
+ "_removeSpellingAttributeForRange:",
+ "_removeStaleFilesFromCacheDirectory",
+ "_removeStaleItem:",
+ "_removeStatusItemWindow:",
+ "_removeSubview:",
+ "_removeToolTip",
+ "_removeTrackingRect",
+ "_removeUsingListOfPathsLists:",
+ "_removeWindow:",
+ "_removeWindowFromCache:",
+ "_rename:",
+ "_rename:as:",
+ "_renameCollectionComplete:",
+ "_renameColor:",
+ "_renameFavoriteComplete:",
+ "_renameFontCollection:",
+ "_renameFontFavorite:",
+ "_renameList:",
+ "_renderPrintInfo:faxing:showPanels:",
+ "_renderStaleItems",
+ "_renderedImage",
+ "_renewDisplay",
+ "_reorderColumn:withEvent:",
+ "_repeatMultiplier:",
+ "_repeatTime",
+ "_replaceAccessoryView:with:topView:bottomView:",
+ "_replaceAllAppearancesOfString:withString:",
+ "_replaceChild:withChildren:",
+ "_replaceFirstAppearanceOfString:withString:",
+ "_replaceLastAppearanceOfString:withString:",
+ "_replaceObject:",
+ "_replaceObject:forKey:",
+ "_replaceObject:withObject:",
+ "_replaceStringOfLastLoadedMessage:newUid:",
+ "_replaceWithItem:addingStyles:removingStyles:",
+ "_replicate:",
+ "_replicatePath:atPath:operation:fileMap:handler:",
+ "_replyMessageToAll:",
+ "_replySequenceNumber:ok:",
+ "_replyToLaunch",
+ "_replyToOpen:",
+ "_requestNotification",
+ "_requiresCacheWithAlpha:",
+ "_reserved",
+ "_reset",
+ "_resetAllChanges",
+ "_resetAllChanges:",
+ "_resetAllDrawersDisableCounts",
+ "_resetAllDrawersPostingCounts",
+ "_resetAllMessages",
+ "_resetAttachedMenuPositions",
+ "_resetCachedValidationState",
+ "_resetCursorRects",
+ "_resetDisableCounts",
+ "_resetDragMargins",
+ "_resetFreeSpace",
+ "_resetIncrementalSearchBuffer",
+ "_resetIncrementalSearchOnFailure",
+ "_resetLastLoadedDate",
+ "_resetMainBrowser:",
+ "_resetMeasuredCell",
+ "_resetOpacity:",
+ "_resetPostingCounts",
+ "_resetScreens",
+ "_resetTitleFont",
+ "_resetTitleWidths",
+ "_resetToDefaultState",
+ "_resetToolTipIfNecessary",
+ "_resignCurrentEditor",
+ "_resize:",
+ "_resizeAccordingToTextView:",
+ "_resizeAllCaches",
+ "_resizeColumn:withEvent:",
+ "_resizeDeltaFromPoint:toEvent:",
+ "_resizeEditedCellWithOldSize:",
+ "_resizeFromEdge",
+ "_resizeHeight:",
+ "_resizeImage",
+ "_resizeOutlineColumn",
+ "_resizeSelectedTabViewItem",
+ "_resizeSubviewsFromIndex:",
+ "_resizeTextViewForTextContainer:",
+ "_resizeView",
+ "_resizeWindowWithMaxHeight:",
+ "_resizeWithDelta:fromFrame:beginOperation:endOperation:",
+ "_resizedImage:",
+ "_resolveHelpKeyForObject:",
+ "_resolveTypeAlias:",
+ "_resortMailboxPathsBecauseSpecialMailboxPathsChanged",
+ "_resortMailboxPathsInMapTable:",
+ "_responderInitWithCoder:",
+ "_responseValueFromResponse:key:",
+ "_responsibleDelegateForSelector:",
+ "_restoreCursor",
+ "_restoreDefaults",
+ "_restoreGUIView",
+ "_restoreHTMLString:",
+ "_restoreHTMLTree:",
+ "_restoreInitialMenuPosition",
+ "_restoreModalWindowLevel",
+ "_restoreMode",
+ "_restorePreviewView",
+ "_restoreRawView",
+ "_restoreSplitPos",
+ "_restoreTornOffMenus",
+ "_resultCodeFromResponse:",
+ "_retainCountForObjectWithGlobalID:",
+ "_retainedAbsoluteURL",
+ "_retainedBitmapRepresentation",
+ "_retainedFragment",
+ "_retainedHost",
+ "_retainedNetLocation",
+ "_retainedParameterString",
+ "_retainedPassword",
+ "_retainedQuery",
+ "_retainedRelativeURLPath",
+ "_retainedScheme",
+ "_retainedUser",
+ "_retrieveNewMessages",
+ "_retrieveNewMessagesInUIDRange:intoArray:statusFormat:",
+ "_returnToSenderSheetDidEnd:returnCode:contextInfo:",
+ "_returnValue",
+ "_reverseCompare:",
+ "_revert:",
+ "_revertPanel:didConfirm:contextInfo:",
+ "_revertToOldRowSelection:fromRow:toRow:",
+ "_rightEdgeOfSelection:hasGlyphRange:",
+ "_rightFrameRect",
+ "_rightGroupRect",
+ "_rightMouseUpOrDown:",
+ "_rightmostResizableColumn",
+ "_rootLevelEvents",
+ "_rotationForGlyphAtIndex:effectiveRange:",
+ "_routeMessagesIndividually",
+ "_rowEntryForChild:ofParent:",
+ "_rowEntryForItem:",
+ "_rowEntryForRow:",
+ "_ruleAreaRect",
+ "_rulerAccView",
+ "_rulerAccViewAlignmentAction:",
+ "_rulerAccViewFixedLineHeightAction:",
+ "_rulerAccViewIncrementLineHeightAction:",
+ "_rulerAccessoryViewAreaRect",
+ "_rulerOrigin",
+ "_rulerline::last:",
+ "_runAccountDetailPanelForAccount:",
+ "_runAlertPanelInMainThreadWithInfo:",
+ "_runArrayHoldingAttributes",
+ "_runInitBook:",
+ "_runModal:forDirectory:file:relativeToWindow:",
+ "_runModalForDirectory:file:relativeToWindow:",
+ "_runModalForDirectory:file:relativeToWindow:modalDelegate:didEndSelector:contextInfo:",
+ "_runPanels:withUI:faxFlag:preloaded:",
+ "_runPasswordPanelInMainThreadWithInfo:",
+ "_runSignatureDetailPanelForSignature:",
+ "_runningDocModal",
+ "_saveAllEnumeration:",
+ "_saveAsIntoFile:",
+ "_saveDefaults",
+ "_saveDefaultsToDictionary:",
+ "_saveFrameUsingName:domain:",
+ "_saveInitialMenuPosition",
+ "_saveList:",
+ "_saveMode",
+ "_savePanelDidEnd:returnCode:contextInfo:",
+ "_savePanelSheetDidEnd:returnCode:contextInfo:",
+ "_saveSplitPos",
+ "_saveTornOffMenus",
+ "_saveUserFavorites",
+ "_saveVisibleFrame",
+ "_savedMode",
+ "_savedVisibleFrame",
+ "_scanBodyResponseFromScanner:",
+ "_scanDecimal:into:",
+ "_scanForDuplicateInodes",
+ "_scanImages",
+ "_scanIntFromScanner:",
+ "_scanMessageFlagsFromScanner:",
+ "_scanToEnrichedString:scanner:",
+ "_scheduleAutoExpandTimerForItem:",
+ "_screenChanged:",
+ "_screenRectContainingPoint:",
+ "_scriptsMenuItemAction:",
+ "_scrollArrowHeight",
+ "_scrollColumnToLastVisible:",
+ "_scrollColumnToVisible:private:",
+ "_scrollColumnsRightBy:",
+ "_scrollDown:",
+ "_scrollInProgress",
+ "_scrollPageInDirection:",
+ "_scrollPoint:fromView:",
+ "_scrollRangeToVisible:forceCenter:",
+ "_scrollRectToVisible:fromView:",
+ "_scrollRowToCenter:",
+ "_scrollTo:",
+ "_scrollToEnd:",
+ "_scrollToMatchContentView",
+ "_scrollUp:",
+ "_scrollWheelMultiplier",
+ "_scrollingDirectionAndDeltas:",
+ "_scrollingMenusAreEnabled",
+ "_searchForImageNamed:",
+ "_searchForSoundNamed:",
+ "_searchForSystemImageNamed:",
+ "_searchMenu:forItemMatchingPath:",
+ "_secondsFromGMTForAbsoluteTime:",
+ "_seemsToBeVertical",
+ "_segmentIndexForElementIndex:",
+ "_selectCell:dirOk:",
+ "_selectCell:inColumn:",
+ "_selectCellIfNeeded",
+ "_selectCellIfRequired",
+ "_selectColorNamed:startingAtListNumber:andIndex:searchingBackward:usingLocalName:ignoreCase:substring:",
+ "_selectColumnRange:byExtendingSelection:",
+ "_selectEntryAt:",
+ "_selectFaxByName:",
+ "_selectFirstEnabledCell",
+ "_selectFirstKeyView",
+ "_selectFromFavoritesList:",
+ "_selectItemBestMatching:",
+ "_selectKeyCellAtRow:column:",
+ "_selectMessages:scrollIfNeeded:",
+ "_selectNextCellKeyStartingAtRow:column:",
+ "_selectNextItem",
+ "_selectOrEdit:inView:target:editor:event:start:end:",
+ "_selectPreviousItem",
+ "_selectRange::::",
+ "_selectRectRange::",
+ "_selectRowRange::",
+ "_selectRowRange:byExtendingSelection:",
+ "_selectSizeIfNecessary:",
+ "_selectTabWithDraggingInfo:",
+ "_selectTextOfCell:",
+ "_selected",
+ "_selectedItems",
+ "_selectedPrintFilter",
+ "_selectionContainsMessagesWithDeletedStatusEqualTo:",
+ "_selectionContainsMessagesWithReadStatusEqualTo:",
+ "_selfBoundsChanged",
+ "_sendAction:to:row:column:",
+ "_sendActionAndNotification",
+ "_sendActionFrom:",
+ "_sendChangeWithUserInfo:",
+ "_sendClientMessage:arg1:arg2:",
+ "_sendCommand:length:argument:trailer:",
+ "_sendCommand:withArgument:",
+ "_sendCommand:withArguments:",
+ "_sendData",
+ "_sendDataSourceWriteDragRows:toPasteboard:",
+ "_sendDelegateDidClickColumn:",
+ "_sendDelegateDidDragColumn:",
+ "_sendDelegateDidMouseDownInHeader:",
+ "_sendDoubleActionToCellAt:",
+ "_sendFileExtensionData:length:",
+ "_sendFinishLaunchingNotification",
+ "_sendInvalidateCursorRectsMessageToWindow:",
+ "_sendMailboxCommand:withArguments:errorMessage:",
+ "_sendOrEnqueueNotification:selector:",
+ "_sendPortMessageWithComponent:msgID:timeout:",
+ "_sendRedisplayMessageToWindow:",
+ "_sendRequestServerData:length:",
+ "_sendString:",
+ "_senderIsInvalid:",
+ "_sendingSocketForPort:",
+ "_serverConnectionDied:",
+ "_serverDied:",
+ "_servicesMenuIsVisible",
+ "_set:",
+ "_setAEDesc:",
+ "_setAcceptsFirstMouse:",
+ "_setAcceptsFirstResponder:",
+ "_setActivationState:",
+ "_setAggregateTag:",
+ "_setAllowsTearOffs:",
+ "_setAltContents:",
+ "_setApplicationIconImage:setDockImage:",
+ "_setArgFrame:",
+ "_setArgumentName:forAppleEventCode:",
+ "_setAsSystemColor",
+ "_setAttributedDictionaryClass:",
+ "_setAttributes:newValues:range:",
+ "_setAutoPositionMask:",
+ "_setAutoResizeDocView:",
+ "_setAutoscrollDate:",
+ "_setAvoidsActivation:",
+ "_setBackgroundColor:",
+ "_setBackgroundTransparent:",
+ "_setBlockCapacity:",
+ "_setBulletCharacter:",
+ "_setBundle:forClassPresentInAppKit:",
+ "_setBundleForHelpSearch:",
+ "_setButtonBordered:",
+ "_setButtonImageSource:",
+ "_setButtonImages",
+ "_setButtonType:adjustingImage:",
+ "_setCacheDockItemRef:forWindow:",
+ "_setCacheWindowNum:forWindow:",
+ "_setCapitalizedKey:forKey:",
+ "_setCaseConversionFlags",
+ "_setCellFrame:",
+ "_setClassDescription",
+ "_setClassDescription:",
+ "_setClassDescription:forAppleEventCode:",
+ "_setClassName:forSynonymAppleEventCode:inSuite:",
+ "_setCloseEnabled:",
+ "_setCommandDescription:forAppleEventClass:andEventCode:",
+ "_setConcreteFontClass:",
+ "_setConsistencyCheckingEnabled:superCheckEnabled:",
+ "_setContainer:",
+ "_setContainerObservesTextViewFrameChanges:",
+ "_setContentRect:",
+ "_setContents:",
+ "_setContextMenuEvent:",
+ "_setContextMenuTarget:",
+ "_setControlTextDelegateFromOld:toNew:",
+ "_setControlView:",
+ "_setControlsEnabled:",
+ "_setConvertedData:forType:pboard:generation:inItem:",
+ "_setConvertedData:pboard:generation:inItem:",
+ "_setCopy:",
+ "_setCopyrightSymbolText:",
+ "_setCopyrightText:",
+ "_setCounterpart:",
+ "_setCtrlAltForHelpDesired:",
+ "_setCurrImageName:",
+ "_setCurrListName:",
+ "_setCurrentActivation:",
+ "_setCurrentAttachmentRect:index:",
+ "_setCurrentClient:",
+ "_setCurrentEvent:",
+ "_setCurrentlyEditing:",
+ "_setCursor:forChildrenOfInode:",
+ "_setCursor:forChildrenOfPath:",
+ "_setCursor:forPath:",
+ "_setCursorForPath:keyBuf:",
+ "_setData:encoding:",
+ "_setDataSource:",
+ "_setDecimalSeparatorNoConsistencyCheck:",
+ "_setDefaultBool:forKey:",
+ "_setDefaultButtonCycleTime:",
+ "_setDefaultButtonIndicatorNeedsDisplay",
+ "_setDefaultFloat:forKey:",
+ "_setDefaultInt:forKey:",
+ "_setDefaultKeyViewLoop",
+ "_setDefaultObject:forKey:",
+ "_setDefaultPrinter:isFax:",
+ "_setDefaultRedColor:",
+ "_setDelegate:",
+ "_setDeselectsWhenMouseLeavesDuringDrag:",
+ "_setDeviceButtons:",
+ "_setDirectory:",
+ "_setDisplayableSampleText:forFamily:",
+ "_setDistanceForVerticalArrowKeyMovement:",
+ "_setDocViewFromRead:",
+ "_setDocument:",
+ "_setDocumentDictionaryName:",
+ "_setDocumentEdited:",
+ "_setDragRef:",
+ "_setDraggingMarker:",
+ "_setDrawerTransform:",
+ "_setDrawerVelocity:",
+ "_setDrawingToHeartBeatWindow:",
+ "_setDrawsBackground:",
+ "_setEditingTextView:",
+ "_setEnabled:",
+ "_setEventDelegate:",
+ "_setEventRef:",
+ "_setExportSpecialFonts:",
+ "_setExtraRefCount:",
+ "_setFallBackInitialFirstResponder:",
+ "_setFilterTypes:",
+ "_setFinalSlideLocation:",
+ "_setFirstColumnTitle:",
+ "_setFloatingPointFormat:left:right:",
+ "_setFocusForView:withFrame:withInset:",
+ "_setFocusNeedsDisplay",
+ "_setFont:forCell:",
+ "_setFontPanel:",
+ "_setForceActiveControls:",
+ "_setForceFixAttributes:",
+ "_setForm:select:ok:",
+ "_setFrame:",
+ "_setFrameCommon:display:stashSize:",
+ "_setFrameFromString:",
+ "_setFrameNeedsDisplay:",
+ "_setFrameSavedUsingTitle:",
+ "_setFrameUsingName:domain:",
+ "_setFreesObjectRecords:",
+ "_setGlyphGenerator:",
+ "_setGroupIdentifier:",
+ "_setHasEditingIvars:",
+ "_setHasShadow:",
+ "_setHelpCursor:",
+ "_setHelpKey:forObject:",
+ "_setHidden:",
+ "_setHidesOnDeactivateInCache:forWindow:",
+ "_setHorizontallyCentered:",
+ "_setIconRef:",
+ "_setImage:",
+ "_setIndicatorImage:",
+ "_setInsertionPointDisabled:",
+ "_setIsDefaultFace:",
+ "_setIsGrabber:",
+ "_setIsInUse:",
+ "_setJavaClassesLoaded",
+ "_setKey:forAppleEventCode:",
+ "_setKeyBindingMonitor:",
+ "_setKeyCellAtRow:column:",
+ "_setKeyCellFromBottom",
+ "_setKeyCellFromTop",
+ "_setKeyCellNeedsDisplay",
+ "_setKeyWindow:",
+ "_setKeyboardFocusRingNeedsDisplay",
+ "_setKnobThickness:usingInsetRect:",
+ "_setLang:",
+ "_setLastDragDestinationOperation:",
+ "_setLastGuess:",
+ "_setLayoutListFromPagesPerSheet:",
+ "_setLeaksContextUponChange:",
+ "_setLength:ofStatusItemWindow:",
+ "_setMailAccounts:",
+ "_setMainMenu:",
+ "_setMainWindow:",
+ "_setMarkedText:selectedRange:forInputManager:",
+ "_setMarker:",
+ "_setMenuClassName:",
+ "_setMenuName:",
+ "_setMinSize:",
+ "_setMiniImageInDock",
+ "_setModalInCache:forWindow:",
+ "_setModifiers:",
+ "_setMouseActivationInProgress:",
+ "_setMouseDownFlags:",
+ "_setMouseEnteredGroup:entered:",
+ "_setMouseMovedEventsEnabled:",
+ "_setMouseTrackingForCell:",
+ "_setMouseTrackingInRect:ofView:",
+ "_setName:",
+ "_setNeedsDisplay:",
+ "_setNeedsDisplayForColumn:draggedDelta:",
+ "_setNeedsDisplayForDropCandidateItem:childIndex:mask:",
+ "_setNeedsDisplayForDropCandidateRow:operation:mask:",
+ "_setNeedsDisplayForTabViewItem:",
+ "_setNeedsDisplayInColumn:",
+ "_setNeedsDisplayInColumn:row:",
+ "_setNeedsDisplayInRow:column:",
+ "_setNeedsToExpand:",
+ "_setNeedsToUpdateIndex",
+ "_setNeedsToUseHeartBeatWindow:",
+ "_setNeedsZoom:",
+ "_setNetPathsDisabled:",
+ "_setNextEvent:",
+ "_setNextKeyBindingManager:",
+ "_setNoVerticalAutosizing:",
+ "_setNumVisibleColumns:",
+ "_setObject:",
+ "_setObject:forBothSidesOfRelationshipWithKey:",
+ "_setOneShotIsDelayed:",
+ "_setOnlineStateOfAllAccountsTo:",
+ "_setOpenRecentMenu:",
+ "_setOptionValues",
+ "_setOrderDependency:",
+ "_setOwnedByPopUp:",
+ "_setOwnsRealWindow:",
+ "_setPPDInfoInPrinter",
+ "_setPageGenerationOrder:",
+ "_setPageNumber:inControl:",
+ "_setParent:",
+ "_setParentWindow:",
+ "_setPath:forFramework:usingDictionary:",
+ "_setPatternFromRect:",
+ "_setPmPageFormat:",
+ "_setPmPrintSettings:",
+ "_setPostsFocusChangedNotifications:",
+ "_setPressedTabViewItem:",
+ "_setPullsDown:",
+ "_setRTFDFileWrapper:",
+ "_setRawSelection:view:",
+ "_setReceiveHandlerRef:",
+ "_setRecentDocumentsLimit:",
+ "_setRect:forAttachment:",
+ "_setRecyclable:",
+ "_setRepresentationListCache:",
+ "_setRepresentedFilename:",
+ "_setRootNode:",
+ "_setRotatedFromBase:",
+ "_setRotatedOrScaledFromBase:",
+ "_setRotation:forGlyphAtIndex:",
+ "_setRotationLeft:andRight:",
+ "_setScroller:",
+ "_setSelected:isOriginalValue:",
+ "_setSelectedAddressInfo:",
+ "_setSelectedCell:",
+ "_setSelectedCell:atRow:column:",
+ "_setSelection:inspection:",
+ "_setSelectionFromPasteboard:",
+ "_setSelectionRange::",
+ "_setSelectionString:",
+ "_setSenderOrReceiverIfSenderIsMe",
+ "_setSharedDocumentController:",
+ "_setSheet:",
+ "_setShowAlpha:andForce:",
+ "_setShowingModalFrame:",
+ "_setShowsAllDrawing:",
+ "_setSingleWindowMode:",
+ "_setSizeType:",
+ "_setSound:",
+ "_setSoundFile:",
+ "_setStore:",
+ "_setStringInKeyNode:key:value:",
+ "_setStringListInKeyNode:key:list:len:",
+ "_setSubmenu:",
+ "_setSuiteName:forAppleEventCode:",
+ "_setSuperview:",
+ "_setSuppressAutoenabling:",
+ "_setSuppressScrollToVisible:",
+ "_setSurface:",
+ "_setSwap:",
+ "_setSynonymTable:inSuite:",
+ "_setTabRect:",
+ "_setTabState:",
+ "_setTabView:",
+ "_setTarget:",
+ "_setTargetFramework:",
+ "_setTempHidden:",
+ "_setTextAttributeParaStyleNeedsRecalc",
+ "_setTextFieldStringValue:",
+ "_setTextShadow",
+ "_setTextShadow:",
+ "_setThousandSeparatorNoConsistencyCheck:",
+ "_setThreadName:",
+ "_setTitle:",
+ "_setTitle:ofColumn:",
+ "_setTitleNeedsDisplay",
+ "_setToolTip:forView:cell:rect:owner:userData:",
+ "_setTrackingHandlerRef:",
+ "_setTrackingRect:inside:owner:userData:",
+ "_setTrackingRects",
+ "_setUIConstraints:",
+ "_setUpAccessoryViewWithEditorTypes:exportableTypes:selectedType:enableExportable:",
+ "_setUpAppKitCoercions",
+ "_setUpAppKitTranslations",
+ "_setUpDefaultTopLevelObject",
+ "_setUpFoundationCoercions",
+ "_setUpFoundationTranslations",
+ "_setUpOperation:helpedBy:",
+ "_setUpTrackingRect",
+ "_setUpdated:",
+ "_setUseSimpleTrackingMode:",
+ "_setUsesATSGlyphGenerator:",
+ "_setUsesFastJavaBundleSetup:",
+ "_setUsesNoLeading:",
+ "_setUsesQuickdraw:",
+ "_setUsesToolTipsWhenTruncated:",
+ "_setUtilityWindow:",
+ "_setVerticallyCentered:",
+ "_setVisible:",
+ "_setVisibleInCache:forWindow:",
+ "_setWantsToBeOnMainScreen:",
+ "_setWin32MouseActivationInProgress:",
+ "_setWindow:",
+ "_setWindowContextForCurrentThread:",
+ "_setWindowFrameForPopUpAttachingToRect:onScreen:preferredEdge:popUpSelectedItem:",
+ "_setWindowNumber:",
+ "_setWithCopyOfDictionary:defaults:",
+ "_setWithOffset:",
+ "_setWords:inDictionary:",
+ "_setupAccountType:hostname:username:password:emailAddress:",
+ "_setupAllFamFrame",
+ "_setupAttachmentEncodingHints",
+ "_setupColumnsForTableView",
+ "_setupConnections",
+ "_setupCursor",
+ "_setupDefaultRecipients:",
+ "_setupFromDefaults",
+ "_setupInitialState",
+ "_setupOpenPanel",
+ "_setupOutlineView",
+ "_setupPreviewFrame",
+ "_setupSeparatorSizes:",
+ "_setupSortRules",
+ "_setupSplitView",
+ "_setupSurfaceAndStartSpinning",
+ "_setupTextView:",
+ "_setupToolBar",
+ "_setupUI",
+ "_shadowTabColorAtIndex:",
+ "_shapeMenuPanel",
+ "_shareTextStorage",
+ "_sharedData",
+ "_sharedLock",
+ "_sharedSecureFieldEditor",
+ "_sharedTextCell",
+ "_sheetAnimationVelocity",
+ "_shiftDown::::",
+ "_shortNameFor:",
+ "_shouldAddNodeForProject:",
+ "_shouldAllowAutoCollapseItemsDuringDragsDefault",
+ "_shouldAllowAutoExpandItemsDuringDragsDefault",
+ "_shouldAttemptDroppingAsChildOfLeafItems",
+ "_shouldAutoscrollForDraggingInfo:",
+ "_shouldCallCompactWhenClosing",
+ "_shouldChangeComponentMessageFlags",
+ "_shouldDispatch:invocation:sequence:coder:",
+ "_shouldDrawTwoBitGray",
+ "_shouldForceShiftModifierWithKeyEquivalent:",
+ "_shouldHaveBlinkTimer",
+ "_shouldHideDisclosureTriangle",
+ "_shouldLiveResizeUseCachedImage",
+ "_shouldOpenDespiteLock:",
+ "_shouldPowerOff",
+ "_shouldRepresentFilename",
+ "_shouldRequireAutoCollapseOutlineAfterDropsDefault",
+ "_shouldSetHighlightToFlag:",
+ "_shouldShowFirstResponderForCell:",
+ "_shouldTerminate",
+ "_shouldTerminateWithDelegate:shouldTerminateSelector:",
+ "_shouldUseHTMLView",
+ "_showAccountDetailForAccountBeingEdited",
+ "_showBorder",
+ "_showCompletionListWindow:",
+ "_showDragError:forFilename:",
+ "_showDrawRect:",
+ "_showDropShadow",
+ "_showGUIView:",
+ "_showKeyboardUILoop",
+ "_showMailboxesPanel",
+ "_showMessage:",
+ "_showSelectedLineInField",
+ "_showSelectedLineRespectingSortOrder:",
+ "_showSignatureDetailForAccountBeingEdited",
+ "_showStatus:",
+ "_showToolTip",
+ "_showsAllDrawing",
+ "_shutDrawer",
+ "_signatureValid",
+ "_simpleDeleteGlyphsInRange:",
+ "_simpleDescription",
+ "_simpleInsertGlyph:atGlyphIndex:characterIndex:elastic:",
+ "_simpleRepresentedItem",
+ "_singleWindowMode",
+ "_singleWindowModeButtonOrigin",
+ "_size",
+ "_sizeAllDrawers",
+ "_sizeAllDrawersToScreenWithRect:",
+ "_sizeAllDrawersWithRect:",
+ "_sizeDownIfPossible",
+ "_sizeLastColumnToFitIfNecessary",
+ "_sizeOfTitlebarFileButton",
+ "_sizePanelTo:duration:",
+ "_sizeSet",
+ "_sizeStatus",
+ "_sizeToFitIfNecessary",
+ "_sizeToFitText",
+ "_sizeToScreenWithRect:",
+ "_sizeType",
+ "_sizeWithRect:",
+ "_sizeWithSize:",
+ "_sizeWithSize:attributes:",
+ "_slideWithDelta:beginOperation:endOperation:",
+ "_smallEncodingGlyphIndexForCharacterIndex:startOfRange:okToFillHoles:",
+ "_sortChildMailboxPaths:",
+ "_sortMessageList:usingAttributes:",
+ "_sortRulesFromArray:usingFullPaths:",
+ "_sortedObjectNames:",
+ "_sound",
+ "_specialControlView",
+ "_specialServicesMenuUpdate",
+ "_spellServers",
+ "_spellingGuessesForRange:",
+ "_splitKey:intoGlobalKey:andLanguage:",
+ "_spoolFile:",
+ "_standardFrame",
+ "_standardPaperNames",
+ "_standardizedStorePath:",
+ "_startAnimationWithThread:",
+ "_startDraggingUpdates",
+ "_startDrawingThread:",
+ "_startHeartBeating",
+ "_startHitTracking:",
+ "_startLDAPSearch",
+ "_startLiveResize",
+ "_startLiveResizeForAllDrawers",
+ "_startMessageClearCheck:",
+ "_startMove",
+ "_startMovieIdleIfNeeded",
+ "_startRegion:ofLength:atAddress:",
+ "_startRunMethod",
+ "_startSheet",
+ "_startSound",
+ "_startTearingOffWithScreenPoint:",
+ "_stashOrigin:",
+ "_stashedOrigin",
+ "_statusItemWithLength:withPriority:",
+ "_statusMessageForMessage:current:total:",
+ "_stopAnimation",
+ "_stopAnimationWithWait:",
+ "_stopDraggingUpdates",
+ "_stopFadingTimer",
+ "_stopLDAPSearch",
+ "_stopMonitoringStoreForChanges",
+ "_stopTearingOff",
+ "_stringByResolvingSymlinksInPathUsingCache:",
+ "_stringByStandardizingPathAllowingSlash:",
+ "_stringByStandardizingPathUsingCache:",
+ "_stringByTranslatingAliasDescriptor:",
+ "_stringByTranslatingChar:",
+ "_stringByTranslatingFSSpecDescriptor:",
+ "_stringByTranslatingInternationalText:",
+ "_stringByTranslatingStyledText:",
+ "_stringForEditing",
+ "_stringForHTMLEncodedStringTolerant:",
+ "_stringForMessage:",
+ "_stringRepresentation",
+ "_stringSearchParametersForListingViews",
+ "_stringToWrite",
+ "_stringWithSavedFrame",
+ "_stringWithSeparator:atFrequency:",
+ "_stringWithStrings:",
+ "_stringWithUnsigned:",
+ "_stripAttachmentCharactersFromAttributedString:",
+ "_stripAttachmentCharactersFromString:",
+ "_stripExteriorBreaks",
+ "_stripInteriorBreaks",
+ "_structureHash",
+ "_subImageFocus",
+ "_subclassManagesData",
+ "_subeventsOfClass:type:array:",
+ "_subsetDescription",
+ "_substituteFontName:flag:",
+ "_subtractColor:",
+ "_subviewResized:",
+ "_subviews",
+ "_successfulControlsWithButton:",
+ "_suggestGuessesForWord:inLanguage:",
+ "_suiteNameForAppleEventCode:",
+ "_sumThinFile:offset:size:",
+ "_summationRectForFont",
+ "_superviewClipViewFrameChanged:",
+ "_superviewUsesOurURL",
+ "_surface",
+ "_surfaceBounds",
+ "_surfaceDidComeBack:",
+ "_surfaceWillGoAway:",
+ "_surrogateFontName:",
+ "_surroundValueInString:withLength:andBuffer:",
+ "_switchImage:andUpdateColor:",
+ "_switchInitialFirstResponder:lastKeyView:",
+ "_switchPanes:",
+ "_switchToHTMLView",
+ "_switchToNSTextView",
+ "_switchToPlatformInput:",
+ "_switchView:",
+ "_switchView:with:initialFirstResponder:lastKeyView:",
+ "_symbolForGetPS2ColorSpace",
+ "_synchronizeAccountWithServer:",
+ "_synchronizeGetNewMailMenuIfNeeded",
+ "_synchronizeMailboxListWithFileSystem",
+ "_synchronizeMenu:atIndex:toPath:fromAccount:",
+ "_synchronizeMenuOfAllMailboxes:startingFromPath:",
+ "_synchronizeMenusStartingFromPath:",
+ "_synchronizeSubmenu:toPath:fromAccount:",
+ "_synchronizeTextView:",
+ "_synonymTableInSuite:",
+ "_synonymTerminologyDictionaryForCode:inSuite:",
+ "_synonymsInSuite:",
+ "_systemColorChanged:",
+ "_systemColorsChanged:",
+ "_tabHeight",
+ "_tabRect",
+ "_tabViewWillRemoveFromSuperview",
+ "_tabVueResizingRect",
+ "_takeApplicationMenuIfNeeded:",
+ "_takeColorFrom:andSendAction:",
+ "_takeColorFromAndSendActionIfContinuous:",
+ "_takeColorFromDoAction:",
+ "_target",
+ "_targetFramework",
+ "_targetState",
+ "_taskNowMultiThreaded:",
+ "_tempHide:relWin:",
+ "_tempHideHODWindow",
+ "_tempUnhideHODWindow",
+ "_temporaryFilename:",
+ "_termWindowIfOwner",
+ "_terminate",
+ "_terminate:",
+ "_terminateSendShould:",
+ "_terminologyRegistry",
+ "_terminologyRegistryForSuite:",
+ "_testWithComparisonOperator:object1:object2:",
+ "_textAttributes",
+ "_textContainerDealloc",
+ "_textDimColor",
+ "_textHighlightColor",
+ "_textLength",
+ "_textMerge:",
+ "_textStorageChanged:",
+ "_textViewOwnsTextStorage",
+ "_thinForArchs:",
+ "_thinForArchs:numArchs:",
+ "_thousandChar",
+ "_threadContext",
+ "_threadName",
+ "_threadWillExit:",
+ "_tile:",
+ "_tileTitlebar",
+ "_tileViews",
+ "_titleCellHeight",
+ "_titleCellHeight:",
+ "_titleCellSize",
+ "_titleCellSizeForTitle:styleMask:",
+ "_titleIsRepresentedFilename",
+ "_titleRectForTabViewItem:",
+ "_titleSizeWithSize:",
+ "_titleWidth",
+ "_titlebarHeight",
+ "_titlebarHeight:",
+ "_titlebarTitleRect",
+ "_toggleFrameAutosaveEnabled:",
+ "_toggleLogging",
+ "_toggleRichSheetDidEnd:returnCode:contextInfo:",
+ "_topFrameRect",
+ "_topLeftFrameRect",
+ "_topLeftResizeCursor",
+ "_topMenuView",
+ "_topRightFrameRect",
+ "_topRightResizeCursor",
+ "_totalMinimumTabsWidthWithOverlap:",
+ "_totalNominalTabsWidthWithOverlap:",
+ "_totalOffsetsForItem:",
+ "_totalTabsWidth:overlap:",
+ "_trackAttachmentClick:characterIndex:glyphIndex:attachmentCell:",
+ "_trackMouse:",
+ "_trackingHandlerRef",
+ "_transferWindowOwnership",
+ "_transparency",
+ "_traverseAtProject:withData:",
+ "_traverseProject:withInfo:",
+ "_traverseToSubmenu",
+ "_traverseToSupermenu",
+ "_treeHasDragTypes",
+ "_trimDownEventTreeTo:",
+ "_trimKeepingArchs:keepingLangs:fromBom:",
+ "_trimRecord",
+ "_trimWithCharacterSet:",
+ "_trueName",
+ "_tryDrop:dropItem:dropChildIndex:",
+ "_tryDrop:dropRow:dropOperation:",
+ "_tryToBecomeServer",
+ "_tryToOpenOrPrint:isPrint:",
+ "_typeDictForType:",
+ "_typeOfPrintFilter:",
+ "_types",
+ "_typesForDocumentClass:includeEditors:includeViewers:includeExportable:",
+ "_typesetterIsBusy",
+ "_uidsForMessages:",
+ "_umask",
+ "_unarchivingPrintInfo",
+ "_under",
+ "_underlineIsOn",
+ "_undoManagerCheckpoint:",
+ "_undoRedoTextOperation:",
+ "_undoStack",
+ "_undoUpdate:",
+ "_unformattedAttributedStringValue:",
+ "_unhide",
+ "_unhideAllDrawers",
+ "_unhideHODWindow",
+ "_unhideSheet",
+ "_unhookSubviews",
+ "_unionBitVectorMaybeCompressed:",
+ "_uniqueNameForNewSubdocument:",
+ "_uniquePrinterObject:includeUnavailable:",
+ "_uniqueTypeObject:",
+ "_unitsForClientLocation:",
+ "_unitsForRulerLocation:",
+ "_unlocalizedPaperName:",
+ "_unlock",
+ "_unlockFirstResponder",
+ "_unlockFocusNoRecursion",
+ "_unlockQuickDrawPort",
+ "_unlockViewHierarchyForDrawing",
+ "_unlockViewHierarchyForModification",
+ "_unmapActiveTable",
+ "_unobstructedPortionOfRect:",
+ "_unreadCountChanged:",
+ "_unregisterDragTypes",
+ "_unregisterForApplicationNotifications",
+ "_unregisterForCompletion:",
+ "_unregisterForStoreNotifications",
+ "_unregisterMenuForKeyEquivalentUniquing:",
+ "_unregisterMenuItemForKeyEquivalentUniquing:",
+ "_unresolveTypeAlias:",
+ "_unsetFinalSlide",
+ "_update",
+ "_updateAllEntries",
+ "_updateAppleMenu:",
+ "_updateAttributes",
+ "_updateAutoscrollingStateWithTrackingViewPoint:event:",
+ "_updateButtons",
+ "_updateCell:withInset:",
+ "_updateContentsIfNecessary",
+ "_updateCurrentFolder",
+ "_updateDeviceCount:applicationCount:",
+ "_updateDragInsertionIndicatorWith:",
+ "_updateEnabled",
+ "_updateFavoritesMenu",
+ "_updateFileNamesForChildren",
+ "_updateFlag:toState:forMessage:",
+ "_updateFocusSelection",
+ "_updateForEditedMovie:",
+ "_updateFrameWidgets",
+ "_updateFromPath:checkOnly:exists:",
+ "_updateHighlightedItemWithTrackingViewPoint:event:",
+ "_updateIndex",
+ "_updateInputManagerState",
+ "_updateKnownNotVisibleAppleMenu:",
+ "_updateLengthAndSelectedRange:",
+ "_updateMouseTracking",
+ "_updateMouseTracking:",
+ "_updateOpenRecentMenu:menuNames:",
+ "_updateOpenRecentMenus",
+ "_updatePageControls",
+ "_updatePopup",
+ "_updatePreview:",
+ "_updatePrintStatus:label:",
+ "_updatePrinterStuff",
+ "_updateRendering:",
+ "_updateRulerlineForRuler:oldPosition:newPosition:vertical:",
+ "_updateSeekingSubmenuWithScreenPoint:viewPoint:event:",
+ "_updateStatusLine",
+ "_updateStatusLineAndWindowTitle",
+ "_updateSubmenuKnownStale:",
+ "_updateTearOffPositionWithScreenPoint:",
+ "_updateToMatchServerIfNeeded",
+ "_updateUI",
+ "_updateUIOfTextField:withPath:",
+ "_updateUsageForTextContainer:addingUsedRect:",
+ "_updateWidgets",
+ "_updateWindowsUsingCache",
+ "_updateWorkspace:",
+ "_upgradeAppHelpFile",
+ "_upgradeAppIcon",
+ "_upgradeAppMainNIB",
+ "_upgradeDocExtensions",
+ "_upgradeOSDependentFields",
+ "_upgradeTo2Dot6",
+ "_upgradeTo2Dot7",
+ "_upgradeTo2Dot8",
+ "_url",
+ "_urlStringForEventInImageMap:inFrame:",
+ "_useCacheGState:rect:",
+ "_useFromFile:",
+ "_useIconNamed:from:",
+ "_useSharedKitWindow:rect:",
+ "_useSimpleTrackingMode",
+ "_useUserKeyEquivalent",
+ "_userCanChangeSelection",
+ "_userCanEditTableColumn:row:",
+ "_userCanSelectAndEditTableColumn:row:",
+ "_userCanSelectColumn:",
+ "_userCanSelectRow:",
+ "_userChangeSelection:fromAnchorRow:toRow:lastExtensionRow:selecting:",
+ "_userDeleteRange:",
+ "_userDeselectColumn:",
+ "_userDeselectRow:",
+ "_userInfoCurrentOSName",
+ "_userInfoDict",
+ "_userInfoDictForCurrentOS",
+ "_userInfoDirectoryPath",
+ "_userInfoFileName",
+ "_userKeyEquivalentForTitle:",
+ "_userKeyEquivalentModifierMaskForTitle:",
+ "_userLoggedOut",
+ "_userSelectColumn:byExtendingSelection:",
+ "_userSelectColumnRange:toColumn:byExtendingSelection:",
+ "_userSelectRow:byExtendingSelection:",
+ "_userSelectRowRange:toRow:byExtendingSelection:",
+ "_userSelectTextOfNextCell",
+ "_userSelectTextOfNextCellInSameColumn",
+ "_userSelectTextOfPreviousCell",
+ "_usesATSGlyphGenerator",
+ "_usesFastJavaBundleSetup",
+ "_usesNoLeading",
+ "_usesNoRulebook",
+ "_usesProgrammingLanguageBreaks",
+ "_usesQuickdraw",
+ "_usesToolTipsWhenTruncated",
+ "_usesUserKeyEquivalent",
+ "_validFrameForResizeFrame:fromResizeEdge:",
+ "_validSize:",
+ "_validateAction:ofMenuItem:",
+ "_validateBundleSecurity",
+ "_validateButtonState",
+ "_validateEditing:",
+ "_validateEntryString:uiHandled:",
+ "_validateNames:checkBrowser:",
+ "_validateStyleMask:",
+ "_validateValuesInUI",
+ "_validatedStoredUsageForTextContainerAtIndex:",
+ "_value",
+ "_valueForIndex:inString:returningSizeType:",
+ "_valuesForKey:inContainer:isValid:",
+ "_valuesForObject:",
+ "_verifyDataIsPICT:withFrame:fromFile:",
+ "_verifyDefaultButtonCell",
+ "_verifySelectionIsOK",
+ "_verticalDistanceForLineScroll",
+ "_verticalDistanceForPageScroll",
+ "_verticalResizeCursor",
+ "_viewDetaching:",
+ "_viewForItem:",
+ "_viewFreeing:",
+ "_visibleAndCanBecomeKey",
+ "_visibleAndCanBecomeKeyLimitedOK:",
+ "_waitCursor",
+ "_waitForLock",
+ "_waitForLock:",
+ "_wakeup",
+ "_wantToBeModal",
+ "_wantsHeartBeat",
+ "_wantsLiveResizeToUseCachedImage",
+ "_wantsToDestroyRealWindow",
+ "_whenDrawn:fills:",
+ "_widthOfColumn:",
+ "_widthOfPackedGlyphs:count:",
+ "_widthsInvalid",
+ "_willPowerOff",
+ "_willUnmountDeviceAtPath:ok:",
+ "_win32ChangeKeyAndMain",
+ "_win32TitleString",
+ "_window",
+ "_windowBorderThickness",
+ "_windowBorderThickness:",
+ "_windowChangedKeyState",
+ "_windowChangedMain:",
+ "_windowChangedNumber:",
+ "_windowDeviceRound",
+ "_windowDidBecomeVisible:",
+ "_windowDidComeBack:",
+ "_windowDidLoad",
+ "_windowDying",
+ "_windowExposed:",
+ "_windowInitWithCoder:",
+ "_windowMoved:",
+ "_windowMovedToPoint:",
+ "_windowMovedToRect:",
+ "_windowNumber:changedTo:",
+ "_windowRef",
+ "_windowResizeBorderThickness",
+ "_windowResizeCornerThickness",
+ "_windowTitleString",
+ "_windowTitlebarButtonSpacingWidth",
+ "_windowTitlebarTitleMinHeight",
+ "_windowTitlebarTitleMinHeight:",
+ "_windowTitlebarXResizeBorderThickness",
+ "_windowTitlebarYResizeBorderThickness",
+ "_windowWillClose:",
+ "_windowWillGoAway:",
+ "_windowWillLoad",
+ "_windowWithDockItemRef:",
+ "_windowsForMenu:",
+ "_wordsInDictionary:",
+ "_wrapInNode:",
+ "_writableNamesAndTypesForSaveOperation:",
+ "_writeBytesFromOffset:length:",
+ "_writeCharacters:range:",
+ "_writeDataToFile:",
+ "_writeDirCommandsTo:forProject:withPrefix:",
+ "_writeDocFontsUsed",
+ "_writeEncodings",
+ "_writeFat:wroteBytes:cpuTypes:size:",
+ "_writeFontInRange:toPasteboard:",
+ "_writeMachO:wroteBytes:cpuTypes:size:",
+ "_writeMakeFiLe_OtherRelocs:",
+ "_writeMakeFiLe_Sources:",
+ "_writeMakeFile_BuildDir:",
+ "_writeMakeFile_BundleSpecial:",
+ "_writeMakeFile_CodeGenStyle:",
+ "_writeMakeFile_Compilers:",
+ "_writeMakeFile_Header:",
+ "_writeMakeFile_Inclusions:",
+ "_writeMakeFile_JavaStuff:",
+ "_writeMakeFile_Libraries:",
+ "_writeMakeFile_ProjectNameVersionTypeLanguage:",
+ "_writeMakeFile_PublicHeadersDir:",
+ "_writeMakeFile_Resources:",
+ "_writeMakeFile_SearchPaths:",
+ "_writeMessagesToIncomingMail:unsuccessfulOnes:",
+ "_writePageFontsUsed",
+ "_writePersistentExpandItems",
+ "_writePersistentTableColumns",
+ "_writeRTFDInRange:toPasteboard:",
+ "_writeRTFInRange:toPasteboard:",
+ "_writeRecentDocumentsDefault",
+ "_writeRulerInRange:toPasteboard:",
+ "_writeSizeStringForRows:",
+ "_writeStringInRange:toPasteboard:",
+ "_writeTIFF:usingCompression:factor:",
+ "_writeUpdatedIndexToDisk",
+ "_writeWithThinningForSize:wroteBytes:cpuTypes:",
+ "_wsmIconInitFor:",
+ "_wsmOwnsWindow",
+ "_zeroScreen",
+ "_zoomButtonOrigin",
+ "abbreviation",
+ "abbreviationDictionary",
+ "abbreviationForDate:",
+ "abbreviationForTimeInterval:",
+ "abort",
+ "abortBlock:",
+ "abortEditing",
+ "abortModal",
+ "abortRegion:ofLength:",
+ "abortToolTip",
+ "abortTransaction",
+ "absoluteFrameChanged",
+ "absolutePathFromPathRelativeToProject:",
+ "absoluteString",
+ "absoluteURL",
+ "acceptColor:atPoint:",
+ "acceptConnectionInBackgroundAndNotify",
+ "acceptConnectionInBackgroundAndNotifyForModes:",
+ "acceptInputForMode:beforeDate:",
+ "acceptableDragTypes",
+ "acceptsArrowKeys",
+ "acceptsBinary",
+ "acceptsFirstMouse:",
+ "acceptsFirstResponder",
+ "acceptsMouseMovedEvents",
+ "accessInstanceVariablesDirectly",
+ "accessoryView",
+ "account",
+ "accountChanged:",
+ "accountDetailsForAccountClassNamed:",
+ "accountInfo",
+ "accountInfoDidChange",
+ "accountPath",
+ "accountRelativePathForFullPath:",
+ "accountThatReceivedMessage:matchingEmailAddress:fullUserName:",
+ "accountType",
+ "accountTypeChanged:",
+ "accountTypeString",
+ "accountWithPath:",
+ "accounts",
+ "accountsChanged:",
+ "action",
+ "activate:",
+ "activateContextHelpMode:",
+ "activateIgnoringOtherApps:",
+ "activateInputManagerFromMenu:",
+ "activeConversationChanged:toNewConversation:",
+ "activeConversationWillChange:fromOldConversation:",
+ "activeLinkColor",
+ "activeSignatureWithName:",
+ "activityMonitorDidChange:",
+ "activityViewer",
+ "actualBitsPerPixel",
+ "add:",
+ "addAWorkerThread",
+ "addAccountType:className:",
+ "addAddress:",
+ "addAllowableSubprojectType:",
+ "addAnchor:",
+ "addApplet:",
+ "addAttribute:value:range:",
+ "addAttributedString:inRect:",
+ "addAttributes:range:",
+ "addAttributesWeakly:range:",
+ "addBaseFontToState:",
+ "addBccHeader:",
+ "addBefore",
+ "addBlockquote:",
+ "addBytesInRange:",
+ "addCaption",
+ "addCharactersInRange:",
+ "addCharactersInString:",
+ "addChild:",
+ "addChildren:",
+ "addChildrenConformingToProtocol:toArray:",
+ "addChildrenOfClass:toArray:",
+ "addChildrenWithName:toArray:",
+ "addClassNamed:version:",
+ "addClient:",
+ "addClip",
+ "addColumn",
+ "addColumnAfter:",
+ "addColumnAtIndex:",
+ "addColumnBefore:",
+ "addColumnWithCells:",
+ "addComment:",
+ "addCommon:docInfo:value:zone:",
+ "addConnection:toRunLoop:forMode:",
+ "addConversation:",
+ "addCooperatingObjectStore:",
+ "addCount",
+ "addCursorRect:cursor:",
+ "addCustomMarker:",
+ "addData:name:",
+ "addDatasFoundUnderNode:toArray:",
+ "addDirNamed:lazy:",
+ "addDivision:",
+ "addDocument:",
+ "addDrawerWithView:",
+ "addEMail:",
+ "addEditor:",
+ "addElement:",
+ "addEntriesFromDictionary:",
+ "addEntry:",
+ "addEntryNamed:forObject:",
+ "addEntryNamed:ofClass:",
+ "addEntryNamed:ofClass:atBlock:",
+ "addEvent:",
+ "addFace:",
+ "addFieldChanged:",
+ "addFile:",
+ "addFile:key:",
+ "addFileNamed:fileAttributes:",
+ "addFileToFront:key:",
+ "addFileWithPath:",
+ "addFileWrapper:",
+ "addFileWrappersForPaths:turnFoldersIntoLinks:",
+ "addFontTrait:",
+ "addForm:",
+ "addFormattingReturns:toRendering:withState:mergeableLength:",
+ "addH1:",
+ "addH2:",
+ "addH3:",
+ "addH4:",
+ "addH5:",
+ "addH6:",
+ "addHandle:withWeight:",
+ "addHeaders:",
+ "addHeading:",
+ "addHeartBeatView:",
+ "addHorizontalRule:",
+ "addIndex:",
+ "addIndexRange:",
+ "addInlineFrame:",
+ "addInvocationToQueue:",
+ "addItem:",
+ "addItemWithImage:andHelp:",
+ "addItemWithObjectValue:",
+ "addItemWithTitle:",
+ "addItemWithTitle:action:keyEquivalent:",
+ "addItemsConformingToProtocol:toArray:",
+ "addItemsOfClass:toArray:",
+ "addItemsWithName:toArray:",
+ "addItemsWithObjectValues:",
+ "addItemsWithTitles:",
+ "addJavaScript:",
+ "addLayoutManager:",
+ "addLeadingBlockCharactersForChild:toRendering:withState:",
+ "addLink:",
+ "addList:",
+ "addMarker:",
+ "addMenuItemToPopUp:",
+ "addMessage:",
+ "addMessage:index:ofTotal:",
+ "addMessage:withRange:",
+ "addMessageStoresInPath:toArray:",
+ "addMessageToAllMessages:",
+ "addNewColor:andShowInWell:",
+ "addNewRow:",
+ "addNewRowInTableView:",
+ "addNodeOverSelection:contentIfEmpty:",
+ "addObject:",
+ "addObject:toBothSidesOfRelationshipWithKey:",
+ "addObject:toPropertyWithKey:",
+ "addObject:withSorter:",
+ "addObjectIfAbsent:",
+ "addObjectIfAbsentAccordingToEquals:",
+ "addObjectUsingLock:",
+ "addObjectUsingLockIfAbsent:",
+ "addObjectUsingLockIfAbsentAccordingToEquals:",
+ "addObjectsFromArray:",
+ "addObjectsFromArrayUsingLock:",
+ "addObserver:",
+ "addObserver:forObject:",
+ "addObserver:selector:name:object:",
+ "addObserver:selector:name:object:flags:",
+ "addObserver:selector:name:object:suspensionBehavior:",
+ "addObserverInMainThread:selector:name:object:",
+ "addOmniscientObserver:",
+ "addOrderedList:",
+ "addPage",
+ "addParagraph:",
+ "addPath:",
+ "addPath:for:variant:as:",
+ "addPathToLibrarySearchPaths:",
+ "addPathsToArray:",
+ "addPort:forMode:",
+ "addPortsToAllRunLoops",
+ "addPortsToRunLoop:",
+ "addPreferenceNamed:owner:",
+ "addPreferencesModules",
+ "addPreformatted:",
+ "addQualifierKeysToSet:",
+ "addRecentAddresses:",
+ "addRegularFileWithContents:preferredFilename:",
+ "addReplyToHeader:",
+ "addRepresentation:",
+ "addRepresentations:",
+ "addRequestMode:",
+ "addRow",
+ "addRowAbove:",
+ "addRowAtIndex:",
+ "addRowBelow:",
+ "addRowWithCells:",
+ "addRows",
+ "addRowsCols:",
+ "addRowsFoundUnderNode:toArray:",
+ "addRunLoop:",
+ "addServiceProvider:",
+ "addSpan:",
+ "addSpecialGStateView:",
+ "addStatistics:",
+ "addStore:",
+ "addString:attributes:inRect:",
+ "addString:inRect:",
+ "addStyles:",
+ "addSubclassItemsToMenu:",
+ "addSubelementsFoundUnderNode:toArray:",
+ "addSubnode:",
+ "addSubview:",
+ "addSubview:positioned:relativeTo:",
+ "addSuccessfulControlsToArray:",
+ "addSuiteNamed:",
+ "addSymbolicLinkWithDestination:preferredFilename:",
+ "addSystemExtensions:",
+ "addTabStop:",
+ "addTabViewItem:",
+ "addTable:",
+ "addTableColumn:",
+ "addTemporaryAttributes:forCharacterRange:",
+ "addTextContainer:",
+ "addTextStyle:",
+ "addTextStyles:overChildRange:",
+ "addTimeInterval:",
+ "addTimer:forMode:",
+ "addTimerToModes",
+ "addToPageSetup",
+ "addToken:toStyleInfo:ofAttributedString:",
+ "addToolTipRect:owner:userData:",
+ "addTrackingRect:owner:userData:assumeInside:",
+ "addTrackingRectForToolTip:",
+ "addTrailingBlockCharactersForChild:toRendering:withState:contentLength:",
+ "addType:",
+ "addTypes:owner:",
+ "addUnorderedList:",
+ "addVBScript:",
+ "addVCard:",
+ "addWillDeactivate:",
+ "addWindowController:",
+ "addWindowsItem:title:filename:",
+ "addedChild:",
+ "address",
+ "addressArrayExcludingSelf",
+ "addressAtIndex:",
+ "addressBookOwning:",
+ "addressBookWithPath:andOptions:",
+ "addressBookWithURL:andOptions:",
+ "addressComment",
+ "addressList",
+ "addressListForHeader:",
+ "addressListForRange:",
+ "addressManager",
+ "addressManagerLoaded",
+ "addresses",
+ "adjustCTM:",
+ "adjustCellTextView:forFrame:preservingContinuity:",
+ "adjustControls:",
+ "adjustHalftonePhase",
+ "adjustOffsetToNextWordBoundaryInString:startingAt:",
+ "adjustPageHeightNew:top:bottom:limit:",
+ "adjustPageWidthNew:left:right:limit:",
+ "adjustScroll:",
+ "adjustSubviews",
+ "adjustToolBarToWindow:",
+ "adjustViewport",
+ "advancementForGlyph:",
+ "aeteResource:",
+ "afmDictionary",
+ "afmFileContents",
+ "aggregateEvents:bySignatureOfType:",
+ "aggregateExceptionWithExceptions:",
+ "aggregateKeys",
+ "alertUserWithMessage:forMailbox:",
+ "alertUserWithMessage:title:",
+ "alignCenter:",
+ "alignJustified:",
+ "alignLeft:",
+ "alignRight:",
+ "alignment",
+ "alignmentCouldBeEffectedByDescendant:",
+ "alignmentValueForAttribute:",
+ "allAddressBooks",
+ "allAttributeKeys",
+ "allBundles",
+ "allCenters",
+ "allConnections",
+ "allEmailAddressesIncludingFullUserName:",
+ "allEvents",
+ "allFrameworkDependencies",
+ "allFrameworks",
+ "allHeaderKeys",
+ "allKeys",
+ "allKeysForObject:",
+ "allLocalizedStringsForKey:",
+ "allMessageViewers",
+ "allMessages",
+ "allMessagesInSelectionAreDeleted",
+ "allMessagesInSelectionHaveBeenRemoved",
+ "allModes",
+ "allObjects",
+ "allProjectTypeTables",
+ "allPropertyKeys",
+ "allQualifierKeys",
+ "allQualifierOperators",
+ "allRenderingRootTextViews",
+ "allRenderingRoots",
+ "allRunLoopModes",
+ "allTheLanguageContextNamesInstalledOnTheSystem",
+ "allThreadsIdle",
+ "allToManyRelationshipKeys",
+ "allToOneRelationshipKeys",
+ "allValues",
+ "alloc",
+ "allocFromZone:",
+ "allocIndexInfo",
+ "allocWithZone:",
+ "allocateGState",
+ "allocateMoreTokens:",
+ "allowEmptySel:",
+ "allowableFileTypesForURL",
+ "allowableSubprojectTypes",
+ "allowableSuperprojectTypes",
+ "allowsAppend",
+ "allowsBranchSelection",
+ "allowsColumnReordering",
+ "allowsColumnResizing",
+ "allowsColumnSelection",
+ "allowsContinuedTracking",
+ "allowsEditingTextAttributes",
+ "allowsEmptySelection",
+ "allowsFloats",
+ "allowsIncrementalSearching",
+ "allowsIndexing",
+ "allowsKeyboardEditing",
+ "allowsMixedState",
+ "allowsMultipleSelection",
+ "allowsNaturalLanguage",
+ "allowsTickMarkValuesOnly",
+ "allowsTruncatedLabels",
+ "allowsUndo",
+ "alpha",
+ "alphaComponent",
+ "alphaControlAddedOrRemoved:",
+ "alphanumericCharacterSet",
+ "altIncrementValue",
+ "altModifySelection:",
+ "alternateAddressesForSelf",
+ "alternateImage",
+ "alternateMnemonic",
+ "alternateMnemonicLocation",
+ "alternateText",
+ "alternateTitle",
+ "alternativeAtIndex:",
+ "altersStateOfSelectedItem",
+ "alwaysKeepColumnsSizedToFitAvailableSpace",
+ "alwaysSelectsSelf",
+ "ancestor",
+ "ancestorSharedWithView:",
+ "anchorSwitchChanged:",
+ "animate:",
+ "animationDelay",
+ "annotateIndentation",
+ "annotateTagMatching",
+ "anyFontDataForUser:hasChangedSinceDate:",
+ "anyObject",
+ "apop:",
+ "appDidActivate:",
+ "appDidUpdate:",
+ "appHelpFileForOSType:",
+ "appIconFileForOSType:",
+ "appWillUpdate:",
+ "apparentSize",
+ "appendAddressList:",
+ "appendAddressList:forHeader:",
+ "appendAndQuoteString:",
+ "appendAttributeString:cachedString:",
+ "appendAttributedString:",
+ "appendBezierPath:",
+ "appendBezierPathWithArcFromPoint:toPoint:radius:",
+ "appendBezierPathWithArcWithCenter:radius:startAngle:endAngle:",
+ "appendBezierPathWithArcWithCenter:radius:startAngle:endAngle:clockwise:",
+ "appendBezierPathWithGlyph:inFont:",
+ "appendBezierPathWithGlyphs:count:inFont:",
+ "appendBezierPathWithOvalInRect:",
+ "appendBezierPathWithPackedGlyphs:",
+ "appendBezierPathWithPoints:count:",
+ "appendBezierPathWithRect:",
+ "appendBodyToData:",
+ "appendByte:",
+ "appendBytes:length:",
+ "appendCString:",
+ "appendCString:length:",
+ "appendCharacter:",
+ "appendCharacters:length:",
+ "appendCloseMarkerString:cachedString:",
+ "appendData:",
+ "appendData:toMailboxNamed:flags:",
+ "appendData:wrapAtColumn:escapeFrom:",
+ "appendEditingMarkOfColor:withText:andState:toRendering:",
+ "appendEditingMarkWithText:fillColor:textColor:shape:toRendering:withState:",
+ "appendEntityMarkOfLevel:withState:toRendering:",
+ "appendEpilogueMarkOfLevel:withState:toRendering:",
+ "appendFormat:",
+ "appendFromSpaceIfMissing",
+ "appendGeneratedChildren:cachedString:",
+ "appendGeneratedHTMLEquivalent:cachedString:",
+ "appendHTMLEquivalent:cachedString:",
+ "appendHeaderData:andRecipients:",
+ "appendHeadersToData:",
+ "appendHeadersToMessageHeaders:",
+ "appendLeadingCloseWhitespace:cachedString:",
+ "appendLeadingWhitespace:cachedString:",
+ "appendList:",
+ "appendMarkerString:cachedString:",
+ "appendMessageArray:",
+ "appendMessages:",
+ "appendMessages:unsuccessfulOnes:",
+ "appendPrologueMarkOfLevel:withState:toRendering:",
+ "appendRenderedChild:toRendering:withState:buildingMap:baseLocation:",
+ "appendRenderedChildrenWithState:toString:buildingMap:baseLocation:",
+ "appendRenderedHtmlEpilogueWithState:toRendering:",
+ "appendRenderedHtmlPrologueWithState:toRendering:",
+ "appendRenderedHtmlWithState:toRendering:",
+ "appendRenderedHtmlWithState:toRendering:buildingMap:",
+ "appendRenderingRootsToArray:",
+ "appendString:",
+ "appendTagMarkOfLevel:shape:text:withState:toRendering:",
+ "appendTextFindingRenderingToString:buildingMap:withBaseLocation:",
+ "appendTrailingCloseWhitespace:cachedString:",
+ "appendTrailingWhitespace:cachedString:",
+ "appendTransform:",
+ "appleDoubleDataWithFilename:length:",
+ "appleEventClassCode",
+ "appleEventCode",
+ "appleEventCodeForArgumentWithName:",
+ "appleEventCodeForKey:",
+ "appleEventCodeForReturnType",
+ "appleEventCodeForSuite:",
+ "appleEventWithEventClass:eventID:targetDescriptor:returnID:transactionID:",
+ "appleSingleDataWithFilename:length:",
+ "appletClassName",
+ "appletImage",
+ "application:delegateHandlesKey:",
+ "application:openFile:",
+ "application:openFileWithoutUI:",
+ "application:openTempFile:",
+ "application:printFile:",
+ "application:receivedEvent:dequeuedEvent:",
+ "applicationClass",
+ "applicationDelegateHandlesKey::",
+ "applicationDidBecomeActive:",
+ "applicationDidChangeScreenParameters:",
+ "applicationDidFinishLaunching:",
+ "applicationDidHide:",
+ "applicationDidResignActive:",
+ "applicationDidUnhide:",
+ "applicationDidUpdate:",
+ "applicationIcon",
+ "applicationIconImage",
+ "applicationLaunched:handle:",
+ "applicationName",
+ "applicationOpenUntitledFile:",
+ "applicationQuit:handle:",
+ "applicationShouldHandleReopen:hasVisibleWindows:",
+ "applicationShouldOpenUntitledFile:",
+ "applicationShouldTerminate:",
+ "applicationShouldTerminateAfterLastWindowClosed:",
+ "applicationWillBecomeActive:",
+ "applicationWillFinishLaunching:",
+ "applicationWillHide:",
+ "applicationWillResignActive:",
+ "applicationWillTerminate:",
+ "applicationWillUnhide:",
+ "applicationWillUpdate:",
+ "apply:",
+ "apply:context:",
+ "applyChangedArray:old:addSelector:removeSelector:",
+ "applyFace:",
+ "applyFontTraits:range:",
+ "applyTextStyleToSelection:",
+ "approximateBackgroundColor",
+ "approximateBytesRepresented",
+ "approximateItem",
+ "approximateObjectCount",
+ "archList",
+ "archive",
+ "archiveButtonImageSourceWithName:toDirectory:",
+ "archiveCount:andPostings:ofType:",
+ "archiveMailboxPath",
+ "archiveMailboxSelected:",
+ "archiveNameForEncoding:",
+ "archiveRootObject:toFile:",
+ "archiveStorePath",
+ "archivedDataWithRootObject:",
+ "archiver:referenceToEncodeForObject:",
+ "archiverData",
+ "areAllContextsOutputTraced",
+ "areAllContextsSynchronized",
+ "areCursorRectsEnabled",
+ "areEventsTraced",
+ "areExceptionsEnabled",
+ "areThereAnyUnreadMessagesInItem:",
+ "areTransactionsEnabled",
+ "argumentNames",
+ "arguments",
+ "argumentsRetained",
+ "arrangeInFront:",
+ "array",
+ "arrayByAddingObject:",
+ "arrayByAddingObjects:count:",
+ "arrayByAddingObjectsFromArray:",
+ "arrayByApplyingSelector:",
+ "arrayByExcludingIdenticalObjectsInArray:",
+ "arrayByExcludingObjectsInArray:",
+ "arrayByExcludingObjectsInArray:identical:",
+ "arrayByExcludingToObjectsInArray:",
+ "arrayByInsertingObject:atIndex:",
+ "arrayByIntersectingWithArray:",
+ "arrayByRemovingFirstObject",
+ "arrayByRemovingLastObject",
+ "arrayByRemovingObject:",
+ "arrayByRemovingObjectAtIndex:",
+ "arrayByReplacingObjectAtIndex:withObject:",
+ "arrayBySubtractingArray:",
+ "arrayClass",
+ "arrayExcludingObjectsInArray:",
+ "arrayFaultWithSourceGlobalID:relationshipName:editingContext:",
+ "arrayForKey:",
+ "arrayWithArray:",
+ "arrayWithArray:copyItems:",
+ "arrayWithCapacity:",
+ "arrayWithContentsOfFile:",
+ "arrayWithContentsOfURL:",
+ "arrayWithObject:",
+ "arrayWithObjects:",
+ "arrayWithObjects:count:",
+ "arrayWithObjectsNotInArray:",
+ "arrayWithValuesForKey:",
+ "arrowCursor",
+ "arrowPosition",
+ "arrowsPosition",
+ "ascender",
+ "asciiWhitespaceSet",
+ "askForReadReceipt",
+ "askToSave:",
+ "askUserAboutEditingPreferenceWithKey:",
+ "aspectRatio",
+ "assignGloballyUniqueBytes:",
+ "asyncInvokeServiceIn:msg:pb:userData:menu:remoteServices:unhide:",
+ "attachColorList:",
+ "attachPopUpWithFrame:inView:",
+ "attachSubmenuForItemAtIndex:",
+ "attachToHTMLView:",
+ "attachedMenu",
+ "attachedMenuView",
+ "attachedView",
+ "attachment",
+ "attachmentCell",
+ "attachmentCell:doubleClickEvent:inTextView:withFrame:",
+ "attachmentCell:singleClickEvent:inTextView:withFrame:",
+ "attachmentCell:willFloatToMargin:withSize:lineFragment:characterIndex:",
+ "attachmentCellForLineBreak:",
+ "attachmentCellWithHorizontalRule:",
+ "attachmentCellWithText:fillColor:textColor:shape:representedItem:",
+ "attachmentCellWithVCard:",
+ "attachmentCharacterRange",
+ "attachmentDirectory",
+ "attachmentFilename",
+ "attachmentForWindowLocation:givenOrigin:frame:",
+ "attachmentName",
+ "attachmentPathForFileWrapper:directory:",
+ "attachmentSizeForGlyphAtIndex:",
+ "attachmentViewChangedFrame:",
+ "attachments",
+ "attemptBackgroundDelivery",
+ "attemptOverwrite:",
+ "attribute:atIndex:effectiveRange:",
+ "attribute:atIndex:longestEffectiveRange:inRange:",
+ "attribute:forTagString:",
+ "attributeDescriptorForKeyword:",
+ "attributeForKey:",
+ "attributeKeys",
+ "attributePostSetIsSafe",
+ "attributeRuns",
+ "attributeStart",
+ "attributeString",
+ "attributeStringValue",
+ "attributedAlternateTitle",
+ "attributedString",
+ "attributedStringByWeaklyAddingAttributes:",
+ "attributedStringForImageNamed:selectedImageNamed:withRepresentedObject:sender:makingCell:",
+ "attributedStringForImageNamed:withRepresentedObject:sender:makingCell:",
+ "attributedStringForNil",
+ "attributedStringForNotANumber",
+ "attributedStringForObjectValue:withDefaultAttributes:",
+ "attributedStringForSelection",
+ "attributedStringForZero",
+ "attributedStringFromMimeEnrichedString:",
+ "attributedStringFromMimeRichTextString:",
+ "attributedStringIsReady:",
+ "attributedStringShowingAllHeaders:",
+ "attributedStringToEndOfGroup",
+ "attributedStringValue",
+ "attributedStringWithAttachment:",
+ "attributedStringWithContentsOfFile:showingEditingCharacters:",
+ "attributedStringWithHTML:documentAttributes:",
+ "attributedSubstringForMarkedRange",
+ "attributedSubstringFromRange:",
+ "attributedTitle",
+ "attributes",
+ "attributesAtEndOfGroup",
+ "attributesAtIndex:effectiveRange:",
+ "attributesAtIndex:longestEffectiveRange:inRange:",
+ "attributesIndex",
+ "attributesWithStat:",
+ "authenticateAsUser:password:",
+ "authenticateComponents:withData:",
+ "authenticateWithDelegate:",
+ "authenticationDataForComponents:",
+ "autoAlternative",
+ "autoFetchMail:",
+ "autoPositionMask",
+ "autoResizesOutlineColumn",
+ "autoenablesItems",
+ "autorelease",
+ "autoreleasePoolExists",
+ "autoreleasedObjectCount",
+ "autoresizesAllColumnsToFit",
+ "autoresizesOutlineColumn",
+ "autoresizesSubviews",
+ "autoresizingMask",
+ "autosaveExpandedItems",
+ "autosaveName",
+ "autosaveTableColumns",
+ "autoscroll:",
+ "autosizesCells",
+ "availableCollatorElements",
+ "availableCollators",
+ "availableColorLists",
+ "availableData",
+ "availableFontFamilies",
+ "availableFontNamesWithTraits:",
+ "availableFonts",
+ "availableLanguageContextNames",
+ "availableLanguageNames",
+ "availableMembersOfFontFamily:",
+ "availableMessagesUsingUIDL",
+ "availablePPDTypeFiles",
+ "availableResourceData",
+ "availableStringEncodings",
+ "availableTypeFromArray:",
+ "awaitReturnValues",
+ "awake",
+ "awakeAfterUsingCoder:",
+ "awakeFromFetchInEditingContext:",
+ "awakeFromInsertionInEditingContext:",
+ "awakeFromKeyValueUnarchiver:",
+ "awakeFromNib",
+ "awakeObject:fromFetchInEditingContext:",
+ "awakeObject:fromInsertionInEditingContext:",
+ "awakeObjects",
+ "awakeWithDocument:",
+ "awakeWithPropertyList:",
+ "backClicked:",
+ "backgroundChanged",
+ "backgroundCheckboxAction:",
+ "backgroundColor",
+ "backgroundColorForCell:",
+ "backgroundColorString",
+ "backgroundDidChange",
+ "backgroundFetchFailed:",
+ "backgroundGray",
+ "backgroundImage",
+ "backgroundImageUrl",
+ "backgroundImageUrlString",
+ "backgroundLayoutEnabled",
+ "backgroundLoadDidFailWithReason:",
+ "backgroundWellAction:",
+ "backingType",
+ "base",
+ "baseAffineTransform",
+ "baseFontSizeLevel",
+ "baseOfTypesetterGlyphInfo",
+ "baseSpecifier",
+ "baseURL",
+ "baselineLocation",
+ "baselineOffset",
+ "baselineOffsetInLayoutManager:glyphIndex:",
+ "bccRecipients",
+ "becomeFirstResponder",
+ "becomeKeyWindow",
+ "becomeMainWindow",
+ "becomeMultiThreaded:",
+ "becomeSingleThreaded:",
+ "becomesKeyOnlyIfNeeded",
+ "beginAttribute:withValue:",
+ "beginDeepHTMLChange",
+ "beginDocument",
+ "beginDocumentWithTitle:",
+ "beginDraggingCell:fromIndex:toMinIndex:maxIndex:",
+ "beginEditing",
+ "beginEnum",
+ "beginEventCoalescing",
+ "beginHTMLChange",
+ "beginLoadInBackground",
+ "beginModalSessionForWindow:",
+ "beginModalSessionForWindow:relativeToWindow:",
+ "beginPage:",
+ "beginPage:label:bBox:fonts:",
+ "beginPageInRect:atPlacement:",
+ "beginPageSetupRect:placement:",
+ "beginPrologueBBox:creationDate:createdBy:fonts:forWhom:pages:title:",
+ "beginRtfParam",
+ "beginSetup",
+ "beginSheet:modalForWindow:modalDelegate:didEndSelector:contextInfo:",
+ "beginSheetForDirectory:file:modalForWindow:modalDelegate:didEndSelector:contextInfo:",
+ "beginSheetForDirectory:file:types:modalForWindow:modalDelegate:didEndSelector:contextInfo:",
+ "beginTrailer",
+ "beginTransaction",
+ "beginUndoGrouping",
+ "bestMIMEStringEncoding",
+ "bestRepresentationForDevice:",
+ "betterImageNamed:",
+ "betterScanUpToCharactersFromSet:intoString:",
+ "betterScanUpToString:intoString:",
+ "betterSizeToFit",
+ "bezelStyle",
+ "bezelStyleForState:",
+ "bezierPath",
+ "bezierPathByFlatteningPath",
+ "bezierPathByReversingPath",
+ "bezierPathWithOvalInRect:",
+ "bezierPathWithRect:",
+ "bigMessageWarningSize",
+ "bigger:",
+ "binaryCollator",
+ "bindObjectsWithFetchSpecification:toName:",
+ "bindWithUsername:password:",
+ "binding",
+ "bindingKeys",
+ "birthDate",
+ "bitmapData",
+ "bitmapDataPlanes",
+ "bitmapImage",
+ "bitmapRepresentation",
+ "bitsPerPixel",
+ "bitsPerSample",
+ "bkgdCheckboxAction:",
+ "blackColor",
+ "blackComponent",
+ "blendedColorWithFraction:ofColor:",
+ "blockExists:",
+ "blueColor",
+ "blueComponent",
+ "blueControlTintColor",
+ "bodyClassForMessageEncoding:",
+ "bodyData",
+ "bodyDataForMessage:",
+ "bodyForMessage:",
+ "bodyPartFromAttributedString:",
+ "bodyPartWithData:",
+ "bodyParts",
+ "bodyWasDecoded:forMessage:",
+ "bodyWasEncoded:forMessage:",
+ "bodyWillBeDecoded:forMessage:",
+ "bodyWillBeEncoded:forMessage:",
+ "bodyWillBeForwarded:forMessage:",
+ "boldSystemFontOfSize:",
+ "boolForKey:",
+ "boolValue",
+ "boolValueForKey:default:",
+ "booleanForKey:inTable:",
+ "booleanValueForAttribute:",
+ "border",
+ "borderAction:",
+ "borderColor",
+ "borderColorForCell:",
+ "borderRect",
+ "borderSize",
+ "borderTextfieldAction:",
+ "borderType",
+ "borderWidth",
+ "bottomMargin",
+ "boundingBox",
+ "boundingRectForFont",
+ "boundingRectForGlyph:",
+ "boundingRectForGlyphRange:inTextContainer:",
+ "bounds",
+ "boundsForButtonCell:",
+ "boundsForTextCell:",
+ "boundsRotation",
+ "boxType",
+ "branchImage",
+ "breakClear",
+ "breakLineAtIndex:",
+ "breakLock",
+ "brightColor",
+ "brightnessComponent",
+ "brightnessSlider:",
+ "bringUpGetNewMailMenu:",
+ "bringUpTransferMenu:",
+ "broadcast",
+ "brownColor",
+ "browser:createRowsForColumn:inMatrix:",
+ "browser:isColumnValid:",
+ "browser:numberOfRowsInColumn:",
+ "browser:selectCellWithString:inColumn:",
+ "browser:selectRow:inColumn:",
+ "browser:titleOfColumn:",
+ "browser:willDisplayCell:atRow:column:",
+ "browserDidScroll:",
+ "browserMayDeferScript",
+ "browserWillScroll:",
+ "btree",
+ "bufferIsEmpty",
+ "buildAlertStyle:title:message:first:second:third:args:",
+ "buildControls",
+ "buildDir",
+ "buildParamsArray",
+ "buildPathsForSubComponentForProject:",
+ "buildTargets",
+ "builderForClass:",
+ "builderForObject:",
+ "builtInPlugInsPath",
+ "bulletString",
+ "bulletStringForListItem:",
+ "bundleExtension",
+ "bundleForClass:",
+ "bundleForSuite:",
+ "bundleIdentifier",
+ "bundleLanguages",
+ "bundleObject",
+ "bundlePath",
+ "bundleWithIdentifier:",
+ "bundleWithPath:",
+ "buttonAtIndex:",
+ "buttonCount",
+ "buttonEnableNotification:",
+ "buttonImageSourceWithName:",
+ "buttonPressed:",
+ "buttonSize",
+ "buttonWidthForCount:",
+ "buttonWithName:",
+ "buttonWithTag:",
+ "byteAtScanLocation",
+ "byteIsMember:",
+ "bytes",
+ "bytesPerPlane",
+ "bytesPerRow",
+ "cString",
+ "cStringLength",
+ "cacheCell:inRect:flipped:",
+ "cacheDepthMatchesImageDepth",
+ "cacheImageInRect:",
+ "cacheImages:fromBundle:",
+ "cacheMiniwindowTitle:guess:",
+ "cachePolicy",
+ "cachePolicyChanged:",
+ "cachedCellSize",
+ "cachedData",
+ "cachedDataSize",
+ "cachedHandleForURL:",
+ "cachedHeadersAtIndex:",
+ "cachedImageForURL:client:",
+ "cachedImageForURL:loadIfAbsent:",
+ "cachedLeftTabStopForLocation:",
+ "cachesBezierPath",
+ "calcDrawInfo:",
+ "calcFrameSizes",
+ "calcSize",
+ "calendarDate",
+ "calendarFormat",
+ "canAddNewRowInTableView:",
+ "canAppendMessages",
+ "canBeCancelled",
+ "canBeCompressedUsing:",
+ "canBeConvertedToEncoding:",
+ "canBeDisabled",
+ "canBePended",
+ "canBecomeKeyWindow",
+ "canBecomeMainWindow",
+ "canChangeDimension:",
+ "canChangeWidth:",
+ "canChooseDirectories",
+ "canChooseFiles",
+ "canCloseDocument",
+ "canCloseDocumentWithDelegate:shouldCloseSelector:contextInfo:",
+ "canCompact",
+ "canConnectFrame",
+ "canConvertToBMPRepresentation",
+ "canCreateNewFile:inProject:forKey:",
+ "canCreateNewMailboxes",
+ "canDelete",
+ "canDeleteSelectedRowInTableView:",
+ "canDraw",
+ "canDrawerExtendToEdge:",
+ "canEverAddNewRowInTableView:",
+ "canEverDeleteSelectedRowInTableView:",
+ "canGoOffline",
+ "canImportData:",
+ "canInitWithData:",
+ "canInitWithPasteboard:",
+ "canInitWithURL:",
+ "canProduceExecutableForProject:",
+ "canProvideDataFrom:",
+ "canRebuild",
+ "canRedo",
+ "canSelectNextMessage",
+ "canSelectPreviousMessage",
+ "canSetTitle",
+ "canStoreColor",
+ "canUndo",
+ "canUseAppKit",
+ "canWriteToDirectoryAtPath:",
+ "canWriteToFileAtPath:",
+ "cancel",
+ "cancel:",
+ "cancelButtonClicked:",
+ "cancelClicked:",
+ "cancelEvent:",
+ "cancelInput:conversation:",
+ "cancelLoadInBackground",
+ "cancelPerformSelector:target:argument:",
+ "cancelPreviousPerformRequestsWithTarget:selector:object:",
+ "canonicalFaceArrayFromCanonicalFaceString:",
+ "canonicalFaceArrayFromFaceString:",
+ "canonicalFaceStringFromCanonicalFaceArray:",
+ "canonicalFaceStringFromFaceString:",
+ "canonicalFile",
+ "canonicalFileToProjectDictionary",
+ "canonicalHTTPURLForURL:",
+ "canonicalHomeDirectory",
+ "canonicalPath:",
+ "canonicalString",
+ "capHeight",
+ "capabilities",
+ "capacity",
+ "capacityOfTypesetterGlyphInfo",
+ "capitalizeSelfWithLocale:",
+ "capitalizeWord:",
+ "capitalizedString",
+ "capitalizedStringWithLanguage:",
+ "caption",
+ "captionCheckboxAction:",
+ "captionHeight",
+ "captionRadioAction:",
+ "captionedCheckboxAction:",
+ "cardAtIndex:",
+ "cardCountOfMostRecentTemporaryBook",
+ "cardReferenceAtIndex:",
+ "cascadeTopLeftFromPoint:",
+ "caseConversionFlags",
+ "caseInsensitiveCompare:",
+ "caseInsensitiveLike:",
+ "caseSensitive",
+ "catalogNameComponent",
+ "categoryName",
+ "ccRecipients",
+ "cell",
+ "cellAction:",
+ "cellAtIndex:",
+ "cellAtRow:column:",
+ "cellAttribute:",
+ "cellBackgroundColor",
+ "cellBaselineOffset",
+ "cellChanged",
+ "cellClass",
+ "cellEditingIvarsCreateIfAbsent",
+ "cellEditingIvarsNullIfAbsent",
+ "cellEditingIvarsRaiseIfAbsent",
+ "cellForItemAtIndex:",
+ "cellFrameAtRow:column:",
+ "cellFrameForProposedLineFragment:glyphPosition:characterIndex:",
+ "cellFrameForTextContainer:proposedLineFragment:glyphPosition:characterIndex:",
+ "cellMaximumSize",
+ "cellMinimumSize",
+ "cellPadding",
+ "cellPreviousToCell:requiringContent:",
+ "cellPrototype",
+ "cellSelected:",
+ "cellSize",
+ "cellSizeForBounds:",
+ "cellSizeWithTextContainerWidth:",
+ "cellSizeWithTextContainerWidth:forLockState:",
+ "cellSpacing",
+ "cellSubsequentToCell:requiringContent:",
+ "cellTextAlignment",
+ "cellTextViewWithFrame:",
+ "cellWithRepresentedObject:",
+ "cellWithTag:",
+ "cells",
+ "cellsForSelection:",
+ "center",
+ "center:didAddObserver:name:object:",
+ "center:didRemoveObserver:name:object:",
+ "centerScanRect:",
+ "centerSelectionInVisibleArea:",
+ "centerTabMarkerWithRulerView:location:",
+ "chainChildContext:",
+ "changeAddressHeader:",
+ "changeAlignment:",
+ "changeBackgroundColor:",
+ "changeCase:",
+ "changeCaseOfLetter:",
+ "changeColor:",
+ "changeCount",
+ "changeCurrentDirectoryPath:",
+ "changeDimension:toType:",
+ "changeDocFont:",
+ "changeFetchRemoteURLs:",
+ "changeFileAttributes:atPath:",
+ "changeFixedFont:",
+ "changeFont:",
+ "changeFontColor:",
+ "changeFontFace:",
+ "changeFontSize:",
+ "changeFontStyle:",
+ "changeFontTrait:",
+ "changeFromHeader:",
+ "changeHeaderField:",
+ "changeHeaderSize:",
+ "changeHighlightChanges:",
+ "changeInLength",
+ "changeIndent:",
+ "changeInspectorFloats:",
+ "changeMailboxLocation:",
+ "changeMode:",
+ "changePasteMenuItem:toHaveTitle:",
+ "changePlainTextFont:",
+ "changePopup:",
+ "changePreserveWhitespaceRadio:",
+ "changePrettyPrint:",
+ "changeRawFont:",
+ "changeReplyMode:",
+ "changeRichTextFont:",
+ "changeSaveType:",
+ "changeSpelling:",
+ "changeTo:",
+ "changeToMouseTrackingWindow",
+ "changeToType:",
+ "changeUndoLevels:",
+ "changeUseSyntaxColoring:",
+ "changeWidth:ofSubelement:toType:",
+ "changeWillBeUndone:",
+ "changeWindowsItem:title:filename:",
+ "changedShowAllOtherTags:",
+ "changedShowAppletTags:",
+ "changedShowBlackOnWhite:",
+ "changedShowBreakTags:",
+ "changedShowComments:",
+ "changedShowFrameTags:",
+ "changedShowImageTags:",
+ "changedShowNonbreakingSpaces:",
+ "changedShowParagraphTags:",
+ "changedShowPlaceholders:",
+ "changedShowScript:",
+ "changedShowSpaces:",
+ "changedShowTableTags:",
+ "changedShowTopLevelTags:",
+ "changedValuesInDictionary:withKeys:",
+ "changedWhileFrozen",
+ "changesFromSnapshot:",
+ "charValue",
+ "character:hasNumericProperty:",
+ "character:hasProperty:",
+ "characterAtIndex:",
+ "characterIndexForGlyphAtIndex:",
+ "characterIndexForPoint:",
+ "characterIsMember:",
+ "characterRangeForGlyphRange:actualGlyphRange:",
+ "characterSetCoveredByFont:language:",
+ "characterSetWithBitmapRepresentation:",
+ "characterSetWithCharactersInString:",
+ "characterSetWithContentsOfFile:",
+ "characterSetWithName:",
+ "characterSetWithRange:",
+ "characters",
+ "charactersIgnoringModifiers",
+ "charactersToBeSkipped",
+ "cheapStoreAtPathIsEmpty:",
+ "checkDictionary",
+ "checkForMessageClear:",
+ "checkForRemovableMedia",
+ "checkIntegrity",
+ "checkNewMail:",
+ "checkRendering",
+ "checkSpaceForParts",
+ "checkSpelling:",
+ "checkSpellingOfString:startingAt:",
+ "checkSpellingOfString:startingAt:language:wrap:inSpellDocumentWithTag:wordCount:",
+ "checkSpellingOfString:startingAt:language:wrap:inSpellDocumentWithTag:wordCount:reconnectOnError:",
+ "checkWhitespacePreservation",
+ "checkWhitespacePreservationWithCache:",
+ "checked",
+ "childAtIndex:",
+ "childConformingToProtocol:afterItem:",
+ "childConformingToProtocol:beforeItem:",
+ "childContext",
+ "childMailboxPathsAtPath:",
+ "childOfClass:afterItem:",
+ "childOfClass:beforeItem:",
+ "childRespondingToSelector:afterItem:",
+ "childRespondingToSelector:beforeItem:",
+ "childSpecifier",
+ "childString",
+ "childWidthsInvalid",
+ "childWithName:",
+ "children",
+ "childrenForItem:",
+ "childrenOf:",
+ "chooseImage:",
+ "choosePrinter",
+ "claimRangeFrom:to:",
+ "class",
+ "classCode",
+ "classDelegate",
+ "classDescription",
+ "classDescriptionForClass:",
+ "classDescriptionForDestinationKey:",
+ "classDescriptionForEntityName:",
+ "classDescriptionForKey:",
+ "classDescriptionForKeyPath:",
+ "classDescriptionForObjects",
+ "classDescriptionWithAppleEventCode:",
+ "classDescriptionsInSuite:",
+ "classForArchiver",
+ "classForCoder",
+ "classForFault:",
+ "classForPortCoder",
+ "classInspectorClassName",
+ "className",
+ "classNameDecodedForArchiveClassName:",
+ "classNameEncodedForTrueClassName:",
+ "classNamed:",
+ "classOfObjectsInNestedHomogeneousArray:",
+ "classPropertyKeys",
+ "classTerminologyDictionary:",
+ "cleanUpAfterDragOperation",
+ "cleanUpOperation",
+ "cleanedUpPath:",
+ "clear",
+ "clear:",
+ "clearAsMainCarbonMenuBar",
+ "clearAttributesCache",
+ "clearBackingStore",
+ "clearCaches",
+ "clearColor",
+ "clearControlTintColor",
+ "clearConversationRequest",
+ "clearCurrentContext",
+ "clearDirtyFlag:",
+ "clearDisciplineLevels",
+ "clearDrawable",
+ "clearFault:",
+ "clearGLContext",
+ "clearGlyphCache",
+ "clearImageCache",
+ "clearMarkedRange",
+ "clearMessageNow",
+ "clearOriginalSnapshotForObject:",
+ "clearProperties",
+ "clearRecentDocuments:",
+ "clearSizeCache",
+ "clearTexture",
+ "clearTooltipTrackingRects",
+ "clearwhite:",
+ "click:inFrame:notifyingHTMLView:orTextView:",
+ "clickCount",
+ "clickToolbarButton:",
+ "clickedColumn",
+ "clickedOnCell:inRect:",
+ "clickedOnLink:atIndex:",
+ "clickedRow",
+ "client",
+ "clientSideImageMapName",
+ "clientView",
+ "clientWrapperWithRealClient:",
+ "clip:",
+ "clipRect:",
+ "clipViewChangedBounds:",
+ "close",
+ "close:",
+ "closeAllDocuments",
+ "closeAllDocumentsWithDelegate:didCloseAllSelector:contextInfo:",
+ "closeAppleScriptConnection",
+ "closeBlock:",
+ "closeButton",
+ "closeConfirmSheetDidEnd:returnCode:forSave:",
+ "closeFile",
+ "closeIndexAndRemoveFile:",
+ "closePath",
+ "closeRegion:ofLength:",
+ "closeSocket",
+ "closeSpellDocumentWithTag:",
+ "closeTokenRange",
+ "closeWidgetInView:withButtonID:action:",
+ "closestMatchingIndexesLessThan:selectFirstOnNoMatch:",
+ "closestTickMarkValueToValue:",
+ "coalesceAffectedRange:replacementRange:selectedRange:text:",
+ "coalesceChildren",
+ "coalesceInTextView:affectedRange:replacementRange:",
+ "codeSegment",
+ "coerceArray:toColor:",
+ "coerceColor:toArray:",
+ "coerceColor:toData:",
+ "coerceColor:toString:",
+ "coerceData:toColor:",
+ "coerceData:toTextStorage:",
+ "coerceString:toColor:",
+ "coerceString:toTextStorage:",
+ "coerceTextStorage:toData:",
+ "coerceTextStorage:toString:",
+ "coerceToDescriptorType:",
+ "coerceValue:forKey:",
+ "coerceValue:toClass:",
+ "coerceValueForTextStorage:",
+ "collapseItem:",
+ "collapseItem:collapseChildren:",
+ "collapseItemEqualTo:collapseChildren:",
+ "collator:",
+ "collatorElementWithName:",
+ "collatorWithName:",
+ "collectResources",
+ "color",
+ "colorDarkenedByFactor:",
+ "colorForControlTint:",
+ "colorForHTMLAttributeValue:",
+ "colorForLevel:",
+ "colorFromPasteboard:",
+ "colorFromPoint:",
+ "colorListChanged:",
+ "colorListNamed:",
+ "colorMask",
+ "colorNameComponent",
+ "colorPanel",
+ "colorPanelColorChanged:",
+ "colorSpace",
+ "colorSpaceDataForProfileData:",
+ "colorSpaceName",
+ "colorString",
+ "colorTable",
+ "colorToString",
+ "colorUsingColorSpaceName:",
+ "colorUsingColorSpaceName:device:",
+ "colorWithAlphaComponent:",
+ "colorWithCalibratedHue:saturation:brightness:alpha:",
+ "colorWithCalibratedRed:green:blue:alpha:",
+ "colorWithCalibratedWhite:alpha:",
+ "colorWithCatalogName:colorName:",
+ "colorWithDeviceCyan:magenta:yellow:black:alpha:",
+ "colorWithDeviceHue:saturation:brightness:alpha:",
+ "colorWithDeviceRed:green:blue:alpha:",
+ "colorWithDeviceWhite:alpha:",
+ "colorWithKey:",
+ "colorWithPatternImage:",
+ "colorize",
+ "colorizeByMappingGray:toColor:blackMapping:whiteMapping:",
+ "colorizeIncomingMail",
+ "colorizeTokensInRange:ofAttributedString:withSelection:dirtyOnly:",
+ "colorizeUsingIndexEntries",
+ "colsString",
+ "colsTextfieldAction:",
+ "columnAtPoint:",
+ "columnCount",
+ "columnKeyToSortOrder:",
+ "columnOfMatrix:",
+ "columnSpan",
+ "columnWithIdentifier:",
+ "columnsInRect:",
+ "combineWithTextStyle:",
+ "combinedFamilyNames",
+ "comboBox:completedString:",
+ "comboBox:indexOfItemWithStringValue:",
+ "comboBox:objectValueForItemAtIndex:",
+ "comboBoxCell:completedString:",
+ "comboBoxCell:indexOfItemWithStringValue:",
+ "comboBoxCell:objectValueForItemAtIndex:",
+ "comboBoxCellSelectionDidChange:",
+ "comboBoxCellSelectionIsChanging:",
+ "comboBoxCellTextDidChange:",
+ "comboBoxCellWillDismiss:",
+ "comboBoxCellWillPopUp:",
+ "comboBoxTextDidEndEditing:",
+ "commandClassName",
+ "commandDescription",
+ "commandDescriptionWithAppleEventClass:andAppleEventCode:",
+ "commandDescriptionsInSuite:",
+ "commandLineArguments",
+ "commandName",
+ "commandTerminologyDictionary:",
+ "comment",
+ "commentDidChange:",
+ "commitChanges",
+ "commitDisplayedValues",
+ "commitRegion:ofLength:",
+ "commitTransaction",
+ "committedSnapshotForObject:",
+ "commonPrefixWithString:options:",
+ "compact",
+ "compactMailbox:",
+ "compactWhenClosingMailboxes",
+ "compactWhiteSpace",
+ "compactWhiteSpaceUpdatingRanges:",
+ "compactWithTimeout:",
+ "compare:",
+ "compare:options:",
+ "compare:options:range:",
+ "compare:options:range:locale:",
+ "compareAsIntegers:",
+ "compareAscending:",
+ "compareCaseInsensitiveAscending:",
+ "compareCaseInsensitiveDescending:",
+ "compareDescending:",
+ "compareGeometry:",
+ "compareSelector",
+ "comparisonFormat",
+ "compileScript",
+ "compilerForLanguage:OSType:",
+ "compilerLanguages",
+ "compilerNamed:",
+ "compilers",
+ "compilersForLanguage:andOSType:",
+ "complete:",
+ "completeInitWithRepresentedItem:",
+ "completeInitWithTextController:",
+ "completeInitializationOfObject:",
+ "completePathIntoString:caseSensitive:matchesIntoArray:filterTypes:",
+ "completeString:",
+ "completedString:",
+ "completes",
+ "completionEnabled",
+ "componentMessageFlagsChanged:",
+ "componentStoreStructureChanged:",
+ "components",
+ "componentsJoinedByData:",
+ "componentsJoinedByString:",
+ "componentsSeparatedByData:",
+ "componentsSeparatedByString:",
+ "composeAccessoryView",
+ "composeAccessoryViewNibName",
+ "composeAccessoryViewOwner",
+ "composeAccessoryViewOwnerClassName",
+ "composeAccessoryViewOwners",
+ "composeMessages",
+ "compositeToPoint:fromRect:operation:",
+ "compositeToPoint:fromRect:operation:fraction:",
+ "compositeToPoint:operation:",
+ "compositeToPoint:operation:fraction:",
+ "compressCommand",
+ "computeAvgForKey:",
+ "computeCountForKey:",
+ "computeMaxForKey:",
+ "computeMinForKey:",
+ "computeSourceTreeForProject:executableProject:",
+ "computeSumForKey:",
+ "concat",
+ "concat:",
+ "concludeDragOperation:",
+ "condition",
+ "configureAsServer",
+ "configureBrowserCell:",
+ "configureInitialText:",
+ "configurePerformanceLoggingDefaults",
+ "configurePopUpButton:usingSignatures:defaultSignature:selectionMethod:",
+ "confirmCloseSheetIsDone:returnCode:contextInfo:",
+ "conflictsDirectlyWithTextStyle:",
+ "conflictsIndirectlyWithTextStyle:",
+ "conformsTo:",
+ "conformsToProtocol:",
+ "conformsToProtocol:forFault:",
+ "connectAllAccounts",
+ "connectAllAccounts:",
+ "connectAndAuthenticate:",
+ "connectThisAccount:",
+ "connectToHost:",
+ "connectToHost:port:",
+ "connectToHost:withPort:protocol:",
+ "connectToHost:withService:orPort:protocol:",
+ "connectToHost:withService:protocol:",
+ "connectToServer",
+ "connectToServer:port:",
+ "connection",
+ "connection:didRetrieveMessageNumber:",
+ "connection:handleRequest:",
+ "connection:receivedNumberOfBytes:",
+ "connection:shouldMakeNewConnection:",
+ "connection:willRetrieveMessageNumber:header:size:",
+ "connectionForProxy",
+ "connectionInformationDidChange",
+ "connectionState",
+ "connectionToUseForAppend",
+ "connectionWasDisconnected",
+ "connectionWithHost:",
+ "connectionWithHosts:",
+ "connectionWithReceivePort:sendPort:",
+ "connectionWithRegisteredName:host:",
+ "connectionWithRegisteredName:host:usingNameServer:",
+ "connections",
+ "connectionsCount",
+ "constrainFrameRect:toScreen:",
+ "constrainResizeEdge:withDelta:elapsedTime:",
+ "constrainScrollPoint:",
+ "constructTable",
+ "containedByItem:",
+ "container",
+ "containerClassDescription",
+ "containerIsObjectBeingTested",
+ "containerIsRangeContainerObject",
+ "containerRangeForTextRange:",
+ "containerSize",
+ "containerSpecifier",
+ "containingItemOfClass:",
+ "contains:",
+ "containsArchitecture:",
+ "containsArray:",
+ "containsAttachments",
+ "containsChildOfClass:besidesItem:",
+ "containsData",
+ "containsDictionary:",
+ "containsFile:",
+ "containsIndex:",
+ "containsItem:",
+ "containsKey:",
+ "containsLocation:inFrame:",
+ "containsMailboxes",
+ "containsObject:",
+ "containsObject:inRange:",
+ "containsObjectIdenticalTo:",
+ "containsObjectsNotIdenticalTo:",
+ "containsOnlyWhiteSpaceAndNewLines",
+ "containsPath:",
+ "containsPoint:",
+ "containsPort:forMode:",
+ "containsRichText",
+ "containsTimer:forMode:",
+ "content",
+ "contentAlpha",
+ "contentColor",
+ "contentDidChange:",
+ "contentFill",
+ "contentFrameForData:givenFrame:textStorage:layoutManager:",
+ "contentRect",
+ "contentRectForFrameRect:styleMask:",
+ "contentSize",
+ "contentSizeForFrameSize:hasHorizontalScroller:hasVerticalScroller:borderType:",
+ "contentString",
+ "contentView",
+ "contentViewMargins",
+ "contentsAtPath:",
+ "contentsEqualAtPath:andPath:",
+ "contentsForTextSystem",
+ "contentsWrap",
+ "context",
+ "contextDelete:",
+ "contextDeleteChildren:",
+ "contextForSecondaryThread",
+ "contextHelpForKey:",
+ "contextHelpForObject:",
+ "contextID",
+ "contextInspect:",
+ "contextIsolateSelection:",
+ "contextMenuRepresentation",
+ "contextSelectAfter:",
+ "contextSelectBefore:",
+ "contextSelectChild:",
+ "contextSelectEnd:",
+ "contextSelectExterior:",
+ "contextSelectInterior:",
+ "contextSelectStart:",
+ "contextUnwrapChildren:",
+ "continueTracking:at:inView:",
+ "continueTrackingWithEvent:",
+ "control:didFailToFormatString:errorDescription:",
+ "control:didFailToValidatePartialString:errorDescription:",
+ "control:isValidObject:",
+ "control:textShouldBeginEditing:",
+ "control:textShouldEndEditing:",
+ "control:textView:doCommandBySelector:",
+ "controlBackgroundColor",
+ "controlCharacterSet",
+ "controlColor",
+ "controlContentFontOfSize:",
+ "controlDarkShadowColor",
+ "controlDidChange:",
+ "controlFillColor",
+ "controlHighlightColor",
+ "controlLightHighlightColor",
+ "controlMenu:",
+ "controlPointBounds",
+ "controlShadowColor",
+ "controlSize",
+ "controlTextChanged:",
+ "controlTextColor",
+ "controlTextDidBeginEditing:",
+ "controlTextDidChange:",
+ "controlTextDidEndEditing:",
+ "controlTint",
+ "controlView",
+ "conversation",
+ "conversationIdentifier",
+ "conversationRequest",
+ "convertArgumentArrayToString:",
+ "convertAttributedString:toEnrichedString:",
+ "convertBaseToScreen:",
+ "convertData:toData:pattern:replacement:truncateBeforeBackslash:removeExtraLeftBrace:",
+ "convertEnrichedString:intoAttributedString:",
+ "convertFont:",
+ "convertFont:toApproximateTraits:",
+ "convertFont:toFace:",
+ "convertFont:toFamily:",
+ "convertFont:toHaveTrait:",
+ "convertFont:toNotHaveTrait:",
+ "convertFont:toSize:",
+ "convertIndexFor:outgoing:",
+ "convertOldFactor:newFactor:",
+ "convertPoint:fromView:",
+ "convertPoint:toView:",
+ "convertRect:fromView:",
+ "convertRect:toView:",
+ "convertRichTextString:intoAttributedString:",
+ "convertScreenToBase:",
+ "convertSize:fromView:",
+ "convertSize:toView:",
+ "convertType:data:to:inPasteboard:usingFilter:",
+ "convertWeight:ofFont:",
+ "convertWindowToForward:",
+ "convertWindowToReply:",
+ "convertWindowToReplyAll:",
+ "cooperatingObjectStores",
+ "coordinates",
+ "copiesOnScroll",
+ "copy",
+ "copy:",
+ "copy:into:",
+ "copyAttributesFromContext:withMask:",
+ "copyBlock:atOffset:forLength:",
+ "copyData:toBlock:atOffset:forLength:",
+ "copyFont:",
+ "copyFrom:to:withData:",
+ "copyFrom:to:withData:replaceOK:",
+ "copyFrom:to:withData:replaceOK:recursive:makeLinks:supervisor:",
+ "copyFrom:to:withData:replaceOK:recursive:makeLinks:supervisor:totallySafe:",
+ "copyFromDir:toDir:",
+ "copyFromDir:toDir:filesInBom:thinUsingBom:thinUsingArchs:sendStartMsgs:sendFinishMsgs:",
+ "copyFromDir:toDir:filesInBom:thinUsingBom:thinUsingArchs:sendStartMsgs:sendFinishMsgs:updateInodeMap:",
+ "copyFromStore:",
+ "copyFromZone:",
+ "copyMessages:toMailboxNamed:",
+ "copyOfMailboxesMenuWithTarget:selector:",
+ "copyPath:toPath:handler:",
+ "copyProjectTemplatePath:toPath:",
+ "copyRegion:ofLength:toAddress:",
+ "copyRuler:",
+ "copySerializationInto:",
+ "copyUids:toMailboxNamed:",
+ "copyWithZone:",
+ "copyingFinishedFor:fileDesc:mode:size:",
+ "copyingSkippedFor:",
+ "copyingStartedFor:mode:",
+ "copyright",
+ "coreFoundationRepresentation",
+ "cornerView",
+ "correctMatrixForOSX:",
+ "correctWhiteSpaceWithSemanticEngine:",
+ "correctWhitespaceForPasteWithPrecedingSpace:followingSpace:",
+ "count",
+ "countForKey:",
+ "countForObject:",
+ "countLinksTo:",
+ "countObserversName:object:literally:",
+ "countOccurrences:",
+ "countOfCards",
+ "countWordsInString:language:",
+ "counterpartDidChange",
+ "counterpartMoved:",
+ "counterpartResized:",
+ "coveredCharacterCache",
+ "coveredCharacterCacheData",
+ "coveredCharacterSet",
+ "coversAllCharactersInString:",
+ "coversCharacter:",
+ "creatableInExistingDirectory",
+ "createAccountWithDictionary:",
+ "createAttributedStringFromRawData",
+ "createBlock:ofSize:",
+ "createClassDescription",
+ "createCommandInstance",
+ "createCommandInstanceWithZone:",
+ "createContext",
+ "createConversationForConnection:",
+ "createDictHashTable:",
+ "createDirectoryAtPath:attributes:",
+ "createEditorWithType:originalMessage:forwardedText:",
+ "createEmptyStoreForPath:",
+ "createEmptyStoreIfNeededForPath:",
+ "createFaultForDeferredFault:sourceObject:",
+ "createFileAtPath:",
+ "createFileAtPath:contents:attributes:",
+ "createFileAtPath:flags:",
+ "createFileAtPath:flags:mode:",
+ "createInstanceWithEditingContext:globalID:zone:",
+ "createKeyValueBindingForKey:typeMask:",
+ "createMailbox:errorMessage:",
+ "createMailboxWithName:",
+ "createMailboxWithPath:reasonForFailure:",
+ "createMailboxesAndConvert:",
+ "createNew:",
+ "createNewAccount:",
+ "createNewEntry:",
+ "createNewFile:inProject:forKey:",
+ "createObject",
+ "createRandomKey:",
+ "createRawDataFromAttributedString",
+ "createRealObject",
+ "createSelector",
+ "createSignature:",
+ "createSymbolicLinkAtPath:pathContent:",
+ "createUniqueFile:atPath:mode:",
+ "createUniqueKey:",
+ "createViewersFromDefaults",
+ "creationZone",
+ "creator",
+ "credits",
+ "currentCenter",
+ "currentColumn",
+ "currentContainer",
+ "currentContext",
+ "currentContextDrawingToScreen",
+ "currentConversation",
+ "currentConversionFactor",
+ "currentCursor",
+ "currentDirectory",
+ "currentDirectoryPath",
+ "currentDisplayedMessage",
+ "currentDocument",
+ "currentEditor",
+ "currentEvent",
+ "currentEventSnapshotForObject:",
+ "currentHandler",
+ "currentHost",
+ "currentImageNumber",
+ "currentIndex",
+ "currentIndexInfoForItem:",
+ "currentInputContext",
+ "currentInputManager",
+ "currentInspector",
+ "currentLayoutManager",
+ "currentMode",
+ "currentMonitor",
+ "currentOperation",
+ "currentPage",
+ "currentParagraphStyle",
+ "currentPassNumber",
+ "currentPoint",
+ "currentRow",
+ "currentRunLoop",
+ "currentSelection",
+ "currentTask",
+ "currentTaskDictionary",
+ "currentTextStorage",
+ "currentThread",
+ "currentTransferMailboxPath",
+ "currentTypeForDimension:",
+ "currentTypeForWidth:ofSubelement:",
+ "currentUserCurrentOSDictionary",
+ "currentUserCurrentOSObjectForKey:",
+ "currentUserCurrentOSPathForInfoFile",
+ "currentUserCurrentOSRemoveObjectForKey:",
+ "currentUserCurrentOSSetObject:forKey:",
+ "currentUserCurrentOSWriteInfo",
+ "currentUserDictionary",
+ "currentValueForAttribute:",
+ "currentViewingMode",
+ "currentWidth:type:height:type:",
+ "currentlyAvailableStoreForPath:",
+ "currentlyOnMainThread",
+ "cursor",
+ "curveToPoint:controlPoint1:controlPoint2:",
+ "customizeMainFileInProject:",
+ "customizeNewProject:",
+ "cut:",
+ "cyanColor",
+ "cyanComponent",
+ "cycleToNextInputKeyboardLayout:",
+ "cycleToNextInputLanguage:",
+ "cycleToNextInputScript:",
+ "cycleToNextInputServerInLanguage:",
+ "darkBorderColor",
+ "darkBorderColorForCell:",
+ "darkGrayColor",
+ "darkenedImageForImage:",
+ "data",
+ "data1",
+ "data2",
+ "dataByUnfoldingLines",
+ "dataCell",
+ "dataCellForRow:",
+ "dataContainingPoint:withFrame:",
+ "dataDecorationSize",
+ "dataForFile:",
+ "dataForKey:",
+ "dataForType:",
+ "dataForType:fromPasteboard:",
+ "dataFrom:",
+ "dataRepresentation",
+ "dataRepresentationOfType:",
+ "dataSource",
+ "dataSourceQualifiedByKey:",
+ "dataStampForTriplet:littleEndian:",
+ "dataUsingEncoding:",
+ "dataUsingEncoding:allowLossyConversion:",
+ "dataWithBytes:length:",
+ "dataWithBytesNoCopy:length:",
+ "dataWithCapacity:",
+ "dataWithContentsOfFile:",
+ "dataWithContentsOfMappedFile:",
+ "dataWithContentsOfURL:",
+ "dataWithData:",
+ "dataWithEPSInsideRect:",
+ "dataWithLength:",
+ "dataWithPDFInsideRect:",
+ "date",
+ "dateByAddingYears:months:days:hours:minutes:seconds:",
+ "dateFormat",
+ "dateInCommonFormatsWithString:",
+ "dateReceived",
+ "dateReceivedAsTimeIntervalSince1970",
+ "dateWithCalendarFormat:timeZone:",
+ "dateWithDate:",
+ "dateWithNaturalLanguageString:",
+ "dateWithNaturalLanguageString:date:locale:",
+ "dateWithNaturalLanguageString:locale:",
+ "dateWithString:",
+ "dateWithString:calendarFormat:",
+ "dateWithString:calendarFormat:locale:",
+ "dateWithTimeInterval:sinceDate:",
+ "dateWithTimeIntervalSince1970:",
+ "dateWithTimeIntervalSinceNow:",
+ "dateWithTimeIntervalSinceReferenceDate:",
+ "dateWithYear:month:day:hour:minute:second:timeZone:",
+ "dayOfCommonEra",
+ "dayOfMonth",
+ "dayOfWeek",
+ "dayOfYear",
+ "deFactoPercentWidth",
+ "deFactoPixelHeight",
+ "deFactoPixelWidth",
+ "deactivate",
+ "dealloc",
+ "debugDescription",
+ "debugIndexInfo",
+ "decimalDigitCharacterSet",
+ "decimalNumberByAdding:",
+ "decimalNumberByAdding:withBehavior:",
+ "decimalNumberByDividingBy:",
+ "decimalNumberByDividingBy:withBehavior:",
+ "decimalNumberByMultiplyingBy:",
+ "decimalNumberByMultiplyingBy:withBehavior:",
+ "decimalNumberByMultiplyingByPowerOf10:",
+ "decimalNumberByMultiplyingByPowerOf10:withBehavior:",
+ "decimalNumberByRaisingToPower:",
+ "decimalNumberByRaisingToPower:withBehavior:",
+ "decimalNumberByRoundingAccordingToBehavior:",
+ "decimalNumberBySubstracting:",
+ "decimalNumberBySubstracting:withBehavior:",
+ "decimalNumberBySubtracting:",
+ "decimalNumberBySubtracting:withBehavior:",
+ "decimalNumberHandlerWithRoundingMode:scale:raiseOnExactness:raiseOnOverflow:raiseOnUnderflow:raiseOnDivideByZero:",
+ "decimalNumberWithDecimal:",
+ "decimalNumberWithMantissa:exponent:isNegative:",
+ "decimalNumberWithString:",
+ "decimalNumberWithString:locale:",
+ "decimalSeparator",
+ "decimalTabMarkerWithRulerView:location:",
+ "decimalValue",
+ "declareTypes:owner:",
+ "decodeApplicationApplefile",
+ "decodeApplicationMac_binhex40",
+ "decodeApplicationRtf",
+ "decodeArrayOfObjCType:count:at:",
+ "decodeBase64",
+ "decodeBasicExport:",
+ "decodeBodyIntoDirectory:",
+ "decodeBoolForKey:",
+ "decodeBytesWithReturnedLength:",
+ "decodeClassName:asClassName:",
+ "decodeDataObject",
+ "decodeImage",
+ "decodeIntForKey:",
+ "decodeMessageDelivery_status",
+ "decodeMessageExternal_body",
+ "decodeMessageFlags",
+ "decodeMessagePartial",
+ "decodeMessageRfc822",
+ "decodeMimeHeaderValue",
+ "decodeMimeHeaderValueWithCharsetHint:",
+ "decodeModifiedBase64",
+ "decodeMultipart",
+ "decodeMultipartAlternative",
+ "decodeMultipartAppledouble",
+ "decodeMultipartX_folder",
+ "decodeNXColor",
+ "decodeNXObject",
+ "decodeObject",
+ "decodeObjectForKey:",
+ "decodeObjectReferenceForKey:",
+ "decodePoint",
+ "decodePortObject",
+ "decodePropertyList",
+ "decodeQuotedPrintableForText:",
+ "decodeRect",
+ "decodeReleasedProxies:",
+ "decodeRetainedObject",
+ "decodeReturnValueWithCoder:",
+ "decodeSize",
+ "decodeText",
+ "decodeTextDirectory",
+ "decodeTextEnriched",
+ "decodeTextHtml",
+ "decodeTextPlain",
+ "decodeTextRichtext",
+ "decodeTextRtf",
+ "decodeTextX_vcard",
+ "decodeValueOfObjCType:at:",
+ "decodeValuesOfObjCTypes:",
+ "decodedIMAPMailboxName",
+ "decomposableCharacterSet",
+ "decrementExtraRefCountIsZero",
+ "decrementExtraRefCountWasZero",
+ "decrementSpecialRefCount",
+ "decryptComponents:",
+ "decryptWithDelegate:",
+ "deepDescription",
+ "deepDescriptionWithIndentString:",
+ "deepMutableNotifyingCopy",
+ "deepNSMutableCopy",
+ "deepWhitespaceDescription",
+ "deepWhitespaceDescriptionWithIndentString:",
+ "deepWillChange",
+ "deepestEditingTextView",
+ "deepestScreen",
+ "defaultAccountForDeliveryClass:",
+ "defaultActiveLinkColor",
+ "defaultAddressBook",
+ "defaultAddressListForHeader:",
+ "defaultAppIcon",
+ "defaultAttachmentDirectory",
+ "defaultAttributes",
+ "defaultBackgroundColor",
+ "defaultBehavior",
+ "defaultBoldStyle",
+ "defaultButtonCell",
+ "defaultCStringEncoding",
+ "defaultCenter",
+ "defaultChildForNode:",
+ "defaultClassPath",
+ "defaultCollator",
+ "defaultConnection",
+ "defaultCoordinator",
+ "defaultDecimalNumberHandler",
+ "defaultDepthLimit",
+ "defaultExtensionForProjectDir",
+ "defaultFetchTimestampLag",
+ "defaultFilteredHeaders",
+ "defaultFirstResponder",
+ "defaultFixedFontFamily",
+ "defaultFixedFontSize",
+ "defaultFixedFontStyle",
+ "defaultFlatness",
+ "defaultFont",
+ "defaultFontFamily",
+ "defaultFontSetForUser:",
+ "defaultFontSize",
+ "defaultFormatterForKey:",
+ "defaultFormatterForKeyPath:",
+ "defaultGroup",
+ "defaultItalicStyle",
+ "defaultLanguage",
+ "defaultLanguageContext",
+ "defaultLineCapStyle",
+ "defaultLineHeightForFont",
+ "defaultLineJoinStyle",
+ "defaultLineWidth",
+ "defaultLinkColor",
+ "defaultLocalizableKeys",
+ "defaultMailCenter",
+ "defaultMailDirectory",
+ "defaultManager",
+ "defaultMenu",
+ "defaultMiterLimit",
+ "defaultNameServerPortNumber",
+ "defaultObjectValue",
+ "defaultObserverQueue",
+ "defaultParagraphStyle",
+ "defaultParentForItem:",
+ "defaultParentObjectStore",
+ "defaultPathForAccountWithHostname:username:",
+ "defaultPixelFormat",
+ "defaultPortNameServer",
+ "defaultPortNumber",
+ "defaultPreferencesClass",
+ "defaultPreferredAlternative",
+ "defaultPrinter",
+ "defaultQueue",
+ "defaultSharedEditingContext",
+ "defaultSignature",
+ "defaultTextAttributes:",
+ "defaultTextColor",
+ "defaultTimeZone",
+ "defaultUnderlineStyle",
+ "defaultValue",
+ "defaultVisitedLinkColor",
+ "defaultWindingRule",
+ "defaultsChanged:",
+ "defaultsDictionary",
+ "defaultsToWindow:",
+ "deferCheckboxChanged:",
+ "deferSync",
+ "defrostFrozenCell",
+ "delay",
+ "delayWindowOrdering",
+ "dele:",
+ "delegate",
+ "delete",
+ "delete:",
+ "deleteBackward",
+ "deleteBackward:",
+ "deleteBackwardFlatteningStructures:",
+ "deleteCharactersInRange:",
+ "deleteColumn:",
+ "deleteColumnAtIndex:givingWidthToColumnAtIndex:",
+ "deleteFilesInArray:fromDirectory:",
+ "deleteForward",
+ "deleteForward:",
+ "deleteForwardFlatteningStructures:",
+ "deleteGlyphsInRange:",
+ "deleteLastCharacter",
+ "deleteMailbox:",
+ "deleteMailbox:errorMessage:",
+ "deleteMailboxAtPath:",
+ "deleteMessage:",
+ "deleteMessages:",
+ "deleteMessages:moveToTrash:",
+ "deleteMessagesFromTrashOlderThanNumberOfDays:compact:",
+ "deleteMessagesOlderThanClicked:",
+ "deleteMessagesOlderThanNumberOfDays:compact:",
+ "deleteMessagesOnServer",
+ "deleteMessagesOnServer:",
+ "deleteObject:",
+ "deleteObjectsInRange:",
+ "deletePath",
+ "deleteRemovingEmptyNodes:",
+ "deleteRow:",
+ "deleteRowAtIndex:givingHeightToRowAtIndex:",
+ "deleteRuleForRelationshipKey:",
+ "deleteSelectedRow:",
+ "deleteSelectedRowInTableView:",
+ "deleteSelector",
+ "deleteSelf",
+ "deleteStackIsEmpty",
+ "deleteToBeginningOfLine:",
+ "deleteToBeginningOfParagraph:",
+ "deleteToEndOfLine:",
+ "deleteToEndOfParagraph:",
+ "deleteToMark:",
+ "deleteWordBackward:",
+ "deleteWordForward:",
+ "deletedCount:andSize:",
+ "deletedObjects",
+ "deliverAsynchronously",
+ "deliverMessage:",
+ "deliverMessage:askForReadReceipt:",
+ "deliverMessage:headers:format:protocol:",
+ "deliverMessage:subject:to:",
+ "deliverMessageData:toRecipients:",
+ "deliverResult",
+ "deliverSynchronously",
+ "deliveryAccounts",
+ "deliveryClass",
+ "deliveryCompleted:",
+ "deliveryMethodChanged:",
+ "deliveryQueue",
+ "deliveryStatus",
+ "deltaFontSizeLevel",
+ "deltaSizeArrayForBaseSize:",
+ "deltaX",
+ "deltaY",
+ "deltaZ",
+ "deminiaturize:",
+ "dependentBoldCopy",
+ "dependentCopy",
+ "dependentFixedCopy",
+ "dependentItalicCopy",
+ "dependentUnderlineCopy",
+ "deployedPathForFrameworkNamed:",
+ "depth",
+ "depthFromRoot",
+ "depthLimit",
+ "dequeueNotificationsMatching:coalesceMask:",
+ "dequeueObserver:",
+ "deregisterViewer:",
+ "descendant:didAddChildAtIndex:immediateChild:",
+ "descendant:didRemoveChild:atIndex:immediateChild:",
+ "descendantDidChange:immediateChild:",
+ "descendantRenderingDidChange:immediateChild:",
+ "descendantWasRepaired:",
+ "descender",
+ "descendsFrom:",
+ "description",
+ "descriptionForClassMethod:",
+ "descriptionForInstanceMethod:",
+ "descriptionForMethod:",
+ "descriptionForObject:",
+ "descriptionForTokenAtIndex:",
+ "descriptionForTokensInRange:",
+ "descriptionInStringsFileFormat",
+ "descriptionString",
+ "descriptionWithCalendarFormat:",
+ "descriptionWithCalendarFormat:locale:",
+ "descriptionWithCalendarFormat:timeZone:locale:",
+ "descriptionWithIndent:",
+ "descriptionWithLocale:",
+ "descriptionWithLocale:indent:",
+ "descriptor",
+ "descriptorAtIndex:",
+ "descriptorByTranslatingObject:desiredDescriptorType:",
+ "descriptorForKeyword:",
+ "descriptorType",
+ "descriptorWithDescriptorType:data:",
+ "deselectAddressBook:",
+ "deselectAll:",
+ "deselectAllAddressBooks",
+ "deselectAllCells",
+ "deselectColumn:",
+ "deselectItemAtIndex:",
+ "deselectRow:",
+ "deselectSelectedCell",
+ "deserializeAlignedBytesLengthAtCursor:",
+ "deserializeBytes:length:atCursor:",
+ "deserializeData:",
+ "deserializeDataAt:ofObjCType:atCursor:context:",
+ "deserializeIntAtCursor:",
+ "deserializeIntAtIndex:",
+ "deserializeInts:count:atCursor:",
+ "deserializeInts:count:atIndex:",
+ "deserializeList:",
+ "deserializeListItemIn:at:length:",
+ "deserializeNewData",
+ "deserializeNewKeyString",
+ "deserializeNewList",
+ "deserializeNewObject",
+ "deserializeNewPList",
+ "deserializeNewString",
+ "deserializeObjectAt:ofObjCType:fromData:atCursor:",
+ "deserializePList:",
+ "deserializePListKeyIn:",
+ "deserializePListValueIn:key:length:",
+ "deserializePropertyListFromData:atCursor:mutableContainers:",
+ "deserializePropertyListFromData:mutableContainers:",
+ "deserializePropertyListFromXMLData:mutableContainers:",
+ "deserializePropertyListLazilyFromData:atCursor:length:mutableContainers:",
+ "deserializeString:",
+ "deserializer",
+ "deserializerStream",
+ "destination",
+ "destinationStorePathForMessage:",
+ "destroyContext",
+ "detachColorList:",
+ "detachDrawingThread:toTarget:withObject:",
+ "detachNewThreadSelector:toTarget:withObject:",
+ "detachSubmenu",
+ "detailKey",
+ "detailView",
+ "detailedDescription",
+ "detailedDescriptionForClass:",
+ "device",
+ "deviceDescription",
+ "deztar:into:",
+ "dictionary",
+ "dictionaryByMergingDictionary:",
+ "dictionaryByRemovingObjectForKey:",
+ "dictionaryBySettingObject:forKey:",
+ "dictionaryClass",
+ "dictionaryExcludingEquivalentValuesInDictionary:",
+ "dictionaryForKey:",
+ "dictionaryInfo:",
+ "dictionaryRepresentation",
+ "dictionaryWithCapacity:",
+ "dictionaryWithContentsOfFile:",
+ "dictionaryWithContentsOfURL:",
+ "dictionaryWithDictionary:",
+ "dictionaryWithNullValuesForKeys:",
+ "dictionaryWithObject:forKey:",
+ "dictionaryWithObjects:forKeys:",
+ "dictionaryWithObjects:forKeys:count:",
+ "dictionaryWithObjectsAndKeys:",
+ "didAddChildAtIndex:",
+ "didAddSubview:",
+ "didCancelDelayedPerform:",
+ "didChange",
+ "didChangeText",
+ "didEndCloseSheet:returnCode:contextInfo:",
+ "didEndEncodingSheet:returnCode:contextInfo:",
+ "didEndFormatWarningSheet:returnCode:contextInfo:",
+ "didEndRevertSheet:returnCode:contextInfo:",
+ "didEndSaveErrorAlert:returnCode:contextInfo:",
+ "didEndSaveSheet:returnCode:contextInfo:",
+ "didEndSheet:returnCode:contextInfo:",
+ "didEndToggleRichSheet:returnCode:contextInfo:",
+ "didFinishCommand:",
+ "didFireDelayedPerform:",
+ "didLoadBytes:loadComplete:",
+ "didOpen",
+ "didRemoveChild:atIndex:",
+ "didRunOSPanel",
+ "didSaveChanges",
+ "didSaveProjectAtPath:client:",
+ "dimensions",
+ "dirForFile:",
+ "directUndoBody",
+ "directUndoDirtyFlags",
+ "directUndoFrameset",
+ "directUndoHead",
+ "directUndoHtml",
+ "directUndoTitle",
+ "directionalType:",
+ "directory",
+ "directoryAttributes",
+ "directoryCanBeCreatedAtPath:",
+ "directoryConfirmationSheetDidEnd:returnCode:contextInfo:",
+ "directoryContentsAtPath:",
+ "directoryContentsAtPath:matchingExtension:options:keepExtension:",
+ "directoryForImageBySender",
+ "directoryPathsForProject:ignoringProject:",
+ "dirtyDefaults:",
+ "dirtySelection",
+ "dirtyTokensInRange:",
+ "disableCursorRects",
+ "disableDisplayPositing",
+ "disableFlush",
+ "disableFlushWindow",
+ "disableHeartBeating",
+ "disableInspectionUpdateForEvent",
+ "disableInspectionUpdates",
+ "disableKeyEquivalentForDefaultButtonCell",
+ "disablePageColorsPanel",
+ "disableTitleControls",
+ "disableUndoRegistration",
+ "disabledControlTextColor",
+ "discardCachedImage",
+ "discardCursorRects",
+ "discardDisplayedValues",
+ "discardEventsMatchingMask:beforeEvent:",
+ "discardPendingNotification",
+ "disconnect",
+ "disconnectAllAccounts",
+ "disconnectAllAccounts:",
+ "disconnectAndNotifyDelegate:",
+ "disconnectFromServer",
+ "disconnectThisAccount:",
+ "dismissPopUp",
+ "dismissPopUp:",
+ "dispatch",
+ "dispatchInvocation:",
+ "dispatchRawAppleEvent:withRawReply:handlerRefCon:",
+ "display",
+ "displayAllColumns",
+ "displayAttributedString:",
+ "displayColumn:",
+ "displayComponentName",
+ "displayIfNeeded",
+ "displayIfNeededIgnoringOpacity",
+ "displayIfNeededInRect:",
+ "displayIfNeededInRectIgnoringOpacity:",
+ "displayIgnoringOpacity",
+ "displayMessageView:",
+ "displayName",
+ "displayNameForKey:",
+ "displayNameForMailboxAtPath:",
+ "displayNameForType:",
+ "displayOnly",
+ "displayPanel",
+ "displayRect:",
+ "displayRectIgnoringOpacity:",
+ "displaySelectedMessageInSeparateWindow:",
+ "displaySeparatelyInMailboxesDrawer",
+ "displayString",
+ "displayStringForMailboxWithPath:",
+ "displayStringForTextFieldCell:",
+ "displayToolTip:",
+ "displayableSampleText",
+ "displayableSampleTextForLanguage:",
+ "displayableString",
+ "displaysMessageNumbers",
+ "displaysMessageSizes",
+ "displaysSearchRank",
+ "dissolveToPoint:fraction:",
+ "dissolveToPoint:fromRect:fraction:",
+ "distanceFromColor:",
+ "distantFuture",
+ "distantPast",
+ "dividerAtRow:",
+ "dividerThickness",
+ "doClick:",
+ "doClose:",
+ "doCommandBySelector:",
+ "doCommandBySelector:client:",
+ "doCommandBySelector:forTextView:",
+ "doCompact",
+ "doDeleteInReceiver:",
+ "doDoubleClick:",
+ "doForegroundLayoutToCharacterIndex:",
+ "doIconify:",
+ "doPrintSplitInfo",
+ "doQueuedWork",
+ "doRevert",
+ "doSaveWithName:overwriteOK:",
+ "doStat",
+ "doToggleRich",
+ "docExtensionsForOSType:",
+ "docViewFrameChanged",
+ "dockTitleIsGuess",
+ "document",
+ "documentAttributes",
+ "documentBase",
+ "documentBaseUrl",
+ "documentBody",
+ "documentClass",
+ "documentClassForType:",
+ "documentCursor",
+ "documentEdited",
+ "documentForFileName:",
+ "documentForPath:",
+ "documentForWindow:",
+ "documentFrameset",
+ "documentFromAttributedString:",
+ "documentHead",
+ "documentName",
+ "documentRect",
+ "documentRectForPageNumber:",
+ "documentSizeInPage",
+ "documentView",
+ "documentVisibleRect",
+ "documentWillSave",
+ "documentWithContentsOfFile:",
+ "documentWithContentsOfFile:encodingUsed:",
+ "documentWithContentsOfUrl:",
+ "documentWithContentsOfUrl:encodingUsed:",
+ "documentWithHtmlData:baseUrl:",
+ "documentWithHtmlData:baseUrl:encodingUsed:",
+ "documentWithHtmlString:url:",
+ "documents",
+ "doesContain:",
+ "doesMajorVersioning",
+ "doesNotRecognize:",
+ "doesNotRecognizeSelector:",
+ "doesPreserveParents",
+ "domain",
+ "doneBeingBusy",
+ "doneTokenizing",
+ "doneWithDrawingProxyCell:",
+ "doneWithDrawingProxyView:",
+ "doneWithTextStorage",
+ "doubleAction",
+ "doubleClickAddress:",
+ "doubleClickAtIndex:",
+ "doubleClickHandler",
+ "doubleClickInString:atIndex:useBook:",
+ "doubleClickedMessage:",
+ "doubleClickedOnCell:inRect:",
+ "doubleForKey:",
+ "doubleValue",
+ "downloadBigMessage:",
+ "draftsMailboxPath",
+ "draftsMailboxSelected:",
+ "dragAttachmentFromCell:withEvent:inRect:ofTextView:attachmentDirectory:",
+ "dragColor",
+ "dragColor:withEvent:fromView:",
+ "dragColor:withEvent:inView:",
+ "dragFile:fromRect:slideBack:event:",
+ "dragImage:at:offset:event:pasteboard:source:slideBack:",
+ "dragImage:fromWindow:at:offset:event:pasteboard:source:slideBack:",
+ "dragImageForRows:event:dragImageOffset:",
+ "dragOperationForDraggingInfo:type:",
+ "dragOperationForFileDraggingInfo:",
+ "dragRectForFrameRect:",
+ "dragTypesAcceptedForTableView:",
+ "draggedCell:inRect:event:",
+ "draggedColumn",
+ "draggedDistance",
+ "draggedImage",
+ "draggedImage:beganAt:",
+ "draggedImage:endedAt:deposited:",
+ "draggedImageLocation",
+ "draggingDelegate",
+ "draggingDestinationWindow",
+ "draggingEntered:",
+ "draggingExited:",
+ "draggingLocation",
+ "draggingPasteboard",
+ "draggingSequenceNumber",
+ "draggingSource",
+ "draggingSourceOperationMask",
+ "draggingSourceOperationMaskForLocal:",
+ "draggingUpdated:",
+ "draggingUpdatedAtLocation:",
+ "draw",
+ "drawArrow:highlight:",
+ "drawAtPoint:",
+ "drawAtPoint:fromRect:operation:fraction:",
+ "drawAtPoint:withAttributes:",
+ "drawBackgroundForGlyphRange:atPoint:",
+ "drawBackgroundInRect:",
+ "drawBackgroundInRect:inView:highlight:",
+ "drawBarInside:flipped:",
+ "drawBorderAndBackgroundWithFrame:inView:",
+ "drawCell:",
+ "drawCellAtIndex:",
+ "drawCellAtRow:column:",
+ "drawCellInside:",
+ "drawColor",
+ "drawColor:",
+ "drawContentFill:",
+ "drawDescriptionInRect:",
+ "drawDividerInRect:",
+ "drawFloatersInRect:",
+ "drawForEditorWithFrame:inView:",
+ "drawFrame:",
+ "drawGlyphsForGlyphRange:atPoint:",
+ "drawGridInClipRect:",
+ "drawHashMarksAndLabelsInRect:",
+ "drawImageWithFrame:inView:",
+ "drawInRect:",
+ "drawInRect:fromRect:operation:fraction:",
+ "drawInRect:onView:",
+ "drawInRect:onView:pinToTop:",
+ "drawInRect:withAttributes:",
+ "drawInsertionPointInRect:color:turnedOn:",
+ "drawInteriorWithFrame:inView:",
+ "drawKeyEquivalentWithFrame:inView:",
+ "drawKnob",
+ "drawKnob:",
+ "drawKnobSlotInRect:highlight:",
+ "drawLabel:inRect:",
+ "drawMarkersInRect:",
+ "drawPackedGlyphs:atPoint:",
+ "drawPageBorderWithSize:",
+ "drawParts",
+ "drawRect:",
+ "drawRect:inCache:",
+ "drawRepresentation:inRect:",
+ "drawRow:clipRect:",
+ "drawSelectedOutlineWithFrame:selected:",
+ "drawSelector",
+ "drawSeparatorItemWithFrame:inView:",
+ "drawSheetBorderWithSize:",
+ "drawStateImageWithFrame:inView:",
+ "drawSwatchInRect:",
+ "drawText:forItem:atPoint:withAttributes:",
+ "drawTextureInRect:clipRect:",
+ "drawThemeContentFill:inView:",
+ "drawTitleOfColumn:inRect:",
+ "drawTitleWithFrame:inView:",
+ "drawUnderlineForGlyphRange:underlineType:baselineOffset:lineFragmentRect:lineFragmentGlyphRange:containerOrigin:",
+ "drawWellInside:",
+ "drawWithFrame:inView:",
+ "drawWithFrame:inView:characterIndex:",
+ "drawWithFrame:inView:characterIndex:layoutManager:",
+ "drawWithFrame:inView:characterIndex:selected:",
+ "drawWithOuterFrame:contentFrame:clipping:",
+ "drawerShouldClose:",
+ "drawerShouldOpen:",
+ "drawers",
+ "drawingProxyCellForAttachmentCell:",
+ "drawingProxyFrameForAttachmentCell:",
+ "drawingProxyViewForAttachmentCell:",
+ "drawingRectForBounds:",
+ "drawsBackground",
+ "drawsCellBackground",
+ "drawsColumnSeparators",
+ "drawsGrid",
+ "drawsOutsideLineFragmentForGlyphAtIndex:",
+ "dropRegion:ofLength:",
+ "dualImageCellWithRepresentedItem:image:selectedImage:",
+ "dump",
+ "dumpDelayedPerforms",
+ "dumpDiskSizes:",
+ "dumpFileListForKey:toStream:",
+ "dumpKeyAndSubkeys:toStream:",
+ "duration",
+ "durationWithoutSubevents",
+ "dynamicCounterpart",
+ "eMail",
+ "eMails",
+ "earlierDate:",
+ "echosBullets",
+ "edge",
+ "editAccount:",
+ "editAddressBook",
+ "editColumn:row:withEvent:select:",
+ "editSignature:",
+ "editWithFrame:inView:editor:delegate:event:",
+ "edited:range:changeInLength:",
+ "editedCell",
+ "editedColumn",
+ "editedItem",
+ "editedMask",
+ "editedRange",
+ "editedRow",
+ "editingContext",
+ "editingContext:didForgetObjectWithGlobalID:",
+ "editingContext:presentErrorMessage:",
+ "editingContext:shouldFetchObjectsDescribedByFetchSpecification:",
+ "editingContext:shouldInvalidateObject:globalID:",
+ "editingContext:shouldMergeChangesForObject:",
+ "editingContext:shouldPresentException:",
+ "editingContextDidMergeChanges:",
+ "editingContextSelector",
+ "editingContextShouldValidateChanges:",
+ "editingContextWillSaveChanges:",
+ "editingModeDefaultsChanged",
+ "editingStringForObjectValue:",
+ "editingSwitches",
+ "editingTextView",
+ "editingTextViewBacktabbed:",
+ "editingTextViewResized:",
+ "editingTextViewTabbed:",
+ "editorClassNameWithEvent:",
+ "editorClassNameWithSelection:",
+ "editorDidActivate",
+ "editorFrameForItemFrame:",
+ "editorMadeInvisible",
+ "editorViewingMessage:",
+ "editorWillDeactivate",
+ "editors",
+ "effectiveAlignment",
+ "effectiveBackgroundColor",
+ "effectiveColumnSpan",
+ "effectiveRowSpan",
+ "effectiveVerticalAlignment",
+ "effectuateParameters",
+ "effectuateState",
+ "effectuateStateAroundAttachment:",
+ "elementAt:",
+ "elementAtIndex:",
+ "elementAtIndex:associatedPoints:",
+ "elementAtIndex:effectiveRange:",
+ "elementCount",
+ "elementSize",
+ "emailAddresses",
+ "empty",
+ "emptyAttributeDictionary",
+ "emptyFragmentDocument",
+ "emptyFramesetDocument",
+ "emptyMessageWithBodyClass:",
+ "emptyPageDocument",
+ "emptySourceTree",
+ "emptyString",
+ "enable:",
+ "enableCompletion:forTextField:",
+ "enableCursorRects",
+ "enableExceptions:",
+ "enableFlushWindow",
+ "enableFreedObjectCheck:",
+ "enableInspectionUpdates",
+ "enableKeyEquivalentForDefaultButtonCell",
+ "enableLogging:",
+ "enableMultipleThreads",
+ "enableObserverNotification",
+ "enableRelease:",
+ "enableRichTextClicked:",
+ "enableSecureString:",
+ "enableUndoRegistration",
+ "enclosingScrollView",
+ "encodeArrayOfObjCType:count:at:",
+ "encodeBase64",
+ "encodeBasicExport:",
+ "encodeBool:forKey:",
+ "encodeBycopyObject:",
+ "encodeByrefObject:",
+ "encodeBytes:length:",
+ "encodeClassName:intoClassName:",
+ "encodeConditionalObject:",
+ "encodeDataObject:",
+ "encodeInt:forKey:",
+ "encodeIntoPropertyList:",
+ "encodeMessageFlags:",
+ "encodeMimeHeaderValue",
+ "encodeModifiedBase64",
+ "encodeNXObject:",
+ "encodeObject:",
+ "encodeObject:forKey:",
+ "encodeObject:isBycopy:isByref:",
+ "encodeObject:withCoder:",
+ "encodePoint:",
+ "encodePortObject:",
+ "encodePropertyList:",
+ "encodeQuotedPrintableForText:",
+ "encodeRect:",
+ "encodeReferenceToObject:forKey:",
+ "encodeReturnValueWithCoder:",
+ "encodeRootObject:",
+ "encodeSize:",
+ "encodeValueOfObjCType:at:",
+ "encodeValuesOfObjCTypes:",
+ "encodeWithCoder:",
+ "encodeWithKeyValueArchiver:",
+ "encodedHeaders",
+ "encodedHeadersForDelivery",
+ "encodedIMAPMailboxName",
+ "encoding",
+ "encodingAccessory:includeDefaultEntry:enableIgnoreRichTextButton:",
+ "encodingForArchiveName:",
+ "encodingScheme",
+ "encodingType",
+ "encryptComponents:",
+ "encryptWithDelegate:",
+ "endAttribute:",
+ "endDeepHTMLChange",
+ "endDocument",
+ "endEditing",
+ "endEditing:",
+ "endEditingFor:",
+ "endEnumeration:",
+ "endEventCoalescing",
+ "endHTMLChange",
+ "endHTMLChangeSelecting:",
+ "endHTMLChangeSelecting:andInspecting:",
+ "endHTMLChangeSelectingAfterItem:",
+ "endHTMLChangeSelectingAfterPrologueOfNode:",
+ "endHTMLChangeSelectingAtBeginningOfItem:",
+ "endHTMLChangeSelectingBeforeEpilogueOfNode:",
+ "endHTMLChangeSelectingItem:",
+ "endHeaderComments",
+ "endIndex",
+ "endInputStream",
+ "endLoadInBackground",
+ "endModalSession:",
+ "endOfFileMayCloseTag:",
+ "endPage",
+ "endPageSetup",
+ "endParsing",
+ "endPrologue",
+ "endRoot",
+ "endRtfParam",
+ "endSetup",
+ "endSheet:",
+ "endSheet:returnCode:",
+ "endSpecifier",
+ "endSubelementIdentifier",
+ "endSubelementIndex",
+ "endTokenIndex",
+ "endTrailer",
+ "endUndoGrouping",
+ "enforceIntegrity",
+ "enqueueNotification:postingStyle:",
+ "enqueueNotification:postingStyle:coalesceMask:forModes:",
+ "enqueueObserver:",
+ "enrAppendString:",
+ "enrBigger:",
+ "enrBold:",
+ "enrCenter:",
+ "enrColor:",
+ "enrColorStart:",
+ "enrComment:",
+ "enrExcerpt:",
+ "enrFixed:",
+ "enrFlushBuf",
+ "enrFlushLeft:",
+ "enrFlushRight:",
+ "enrFontFamily:",
+ "enrFontFamilyStart:",
+ "enrForceBreak",
+ "enrGt:",
+ "enrIndent:",
+ "enrItalic:",
+ "enrLt:",
+ "enrNl:",
+ "enrNoFill:",
+ "enrNp:",
+ "enrOutdent:",
+ "enrParagraph:",
+ "enrParam:",
+ "enrSetAlignment:flag:",
+ "enrSetFont:style:",
+ "enrSmaller:",
+ "enrSpace:",
+ "enrUnderline:",
+ "enrXFontSize:",
+ "enrXFontSizeStart:",
+ "enrXTabStops:",
+ "enrXTabStopsStart:",
+ "enrichedString",
+ "ensureAttributesAreFixedInRange:",
+ "ensureObjectAwake:",
+ "ensureSpoolDirectoryExistsOnDisk",
+ "enterEditingInTextView:",
+ "enterExitEventWithType:location:modifierFlags:timestamp:windowNumber:context:eventNumber:trackingNumber:userData:",
+ "enterHit:endingEditing:",
+ "enterHitInTableView:endingEditing:",
+ "enterSelection:",
+ "enteringPreformattedBlock",
+ "entireTokenRange",
+ "entityName",
+ "entries",
+ "entryNames",
+ "entryState:",
+ "entryType",
+ "entryWithMessage:connection:",
+ "enumerateFromRoot:",
+ "enumerateFromRoot:traversalMode:",
+ "enumeratePaths",
+ "enumeratorAtPath:",
+ "environment",
+ "enztar:into:",
+ "eoDescription",
+ "eoMKKDInitializer",
+ "eoShallowDescription",
+ "epilogueLengthWithMap:",
+ "error:",
+ "errorAction",
+ "errorColor",
+ "errorMessage",
+ "errorProc",
+ "errorStringWithMessage:mailbox:",
+ "escapedUnicodeStringForEncoding:",
+ "establishConnection",
+ "euid",
+ "evaluate",
+ "evaluateSpecifiers",
+ "evaluateTraversalAtProject:userData:",
+ "evaluateWithObject:",
+ "evaluatedArguments",
+ "evaluatedReceivers",
+ "evaluationErrorNumber",
+ "evaluationErrorSpecifier",
+ "event:atIndex:isInsideLink:ofItem:withRange:givenOrigin:",
+ "eventClass",
+ "eventID",
+ "eventMask",
+ "eventNumber",
+ "eventTypeDescriptions",
+ "eventTypeDescriptions:",
+ "events",
+ "eventsOfClass:type:",
+ "examineMailbox:errorMessage:",
+ "exceptionAddingEntriesToUserInfo:",
+ "exceptionDuringOperation:error:leftOperand:rightOperand:",
+ "exceptionRememberingObject:key:",
+ "exceptionWithName:reason:userInfo:",
+ "exchange::",
+ "exchangeObjectAtIndex:withObjectAtIndex:",
+ "executable",
+ "executableExtension",
+ "executablePath",
+ "executableResultPatterns",
+ "executablesForProject:atBuildPath:",
+ "executablesForProject:atBuildPath:resultNode:",
+ "executablesInRootProject:",
+ "executablesInSubProjectsForProject:atBuildPath:resultNode:",
+ "executeCommand",
+ "executeScript",
+ "existingImageDirectories",
+ "existingUniqueInstance:",
+ "existingViewerForStore:",
+ "exit",
+ "exitWithCode:",
+ "exitingPreformattedBlock",
+ "expandItem:",
+ "expandItem:expandChildren:",
+ "expandItemEqualTo:expandChildren:",
+ "expandPrivateAlias:",
+ "expandPrivateAliases:",
+ "expandProjectString:",
+ "expandProjectString:havingExpanded:",
+ "expandProjectStringAndMakePathAbsoluteWithProjectRoot:",
+ "expandSetWithOffset:",
+ "expandUserAlias:",
+ "expandVariablesInTemplateFile:outputFile:withDictionary:",
+ "expect:",
+ "expectEndOfInput",
+ "expectSelector",
+ "expectSeparatorEqualTo:",
+ "expectTokenEqualTo:mask:",
+ "exportMailbox:",
+ "expressionString",
+ "expunge",
+ "extendBy:",
+ "extendPowerOffBy:",
+ "extensionListForKey:",
+ "extensions",
+ "extensionsFromTypeDict:",
+ "externalRepresentation",
+ "extraData",
+ "extraLineFragmentRect",
+ "extraLineFragmentTextContainer",
+ "extraLineFragmentUsedRect",
+ "extraRefCount",
+ "faceString",
+ "faceTextFired:",
+ "fadeOneNotch:",
+ "fadeToEmpty",
+ "fadeToolTip:",
+ "failureReason",
+ "familyName",
+ "familyNames",
+ "fastestEncoding",
+ "fatalError:",
+ "fatalErrorCopying:error:",
+ "faultForGlobalID:editingContext:",
+ "faultForRawRow:entityNamed:",
+ "faultForRawRow:entityNamed:editingContext:",
+ "faultWillFire:",
+ "fax:",
+ "featuresOnlyOnPanel",
+ "feedbackWithImage:forWindow:",
+ "fetchAsynchronously",
+ "fetchLimit",
+ "fetchMessageSkeletonsForUidRange:intoArray:",
+ "fetchMessages:toPath:",
+ "fetchObjects",
+ "fetchRawDataForUid:intoDestinationFilePath:keepMessageInMemory:",
+ "fetchRemoteURLs",
+ "fetchSelector",
+ "fetchSpecificationNamed:",
+ "fetchSpecificationNamed:entityNamed:",
+ "fetchSpecificationWithEntityName:qualifier:sortOrderings:",
+ "fetchSpecificationWithQualifierBindings:",
+ "fetchSynchronously",
+ "fetchTimestamp",
+ "fetchUidsAndFlagsForAllMessagesIntoArray:",
+ "fetchesRawRows",
+ "fieldEditor:forObject:",
+ "file",
+ "fileAttributes",
+ "fileAttributesAtPath:traverseLink:",
+ "fileButton",
+ "fileDescriptor",
+ "fileExistsAtPath:",
+ "fileExistsAtPath:isDirectory:",
+ "fileExtensions",
+ "fileExtensionsFromType:",
+ "fileGroupOwnerAccountName",
+ "fileGroupOwnerAccountNumber",
+ "fileHandleForReading",
+ "fileHandleForReadingAtPath:",
+ "fileHandleForUpdatingAtPath:",
+ "fileHandleForWriting",
+ "fileHandleForWritingAtPath:",
+ "fileHandleWithNullDevice",
+ "fileHandleWithStandardError",
+ "fileHandleWithStandardInput",
+ "fileHandleWithStandardOutput",
+ "fileListForKey:",
+ "fileListForKey:create:",
+ "fileManager:shouldProceedAfterError:",
+ "fileManager:willProcessPath:",
+ "fileManagerShouldProceedAfterError:",
+ "fileModificationDate",
+ "fileName",
+ "fileNameFromRunningSavePanelForSaveOperation:",
+ "fileNamesFromRunningOpenPanel",
+ "fileOperationCompleted:ok:",
+ "fileOwnerAccountName",
+ "fileOwnerAccountNumber",
+ "filePosixPermissions",
+ "fileSize",
+ "fileSystemAttributesAtPath:",
+ "fileSystemChanged",
+ "fileSystemFileNumber",
+ "fileSystemNumber",
+ "fileSystemRepresentation",
+ "fileSystemRepresentationWithPath:",
+ "fileType",
+ "fileTypeFromLastRunSavePanel",
+ "fileURLForMailAddress:",
+ "fileURLWithPath:",
+ "fileWithInode:onDevice:",
+ "fileWrapper",
+ "fileWrapperRepresentationOfType:",
+ "fileWrappers",
+ "filename",
+ "filenameToDrag:",
+ "filenames",
+ "filenamesMatchingTypes:",
+ "filesTable",
+ "fill",
+ "fillAttributesCache",
+ "fillRect:",
+ "fillTableDecorationPathWithFrame:pathIsCellsWithContent:inCache:",
+ "filterAndSortObjectNames:",
+ "filterEvents:",
+ "filterString",
+ "filteredArrayUsingQualifier:",
+ "filteredHeaders",
+ "filteredMessages",
+ "finalWritePrintInfo",
+ "finalizeTable",
+ "find:",
+ "findAddedFilesIn:",
+ "findApplications",
+ "findBundleResources:callingMethod:directory:languages:name:types:limit:",
+ "findCaptionUnderNode:",
+ "findCellAtPoint:withFrame:usingInnerBorder:",
+ "findChangesIn:showAdded:",
+ "findCharsetTag",
+ "findClass:",
+ "findCombinationForLetter:accent:",
+ "findEntryListFor:",
+ "findFontDebug:",
+ "findFontLike:forCharacter:inLanguage:",
+ "findHome:",
+ "findItemEqualTo:",
+ "findNext:",
+ "findNextAndClose:",
+ "findNextAndOrderFindPanelOut:",
+ "findOutBasicInfoFor:",
+ "findOutExtendedInfoFor:",
+ "findPPDFileName:",
+ "findPanel",
+ "findPrev:",
+ "findPrevious:",
+ "findServerWithName:",
+ "findSoundFor:",
+ "findString",
+ "findString:selectedRange:options:wrap:",
+ "findTableView",
+ "finderFlags",
+ "fingerCursor",
+ "finishAllForTree:",
+ "finishDraggingCell:fromIndex:toIndex:",
+ "finishEncoding:",
+ "finishInitWithKeyValueUnarchiver:",
+ "finishInitializationOfObjects",
+ "finishInitializationWithKeyValueUnarchiver:",
+ "finishLaunching",
+ "finishUnarchiving",
+ "finished",
+ "finished:",
+ "fire",
+ "fireDate",
+ "firedAtMidnight",
+ "firstChild",
+ "firstComponentFromRelationshipPath",
+ "firstEmailAddress",
+ "firstGlyphIndexOfCurrentLineFragment",
+ "firstHeaderForKey:",
+ "firstIndentMarkerWithRulerView:location:",
+ "firstIndex",
+ "firstInspectableSelectionAtOrAboveSelection:",
+ "firstLineHeadIndent",
+ "firstName",
+ "firstObject",
+ "firstObjectCommonWithArray:",
+ "firstRectForCharacterRange:",
+ "firstResponder",
+ "firstResult",
+ "firstRowHeadersAction:",
+ "firstTextView",
+ "firstTextViewForTextStorage:",
+ "firstUnlaidCharacterIndex",
+ "firstUnlaidGlyphIndex",
+ "firstUnreadMessage",
+ "firstVCardMatchingString:",
+ "firstVisibleColumn",
+ "firstmostSelectedRow",
+ "fixAttachmentAttributeInRange:",
+ "fixAttributesInRange:",
+ "fixFontAttributeInRange:",
+ "fixHTMLAttributesInRange:",
+ "fixInvalidatedFocusForFocusView",
+ "fixParagraphStyleAttributeInRange:",
+ "fixUIForcingNewPopUpButton:",
+ "fixUpScrollViewBackgroundColor:",
+ "fixUpTabsInRange:",
+ "fixed73872",
+ "fixedCapacityLimit",
+ "fixedFamilyNames",
+ "fixesAttributesLazily",
+ "fixupDirInfo:",
+ "flagsChanged:",
+ "flagsForMessage:",
+ "flatness",
+ "flattenChild:",
+ "flattenChildAtIndex:",
+ "flippedView",
+ "floatForKey:",
+ "floatForKey:inTable:",
+ "floatValue",
+ "flush",
+ "flush:",
+ "flushAllCachedData",
+ "flushAllKeyBindings",
+ "flushAndTruncate:",
+ "flushAttributedString",
+ "flushBuffer",
+ "flushBufferedKeyEvents",
+ "flushCache",
+ "flushCachedData",
+ "flushChangesWhileFrozen",
+ "flushClassKeyBindings",
+ "flushDataForTriplet:littleEndian:",
+ "flushGraphics",
+ "flushHostCache",
+ "flushKeyBindings",
+ "flushLocalCopiesOfSharedRulebooks",
+ "flushRawData",
+ "flushTextForClient:",
+ "flushToDisk",
+ "flushToFile",
+ "flushWindow",
+ "flushWindowIfNeeded",
+ "focus:",
+ "focusRingImageForState:",
+ "focusRingImageSize",
+ "focusStack",
+ "focusView",
+ "focusView:inWindow:",
+ "focusedMessages",
+ "focusedView",
+ "followLinks",
+ "followedBySpaceCharacter",
+ "followedByWhitespace",
+ "followsItalicAngle",
+ "font",
+ "fontAttributesInRange:",
+ "fontBigger",
+ "fontConversion:",
+ "fontFamilyFromFaceString:",
+ "fontManager:willIncludeFont:",
+ "fontMenu:",
+ "fontName",
+ "fontNameWithFamily:traits:weight:",
+ "fontNamed:hasTraits:",
+ "fontPanel:",
+ "fontSetNamesForUser:",
+ "fontSetWithName:forUser:",
+ "fontSize",
+ "fontSmaller",
+ "fontStyleWithColor:",
+ "fontStyleWithSize:",
+ "fontWithColor:",
+ "fontWithFaceString:",
+ "fontWithFamily:traits:weight:size:",
+ "fontWithName:matrix:",
+ "fontWithName:size:",
+ "fontWithSize:",
+ "fontWithSizeDecrease:",
+ "fontWithSizeIncrease:",
+ "foobar:",
+ "forID",
+ "forItem",
+ "forceListToPopup",
+ "forceRendering",
+ "forceSet",
+ "foregroundColor",
+ "forgetAll",
+ "forgetAllWithTarget:",
+ "forgetFloater:",
+ "forgetObject:",
+ "forgetRememberedPassword",
+ "forgetWord:",
+ "forgetWord:language:",
+ "form",
+ "formIntersectionWithCharacterSet:",
+ "formIntersectionWithPostingsIn:",
+ "formUnionWithCharacterSet:",
+ "formUnionWithPostingsIn:",
+ "formalName",
+ "format",
+ "format:",
+ "formatSource:",
+ "formatSource:translatingRange:",
+ "formattedAddress",
+ "formattedEmail",
+ "formattedStringForRange:wrappingAtColumn:translatingRange:",
+ "formatter",
+ "formatterWithString:",
+ "forward::",
+ "forwardClicked:",
+ "forwardInvocation:",
+ "forwardMessage:",
+ "forwardUpdateForObject:changes:",
+ "fractionOfDistanceThroughGlyphForPoint:inTextContainer:",
+ "fragment",
+ "frame",
+ "frame:resizedFromEdge:withDelta:",
+ "frameAutosaveName",
+ "frameBorder",
+ "frameColor",
+ "frameForCell:withDecorations:",
+ "frameForPathItem:",
+ "frameHighlightColor",
+ "frameLength",
+ "frameNeedsDisplay",
+ "frameOfCellAtColumn:row:",
+ "frameOfColumn:",
+ "frameOfInsideOfColumn:",
+ "frameRectForContentRect:styleMask:",
+ "frameRotation",
+ "frameShadowColor",
+ "frameSizeForContentSize:hasHorizontalScroller:hasVerticalScroller:borderType:",
+ "frameViewClass",
+ "frameViewClassForStyleMask:",
+ "frameset",
+ "framesetController",
+ "framesetElementClicked:",
+ "framesetView",
+ "framesetViewClass",
+ "framesetViewContainingElement:",
+ "frameworkVersion",
+ "free",
+ "freeBitsAndReleaseDataIfNecessary",
+ "freeBlock:",
+ "freeEntryAtCursor",
+ "freeEntryNamed:",
+ "freeFromBlock:inStore:",
+ "freeFromName:inFile:",
+ "freeFromStore",
+ "freeObjects",
+ "freeOnWrite",
+ "freePBSData",
+ "freeRegion:ofLength:",
+ "freeSerialized:length:",
+ "freeSpace",
+ "freeSpaceAtOffset:",
+ "freeStringList:",
+ "freeze:",
+ "frontWindow",
+ "frozenCell",
+ "fullDescription",
+ "fullJustifyLineAtGlyphIndex:",
+ "fullName",
+ "fullPathForAccountRelativePath:",
+ "fullPathForApplication:",
+ "fullUserName",
+ "gState",
+ "garbageCollectTags",
+ "gdbDebuggerName",
+ "generalPasteboard",
+ "generateGlyphsForLayoutManager:range:desiredNumberOfCharacters:startingAtGlyphIndex:completedRange:nextGlyphIndex:",
+ "get:",
+ "getAddressInfo:forReference:",
+ "getAddressLabelWithAttributes:",
+ "getArchitectures:",
+ "getArgument:atIndex:",
+ "getArgumentTypeAtIndex:",
+ "getAttribute:intoSize:percentage:",
+ "getAttributedStringAsynchronously",
+ "getAttributedStringSynchronously",
+ "getAttributesForCharacterIndex:",
+ "getBitmapDataPlanes:",
+ "getBlock:andStore:",
+ "getBlock:ofEntryNamed:",
+ "getByte",
+ "getBytes:",
+ "getBytes:length:",
+ "getBytes:maxLength:filledLength:encoding:allowLossyConversion:range:remainingRange:",
+ "getBytes:range:",
+ "getBytesForString:lossByte:",
+ "getCFRunLoop",
+ "getCString:",
+ "getCString:maxLength:",
+ "getCString:maxLength:range:remainingRange:",
+ "getCharacters:",
+ "getCharacters:range:",
+ "getClass:ofEntryNamed:",
+ "getClasses",
+ "getClassesFromResourceLocator:",
+ "getComparator:andContext:",
+ "getComponent:inValueWithName:andAttributes:",
+ "getComponent:inValueWithNameAndAttributes:",
+ "getCompression:factor:",
+ "getConfigurationFromResponder:",
+ "getContents:andLength:",
+ "getCount:andPostings:",
+ "getCyan:magenta:yellow:black:alpha:",
+ "getDefaultExtensionForType:",
+ "getDefaultMailClient",
+ "getDefaultStringForKey:fromDictionary:intoTextfield:withDefault:",
+ "getDirInfo:",
+ "getDocument:docInfo:",
+ "getDocumentNameAndSave:",
+ "getFileSystemInfoForPath:isRemovable:isWritable:isUnmountable:description:type:",
+ "getFileSystemRepresentation:maxLength:",
+ "getFileSystemRepresentation:maxLength:withPath:",
+ "getFirstUnlaidCharacterIndex:glyphIndex:",
+ "getFullAFMInfo:attributes:parameterStrings:",
+ "getGlobalWindowNum:frame:",
+ "getGlyphs:range:",
+ "getGlyphsInRange:glyphs:characterIndexes:glyphInscriptions:elasticBits:",
+ "getHandle:andWeight:",
+ "getHeight:percentage:",
+ "getHue:saturation:brightness:alpha:",
+ "getHyphenLocations:inString:",
+ "getHyphenLocations:inString:wordAtIndex:",
+ "getImage:rect:",
+ "getInfoForFile:application:type:",
+ "getKey:andLength:",
+ "getKey:andLength:withHint:",
+ "getKeyForType:",
+ "getKeys:",
+ "getKeysFor:",
+ "getLELong",
+ "getLEWord",
+ "getLineDash:count:phase:",
+ "getLineStart:end:contentsEnd:forRange:",
+ "getLocal:",
+ "getMailboxesOnDisk",
+ "getMarkedText:selectedRange:",
+ "getMoreInput",
+ "getName:andFile:",
+ "getNumberOfRows:columns:",
+ "getObject:atIndex:",
+ "getObjectValue:forString:errorDescription:",
+ "getObjects:",
+ "getObjects:andKeys:",
+ "getObjects:range:",
+ "getOtherKeysFor:",
+ "getPath",
+ "getPathsListFor:variant:as:",
+ "getPeriodicDelay:interval:",
+ "getPersistentExpandedItemsAsArray",
+ "getPersistentTableColumnsAsArray",
+ "getPreferredValueWithName:",
+ "getPreferredValueWithName:andAttributes:",
+ "getPrinterDataForRow:andKey:",
+ "getProperties",
+ "getProperty::",
+ "getPublicKeysFor:",
+ "getRed:green:blue:alpha:",
+ "getRef:forObjectName:",
+ "getReleasedProxies:length:",
+ "getRemote:",
+ "getReplyWithSequence:",
+ "getResourceKeysFor:",
+ "getResourceLocator",
+ "getReturnValue:",
+ "getRotationAngle",
+ "getRow:column:forPoint:",
+ "getRow:column:ofCell:",
+ "getRowSpan:columnSpan:",
+ "getRulebookData:makeSharable:littleEndian:",
+ "getSelectionString",
+ "getSourceKeysFor:",
+ "getSplitPercentage",
+ "getSplitPercentageAsString",
+ "getState:",
+ "getSubprojKeysFor:",
+ "getTIFFCompressionTypes:count:",
+ "getTopOfMessageNumber:intoMutableString:",
+ "getTypes:",
+ "getTypesWithName:",
+ "getTypesWithName:attributes:",
+ "getTypesWithNameAndAttributes:",
+ "getUrlFromUser",
+ "getUserInfoFromDefaults",
+ "getValue:",
+ "getValueFromObject:",
+ "getValueWithName:",
+ "getValueWithName:andAttributes:",
+ "getValueWithNameAndAttributes:",
+ "getValues:forAttribute:forVirtualScreen:",
+ "getValues:forParameter:",
+ "getVariantsFor:as:",
+ "getWhite:alpha:",
+ "getWidth:percentage:",
+ "gid",
+ "givenRootFindValidMailboxes:",
+ "globalIDForObject:",
+ "globalIDWithEntityName:keys:keyCount:zone:",
+ "globalIDWithEntityName:subEntityName:bestEntityName:keys:keyCount:zone:",
+ "globalRenderingBasisChanged:",
+ "globalRenderingBasisDidChange",
+ "globallyUniqueString",
+ "glyphAtIndex:",
+ "glyphAtIndex:isValidIndex:",
+ "glyphGeneratorForEncoding:language:font:",
+ "glyphGeneratorForEncoding:language:font:makeSharable:",
+ "glyphGeneratorForTriplet:makeSharable:",
+ "glyphIndexForPoint:inTextContainer:",
+ "glyphIndexForPoint:inTextContainer:fractionOfDistanceThroughGlyph:",
+ "glyphIndexToBreakLineByClippingAtIndex:",
+ "glyphIndexToBreakLineByHyphenatingWordAtIndex:",
+ "glyphIndexToBreakLineByWordWrappingAtIndex:",
+ "glyphIsEncoded:",
+ "glyphPacking",
+ "glyphRangeForBoundingRect:inTextContainer:",
+ "glyphRangeForBoundingRectWithoutAdditionalLayout:inTextContainer:",
+ "glyphRangeForCharacterRange:actualCharacterRange:",
+ "glyphRangeForTextContainer:",
+ "glyphWithName:",
+ "goodFileCharacterSet",
+ "gotString",
+ "gotoBeginning:",
+ "gotoEnd:",
+ "gotoPosterFrame:",
+ "gradientType",
+ "graphicsContextWithAttributes:",
+ "graphicsContextWithWindow:",
+ "graphicsPort",
+ "graphiteControlTintColor",
+ "grayColor",
+ "greenColor",
+ "greenComponent",
+ "gridColor",
+ "groupEvents:bySignatureOfType:",
+ "groupIdentifier",
+ "groupName",
+ "groupingLevel",
+ "groupsByEvent",
+ "growBuffer:current:end:factor:",
+ "growGlyphCaches:fillGlyphInfo:",
+ "guaranteeMinimumWidth:",
+ "guessDockTitle:filename:",
+ "guessesForWord:",
+ "halt",
+ "handleAppleEvent:withReplyEvent:",
+ "handleChangeWithIgnore:",
+ "handleClickOnLink:",
+ "handleCloseScriptCommand:",
+ "handleCommentWithCode:",
+ "handleDividerDragWithEvent:",
+ "handleError:",
+ "handleErrors:",
+ "handleFailureInFunction:file:lineNumber:description:",
+ "handleFailureInMethod:object:file:lineNumber:description:",
+ "handleFontName",
+ "handleGURLAppleEvent:",
+ "handleGetAeteEvent:withReplyEvent:",
+ "handleHeaderOp",
+ "handleMachMessage:",
+ "handleMailToURL:",
+ "handleMouseEvent:",
+ "handleOpenAppleEvent:",
+ "handlePicVersion",
+ "handlePortCoder:",
+ "handlePortMessage:",
+ "handlePrintScriptCommand:",
+ "handleQueryWithUnboundKey:",
+ "handleQuickTimeWithCode:",
+ "handleQuitScriptCommand:",
+ "handleReleasedProxies:length:",
+ "handleRequest:sequence:",
+ "handleSaveScriptCommand:",
+ "handleSendMessageCommand:",
+ "handleTakeValue:forUnboundKey:",
+ "handleUnknownEvent:withReplyEvent:",
+ "handleUpdatingFinished",
+ "handlerForFault:",
+ "handlerForMarker:",
+ "handlesFetchSpecification:",
+ "hasAlpha",
+ "hasAttachments",
+ "hasBackingStore",
+ "hasBeenSaved",
+ "hasCachedAttributedString",
+ "hasChanges",
+ "hasChangesPending",
+ "hasCloseBox",
+ "hasComposeAccessoryViewOwner",
+ "hasConjointSelection",
+ "hasContent",
+ "hasDeliveryClassBeenConfigured",
+ "hasDynamicDepthLimit",
+ "hasEditedDocuments",
+ "hasEditingIvars",
+ "hasEntryNamed:",
+ "hasFocusView",
+ "hasFullInfo",
+ "hasHorizontalRuler",
+ "hasHorizontalScroller",
+ "hasIcons",
+ "hasImageWithAlpha",
+ "hasLeadingSpace",
+ "hasLeadingSpaceWithSemanticEngine:",
+ "hasMarkedText",
+ "hasMultiplePages",
+ "hasOfflineChangesForStoreAtPath:",
+ "hasPreferencesPanel",
+ "hasPrefix:",
+ "hasProperty:",
+ "hasRoundedCornersForButton",
+ "hasRoundedCornersForPopUp",
+ "hasRunLoop:",
+ "hasScrollerOnRight",
+ "hasSenderOrReceiver",
+ "hasShadow",
+ "hasSource",
+ "hasSubmenu",
+ "hasSuffix:",
+ "hasTextStyle:stylePossessed:styleNotPossessed:",
+ "hasThousandSeparators",
+ "hasTitleBar",
+ "hasTrailingSpace",
+ "hasTrailingSpaceWithSemanticEngine:",
+ "hasUndoManager",
+ "hasUnreadMail",
+ "hasValidCacheFileForUid:",
+ "hasValidObjectValue",
+ "hasVerticalRuler",
+ "hasVerticalScroller",
+ "hash",
+ "hashFor:",
+ "haveAccountsBeenConfigured",
+ "haveTexture",
+ "headIndent",
+ "headerCell",
+ "headerCheckboxAction:",
+ "headerColor",
+ "headerDataForMessage:",
+ "headerLevel",
+ "headerRectOfColumn:",
+ "headerTextColor",
+ "headerView",
+ "headers",
+ "headersForKey:",
+ "headersRequiredForRouting",
+ "headersToDisplayFromHeaderKeys:showAllHeaders:",
+ "heartBeat:",
+ "heartBeatCycle",
+ "height",
+ "heightAdjustLimit",
+ "heightForMaximumWidth",
+ "heightForRowAtIndex:returningHeightType:",
+ "heightPopupAction:",
+ "heightString",
+ "heightTextfieldAction:",
+ "heightTracksTextView",
+ "helpCursorShown",
+ "helpRequested:",
+ "hide",
+ "hide:",
+ "hideDeletions:",
+ "hideFavorites",
+ "hideFeedback",
+ "hideNumbers:",
+ "hideOtherApplications",
+ "hideOtherApplications:",
+ "hideSizes:",
+ "hideStatusLine:",
+ "hidesOnDeactivate",
+ "highContrastColor",
+ "highlight:",
+ "highlight:withFrame:inView:",
+ "highlightCell:atRow:column:",
+ "highlightChanges",
+ "highlightColor",
+ "highlightColor:",
+ "highlightGeneratedString:",
+ "highlightMode",
+ "highlightSelectionInClipRect:",
+ "highlightWithLevel:",
+ "highlightedBranchImage",
+ "highlightedItemIndex",
+ "highlightedMenuColor",
+ "highlightedMenuTextColor",
+ "highlightedTableColumn",
+ "highlightsBy",
+ "hintCapacity",
+ "hints",
+ "hitLineBreakWithClear:characterIndex:",
+ "hitPart",
+ "hitTest:",
+ "homeTextView",
+ "horizontalAlignPopupAction:",
+ "horizontalEdgePadding",
+ "horizontalLineScroll",
+ "horizontalPageScroll",
+ "horizontalPagination",
+ "horizontalResizeCursor",
+ "horizontalRulerView",
+ "horizontalScroller",
+ "horizontalSpace",
+ "host",
+ "hostDeviceOf:",
+ "hostName",
+ "hostWithAddress:",
+ "hostWithName:",
+ "hostname",
+ "hotSpot",
+ "hourOfDay",
+ "href",
+ "html:unableToParseDocument:",
+ "htmlAddedTextStyles",
+ "htmlAttachmentCellWithRepresentedItem:",
+ "htmlAttributeValue",
+ "htmlAttributedString",
+ "htmlDeletedTextStyles",
+ "htmlDocumentChanged:",
+ "htmlDocumentDidChange:",
+ "htmlEncodedString",
+ "htmlEquivalent",
+ "htmlFontSizeForPointSize:",
+ "htmlInspectedSelectionChanged:",
+ "htmlInspectionChanged:",
+ "htmlItemTransformed:",
+ "htmlNodeForHeaderWithTitle:value:",
+ "htmlRedo:",
+ "htmlSelection",
+ "htmlString",
+ "htmlStringFromTextString",
+ "htmlStringWithString:",
+ "htmlTextStyles",
+ "htmlTextView",
+ "htmlTree",
+ "htmlTreeClass",
+ "htmlTreeForHeaders:withTopMargin:",
+ "htmlUndo:",
+ "htmlView",
+ "htmlView:clickedOnLink:",
+ "htmlView:contentDidChange:",
+ "htmlView:didSwitchToView:",
+ "htmlView:inspectedSelectionChangedTo:",
+ "htmlView:selectionChangedTo:",
+ "htmlView:selectionWillChangeTo:",
+ "htmlView:toolbarDidChangeConfigurationFrom:to:",
+ "htmlView:willSwitchToView:",
+ "hueComponent",
+ "hyphenGlyph",
+ "hyphenGlyphForFont:language:",
+ "hyphenGlyphForLanguage:",
+ "hyphenationFactor",
+ "icon",
+ "iconForFile:",
+ "iconForFileType:",
+ "iconForFiles:",
+ "iconRef:label:",
+ "iconRef:label:forObjectName:",
+ "idealFace:conflictsWithFaceInCanonicalFaceStringArray:",
+ "idealFace:conflictsWithIdealFaceInArray:",
+ "idealFaceFromCanonicalFaceArray:",
+ "idealFaceFromCanonicalFaceString:",
+ "idealFaceFromFaceString:",
+ "idealUserDefinedFaces",
+ "identifier",
+ "identity",
+ "ignoreCase:",
+ "ignoreModifierKeysWhileDragging",
+ "ignoreNextChange",
+ "ignoreSpelling:",
+ "ignoreTextStorageDidProcessEditing",
+ "ignoreWord:inSpellDocumentWithTag:",
+ "ignoredWordsInSpellDocumentWithTag:",
+ "ignoresAlpha",
+ "ignoresMultiClick",
+ "illegalCharacterSet",
+ "image",
+ "image:focus:",
+ "imageAlignment",
+ "imageAndTitleOffset",
+ "imageAndTitleWidth",
+ "imageCellWithRepresentedItem:image:",
+ "imageDidNotDraw:inRect:",
+ "imageDimsWhenDisabled",
+ "imageFileTypes",
+ "imageForMailAddress:",
+ "imageForPreferenceNamed:",
+ "imageForState:",
+ "imageFrameStyle",
+ "imageInputAlloc",
+ "imageNamed:",
+ "imageNamed:sender:",
+ "imageOrigin",
+ "imagePasteboardTypes",
+ "imagePosition",
+ "imageRectForBounds:",
+ "imageRectForPaper:",
+ "imageRectInRuler",
+ "imageRepClassForData:",
+ "imageRepClassForFileType:",
+ "imageRepClassForPasteboardType:",
+ "imageRepWithContentsOfFile:",
+ "imageRepWithContentsOfURL:",
+ "imageRepWithData:",
+ "imageRepWithPasteboard:",
+ "imageRepsWithContentsOfFile:",
+ "imageRepsWithContentsOfURL:",
+ "imageRepsWithData:",
+ "imageRepsWithPasteboard:",
+ "imageScaling",
+ "imageSize",
+ "imageUnfilteredFileTypes",
+ "imageUnfilteredPasteboardTypes",
+ "imageWidth",
+ "imageWithoutAlpha",
+ "implementorAtIndex:",
+ "implementsSelector:",
+ "importMailboxes:",
+ "importObject:",
+ "importedObjects",
+ "importsGraphics",
+ "inRedirectionLoop",
+ "inUse",
+ "inboxMailboxSelected:",
+ "inboxMessageStorePath",
+ "includeDeleted",
+ "includeWhenGettingMail",
+ "incomingSpoolDirectory",
+ "increaseLengthBy:",
+ "increaseSizesToFit:",
+ "incrementBy:",
+ "incrementExtraRefCount",
+ "incrementLocation",
+ "incrementSpecialRefCount",
+ "incrementUndoTransactionID",
+ "indent:",
+ "indentForListItemsWithState:",
+ "indentStringForChildrenWithIndentString:",
+ "indentUsingTabs",
+ "indentationMarkerFollowsCell",
+ "indentationPerLevel",
+ "independentConversationQueueing",
+ "independentCopy",
+ "index",
+ "indexEnumerator",
+ "indexExistsForStore:",
+ "indexFollowing:",
+ "indexForKey:",
+ "indexForMailboxPath:",
+ "indexForSortingByMessageNumber",
+ "indexInfoForItem:",
+ "indexManager",
+ "indexOf:",
+ "indexOf:::",
+ "indexOf:options:",
+ "indexOfAddressReference:",
+ "indexOfAttributeBySelector:equalToObject:",
+ "indexOfCanonicalFaceString:inCanonicalFaceStringArray:",
+ "indexOfCardReference:",
+ "indexOfCellWithRepresentedObject:",
+ "indexOfCellWithTag:",
+ "indexOfChild:",
+ "indexOfItem:",
+ "indexOfItemAtPoint:",
+ "indexOfItemWithObjectValue:",
+ "indexOfItemWithRepresentedObject:",
+ "indexOfItemWithSubmenu:",
+ "indexOfItemWithTag:",
+ "indexOfItemWithTarget:andAction:",
+ "indexOfItemWithTitle:",
+ "indexOfMessage:",
+ "indexOfNextNonDeletedMessage:ignoreSelected:",
+ "indexOfObject:",
+ "indexOfObject:inRange:",
+ "indexOfObject:range:identical:",
+ "indexOfObject:usingSortFunction:context:",
+ "indexOfObjectIdenticalTo:",
+ "indexOfObjectIdenticalTo:inRange:",
+ "indexOfObjectIndenticalTo:",
+ "indexOfObjectMatchingValue:forKey:",
+ "indexOfSelectedItem",
+ "indexOfTabViewItem:",
+ "indexOfTabViewItemWithIdentifier:",
+ "indexOfTag:inString:",
+ "indexOfTickMarkAtPoint:",
+ "indexPreceding:",
+ "indexValue",
+ "indexesForObjectsIndenticalTo:",
+ "indicatorImageInTableColumn:",
+ "indicesOfObjectsByEvaluatingObjectSpecifier:",
+ "indicesOfObjectsByEvaluatingWithContainer:count:",
+ "info",
+ "infoDictionary",
+ "infoTable",
+ "infoTableFor:",
+ "init",
+ "initAndTestWithTests:",
+ "initAsTearOff",
+ "initByReferencingFile:",
+ "initCount:",
+ "initCount:andPostings:",
+ "initCount:elementSize:description:",
+ "initDir:file:docInfo:",
+ "initDirectoryWithFileWrappers:",
+ "initEPSOperationWithView:insideRect:toData:printInfo:",
+ "initFileURLWithPath:",
+ "initForDeserializerStream:",
+ "initForReadingWithData:",
+ "initForSerializerStream:",
+ "initForViewer:",
+ "initForWritingWithMutableData:",
+ "initFrameControls",
+ "initFromBlock:inStore:",
+ "initFromDefaultTreeInStore:mustExist:",
+ "initFromDocument:",
+ "initFromElement:ofDocument:",
+ "initFromFile:forWriting:",
+ "initFromFile:forWriting:createIfAbsent:",
+ "initFromImage:rect:",
+ "initFromInfo:",
+ "initFromMemoryNoCopy:length:freeWhenDone:",
+ "initFromNSFile:forWriting:",
+ "initFromName:device:inode:",
+ "initFromName:inFile:forWriting:",
+ "initFromNib",
+ "initFromPath:",
+ "initFromPath:dictionary:",
+ "initFromSerialized:",
+ "initFromSerializerStream:length:",
+ "initFromSize:andColor:",
+ "initImageCell:",
+ "initImageCell:withRepresentedItem:",
+ "initInStore:",
+ "initListDescriptor",
+ "initMainControls",
+ "initMessageViewText",
+ "initNSRoot:",
+ "initNotTestWithTest:",
+ "initObject:withCoder:",
+ "initOffscreen:withDepth:",
+ "initOrTestWithTests:",
+ "initPageControls",
+ "initPopUpWindow",
+ "initPrintInfo",
+ "initRecordDescriptor",
+ "initRegion:ofLength:atAddress:",
+ "initRegularFileWithContents:",
+ "initRemoteWithProtocolFamily:socketType:protocol:address:",
+ "initRemoteWithTCPPort:host:",
+ "initRoot:",
+ "initSymbolicLinkWithDestination:",
+ "initTableControls",
+ "initTextCell:",
+ "initTextCell:pullsDown:",
+ "initTitleButton:",
+ "initTitleCell:",
+ "initTitleCell:styleMask:",
+ "initUnixFile:",
+ "initWithAddressBookRef:",
+ "initWithAffectedRange:layoutManager:undoManager:",
+ "initWithAffectedRange:layoutManager:undoManager:replacementRange:",
+ "initWithArray:",
+ "initWithArray:addObject:",
+ "initWithArray:andToolBar:buttonOffset:",
+ "initWithArray:copyItems:",
+ "initWithArray:removeObject:",
+ "initWithArray:removeObjectAtIndex:",
+ "initWithAttributeDictionary:",
+ "initWithAttributedString:",
+ "initWithAttributes:",
+ "initWithAttributes:range:",
+ "initWithBTree:",
+ "initWithBitmapDataPlanes:pixelsWide:pixelsHigh:bitsPerSample:samplesPerPixel:hasAlpha:isPlanar:colorSpaceName:bytesPerRow:bitsPerPixel:",
+ "initWithBitmapDataPlanes:pixelsWide:pixelsHigh:bitsPerSample:samplesPerPixel:hasAlpha:isPlanar:colorSpaceName:bytesPerRow:bitsPerPixel:size:",
+ "initWithBitmapRepresentation:",
+ "initWithBom:archNames:delegate:",
+ "initWithBom:archNames:delegate:inodeMap:",
+ "initWithBool:",
+ "initWithButtonID:",
+ "initWithBytes:length:",
+ "initWithBytes:length:copy:freeWhenDone:bytesAreVM:",
+ "initWithBytes:length:encoding:",
+ "initWithBytes:objCType:",
+ "initWithBytesNoCopy:length:",
+ "initWithCString:",
+ "initWithCString:length:",
+ "initWithCStringNoCopy:length:",
+ "initWithCStringNoCopy:length:freeWhenDone:",
+ "initWithCapacity:",
+ "initWithCapacity:compareSelector:",
+ "initWithCatalogName:colorName:genericColor:",
+ "initWithCell:",
+ "initWithChar:",
+ "initWithCharacterRange:isSoft:",
+ "initWithCharacterSet:",
+ "initWithCharacters:length:",
+ "initWithCharactersInString:",
+ "initWithCharactersNoCopy:length:",
+ "initWithCharactersNoCopy:length:freeWhenDone:",
+ "initWithClassDescription:editingContext:",
+ "initWithClassPath:",
+ "initWithClient:",
+ "initWithCoder:",
+ "initWithColorList:",
+ "initWithCommandDescription:",
+ "initWithComment:",
+ "initWithComment:useDashes:",
+ "initWithCompareSelector:",
+ "initWithCondition:",
+ "initWithConnection:components:",
+ "initWithContainerClassDescription:containerSpecifier:key:",
+ "initWithContainerClassDescription:containerSpecifier:key:index:",
+ "initWithContainerClassDescription:containerSpecifier:key:relativePosition:baseSpecifier:",
+ "initWithContainerClassDescription:containerSpecifier:key:startSpecifier:endSpecifier:",
+ "initWithContainerClassDescription:containerSpecifier:key:test:",
+ "initWithContainerSize:",
+ "initWithContainerSpecifier:key:",
+ "initWithContentRect:",
+ "initWithContentRect:comboBoxCell:",
+ "initWithContentRect:styleMask:backing:defer:",
+ "initWithContentRect:styleMask:backing:defer:drawer:",
+ "initWithContentRect:styleMask:backing:defer:screen:",
+ "initWithContentSize:preferredEdge:",
+ "initWithContentsOfFile:",
+ "initWithContentsOfFile:andButtonSize:",
+ "initWithContentsOfFile:andButtonsWithSize:buttonOffset:",
+ "initWithContentsOfFile:byReference:",
+ "initWithContentsOfFile:ofType:",
+ "initWithContentsOfMappedFile:",
+ "initWithContentsOfURL:",
+ "initWithContentsOfURL:byReference:",
+ "initWithContentsOfURL:ofType:",
+ "initWithCyan:magenta:yellow:black:alpha:",
+ "initWithData:",
+ "initWithData:DIBFormat:",
+ "initWithData:encoding:",
+ "initWithData:isFull:",
+ "initWithData:range:",
+ "initWithDataRepresentation:",
+ "initWithDate:",
+ "initWithDateFormat:allowNaturalLanguage:",
+ "initWithDecimal:",
+ "initWithDefaultAttributes:",
+ "initWithDelegate:",
+ "initWithDelegate:name:",
+ "initWithDescriptor:andSize:forWriting:",
+ "initWithDescriptor:andSize:forWriting:isTemporary:",
+ "initWithDescriptorType:data:",
+ "initWithDictionary:",
+ "initWithDictionary:copyItems:",
+ "initWithDictionary:removeObjectForKey:",
+ "initWithDictionary:setObject:forKey:",
+ "initWithDisplayDisciplineLevelsAndString:displayOnly:",
+ "initWithDisplayName:address:type:message:",
+ "initWithDocument:",
+ "initWithDomainName:key:title:image:",
+ "initWithDouble:",
+ "initWithDrawSelector:delegate:",
+ "initWithDrawingFrame:inTextView:editedItem:editedCell:",
+ "initWithDynamicMenuItemDictionary:",
+ "initWithEditingContext:classDescription:globalID:",
+ "initWithEditor:",
+ "initWithElementName:",
+ "initWithElementSize:capacity:",
+ "initWithEntityName:qualifier:sortOrderings:usesDistinct:isDeep:hints:",
+ "initWithEventClass:eventID:targetDescriptor:returnID:transactionID:",
+ "initWithExactName:data:",
+ "initWithExpressionString:",
+ "initWithExternalRepresentation:",
+ "initWithFile:",
+ "initWithFile:forDirectory:",
+ "initWithFile:fromBom:keepArchs:keepLangs:",
+ "initWithFile:fromDirectory:",
+ "initWithFile:fromDirectory:includeDirectoryPath:",
+ "initWithFileAttributes:",
+ "initWithFileDescriptor:",
+ "initWithFileDescriptor:closeOnDealloc:",
+ "initWithFileName:markerName:",
+ "initWithFileWrapper:",
+ "initWithFireDate:interval:target:selector:userInfo:repeats:userInfoIsArgument:",
+ "initWithFloat:",
+ "initWithFocusedViewRect:",
+ "initWithFolderType:createFolder:",
+ "initWithFormat:",
+ "initWithFormat:arguments:",
+ "initWithFormat:locale:",
+ "initWithFormat:locale:arguments:",
+ "initWithFormat:shareContext:",
+ "initWithFrame:",
+ "initWithFrame:cellCount:name:",
+ "initWithFrame:depth:",
+ "initWithFrame:framedItem:",
+ "initWithFrame:htmlView:",
+ "initWithFrame:inStatusBar:",
+ "initWithFrame:inWindow:",
+ "initWithFrame:menuView:",
+ "initWithFrame:mode:cellClass:numberOfRows:numberOfColumns:",
+ "initWithFrame:mode:prototype:numberOfRows:numberOfColumns:",
+ "initWithFrame:pixelFormat:",
+ "initWithFrame:prototypeRulerMarker:",
+ "initWithFrame:pullsDown:",
+ "initWithFrame:rawTextController:",
+ "initWithFrame:styleMask:owner:",
+ "initWithFrame:text:alignment:",
+ "initWithFrame:textContainer:",
+ "initWithFrame:textController:",
+ "initWithFunc:forImp:selector:",
+ "initWithFunc:ivarOffset:",
+ "initWithGlyphIndex:characterRange:",
+ "initWithGrammar:",
+ "initWithGrammarRules:andGroups:",
+ "initWithHTML:baseURL:documentAttributes:",
+ "initWithHTML:documentAttributes:",
+ "initWithHTMLString:url:",
+ "initWithHeaderLevel:",
+ "initWithHeaders:",
+ "initWithHeaders:flags:size:uid:",
+ "initWithHeap:",
+ "initWithHorizontalRule:",
+ "initWithHost:port:",
+ "initWithHostName:serverName:textProc:errorProc:timeout:secure:encapsulated:",
+ "initWithHosts:port:",
+ "initWithHue:saturation:brightness:alpha:",
+ "initWithIdentifier:",
+ "initWithImage:",
+ "initWithImage:foregroundColorHint:backgroundColorHint:hotSpot:",
+ "initWithImage:hotSpot:",
+ "initWithImage:representedItem:outliningWhenSelected:",
+ "initWithImage:representedItem:outliningWhenSelected:size:",
+ "initWithImage:selectedImage:representedItem:",
+ "initWithImage:window:",
+ "initWithInt:",
+ "initWithInvocation:conversation:sequence:importedObjects:connection:",
+ "initWithKey:",
+ "initWithKey:isStored:",
+ "initWithKey:mask:binding:",
+ "initWithKey:operatorSelector:value:",
+ "initWithKey:selector:",
+ "initWithKeyValueUnarchiver:",
+ "initWithLeftKey:operatorSelector:rightKey:",
+ "initWithLength:",
+ "initWithLocal:connection:",
+ "initWithLong:",
+ "initWithLongLong:",
+ "initWithMKKDInitializer:index:",
+ "initWithMKKDInitializer:index:key:",
+ "initWithMachMessage:",
+ "initWithMachPort:",
+ "initWithMantissa:exponent:isNegative:",
+ "initWithMapping:",
+ "initWithMarker:attributeString:",
+ "initWithMarker:attributes:",
+ "initWithMasterClassDescription:detailKey:",
+ "initWithMasterDataSource:detailKey:",
+ "initWithMessage:",
+ "initWithMessage:connection:",
+ "initWithMessage:sender:subject:dateReceived:",
+ "initWithMessage:sender:to:subject:dateReceived:",
+ "initWithMessageStore:",
+ "initWithMethodSignature:",
+ "initWithMimeBodyPart:",
+ "initWithMovie:",
+ "initWithMutableAttributedString:",
+ "initWithMutableData:forDebugging:languageEncoding:nameEncoding:textProc:errorProc:",
+ "initWithName:",
+ "initWithName:data:",
+ "initWithName:element:",
+ "initWithName:elementNames:",
+ "initWithName:fromFile:",
+ "initWithName:host:",
+ "initWithName:inFile:",
+ "initWithName:object:userInfo:",
+ "initWithName:parent:resolve:",
+ "initWithName:reason:userInfo:",
+ "initWithNotificationCenter:",
+ "initWithObjectSpecifier:comparisonOperator:testObject:",
+ "initWithObjects:",
+ "initWithObjects:count:",
+ "initWithObjects:count:target:reverse:freeWhenDone:",
+ "initWithObjects:forKeys:",
+ "initWithObjects:forKeys:count:",
+ "initWithObjectsAndKeys:",
+ "initWithOffset:",
+ "initWithParentObjectStore:",
+ "initWithPasteboard:",
+ "initWithPasteboardDataRepresentation:",
+ "initWithPath:",
+ "initWithPath:create:readOnly:account:",
+ "initWithPath:documentAttributes:",
+ "initWithPath:encoding:ignoreRTF:ignoreHTML:uniqueZone:",
+ "initWithPath:encoding:uniqueZone:",
+ "initWithPath:flags:createMode:",
+ "initWithPath:inAccount:",
+ "initWithPath:mode:uid:gid:mTime:inode:device:",
+ "initWithPath:mode:uid:gid:mTime:inode:size:",
+ "initWithPath:mode:uid:gid:mTime:inode:size:sum:",
+ "initWithPath:mode:uid:gid:mTime:inode:size:sum:target:",
+ "initWithPersistentStateDictionary:",
+ "initWithPickerMask:colorPanel:",
+ "initWithPosition:objectSpecifier:",
+ "initWithPostingsIn:",
+ "initWithPreferenceDisciplineLevelsAndString:displayOnly:",
+ "initWithPropertyList:owner:",
+ "initWithProtocolFamily:socketType:protocol:address:",
+ "initWithProtocolFamily:socketType:protocol:socket:",
+ "initWithQualifier:",
+ "initWithQualifierArray:",
+ "initWithQualifiers:",
+ "initWithQueue:threadNumber:",
+ "initWithRTF:",
+ "initWithRTF:documentAttributes:",
+ "initWithRTFD:",
+ "initWithRTFD:documentAttributes:",
+ "initWithRTFDFileWrapper:",
+ "initWithRTFDFileWrapper:documentAttributes:",
+ "initWithRange:",
+ "initWithRawCatalogInfo:name:parentRef:hidden:",
+ "initWithRealClient:",
+ "initWithRealTextStorage:",
+ "initWithReceivePort:sendPort:",
+ "initWithReceivePort:sendPort:components:",
+ "initWithRect:color:ofView:",
+ "initWithRed:green:blue:alpha:",
+ "initWithRef:",
+ "initWithRef:containerType:",
+ "initWithRef:hidden:",
+ "initWithRefCountedRunArray:",
+ "initWithRemoteName:",
+ "initWithRepresentedItem:",
+ "initWithRepresentedItem:baseImage:size:",
+ "initWithRepresentedItem:image:label:size:",
+ "initWithRepresentedItem:imageType:size:",
+ "initWithResults:connection:",
+ "initWithRoot:",
+ "initWithRoundingMode:scale:raiseOnExactness:raiseOnOverflow:raiseOnUnderflow:raiseOnDivideByZero:",
+ "initWithRulebookSet:",
+ "initWithRulerView:markerLocation:image:imageOrigin:",
+ "initWithRunStorage:",
+ "initWithScheme:host:path:",
+ "initWithScript:",
+ "initWithScriptString:",
+ "initWithScrollView:orientation:",
+ "initWithSelection:",
+ "initWithSelector:",
+ "initWithSendPort:receivePort:components:",
+ "initWithSerializedRepresentation:",
+ "initWithSet:",
+ "initWithSet:copyItems:",
+ "initWithSetFunc:forImp:selector:",
+ "initWithSetFunc:ivarOffset:",
+ "initWithSetHeader:",
+ "initWithShort:",
+ "initWithSize:",
+ "initWithSize:depth:separate:alpha:",
+ "initWithSparseArray:",
+ "initWithStatusMessage:",
+ "initWithStore:",
+ "initWithStorePaths:",
+ "initWithString:",
+ "initWithString:attributes:",
+ "initWithString:calendarFormat:",
+ "initWithString:calendarFormat:locale:",
+ "initWithString:locale:",
+ "initWithString:relativeToURL:",
+ "initWithString:type:",
+ "initWithSuiteName:bundle:",
+ "initWithSuiteName:className:dictionary:",
+ "initWithSuiteName:commandName:dictionary:",
+ "initWithSyntacticDiscipline:semanticDiscipline:string:displayOnly:",
+ "initWithTCPPort:",
+ "initWithTable:",
+ "initWithTarget:",
+ "initWithTarget:action:priority:",
+ "initWithTarget:connection:",
+ "initWithTarget:invocation:",
+ "initWithTarget:protocol:",
+ "initWithTarget:selector:object:",
+ "initWithText:fillColor:textColor:shape:representedItem:",
+ "initWithTextAttachment:",
+ "initWithTextStorage:",
+ "initWithTextStorage:range:",
+ "initWithTimeInterval:sinceDate:",
+ "initWithTimeIntervalSince1970:",
+ "initWithTimeIntervalSinceNow:",
+ "initWithTimeIntervalSinceReferenceDate:",
+ "initWithTimeout:",
+ "initWithTitle:",
+ "initWithTitle:action:keyEquivalent:",
+ "initWithTransform:",
+ "initWithTree:",
+ "initWithType:arg:",
+ "initWithType:location:",
+ "initWithType:message:",
+ "initWithURL:byReference:",
+ "initWithURL:cached:",
+ "initWithURL:documentAttributes:",
+ "initWithUTF8String:",
+ "initWithUnsignedChar:",
+ "initWithUnsignedInt:",
+ "initWithUnsignedLong:",
+ "initWithUnsignedLongLong:",
+ "initWithUnsignedShort:",
+ "initWithUser:",
+ "initWithVCard:",
+ "initWithVCardRef:",
+ "initWithView:",
+ "initWithView:className:",
+ "initWithView:height:fill:",
+ "initWithView:printInfo:",
+ "initWithView:representedItem:",
+ "initWithWhite:alpha:",
+ "initWithWindow:",
+ "initWithWindow:rect:",
+ "initWithWindowNibName:",
+ "initWithWindowNibName:owner:",
+ "initWithWindowNibPath:owner:",
+ "initWithYear:month:day:hour:minute:second:timeZone:",
+ "initialEvent",
+ "initialFirstResponder",
+ "initialPoint",
+ "initialize",
+ "initializeBackingStoreForLocation:",
+ "initializeFromDefaults",
+ "initializeItem:",
+ "initializeObject:withGlobalID:editingContext:",
+ "initializeUserAndSystemFonts",
+ "initializeUserInterface",
+ "initializerFromKeyArray:",
+ "innerBorder",
+ "innerBorderColor",
+ "innerRect",
+ "innerTitleRect",
+ "inode",
+ "inodeMap",
+ "inputClientBecomeActive:",
+ "inputClientDisabled:",
+ "inputClientEnabled:",
+ "inputClientResignActive:",
+ "inputContext",
+ "inputContextWithClient:",
+ "inputKeyBindingManager",
+ "inputSize",
+ "inputType",
+ "insert:",
+ "insert:at:",
+ "insert:replaceOK:",
+ "insert:replaceOK:andWriteData:",
+ "insert:value:",
+ "insertAddress:forHeader:atIndex:",
+ "insertAttributedString:atIndex:",
+ "insertBacktab:",
+ "insertBrowser:",
+ "insertButton:",
+ "insertCheckBox:",
+ "insertChild:atIndex:",
+ "insertChildren:atIndex:",
+ "insertColor:key:atIndex:",
+ "insertColumn:",
+ "insertColumn:withCells:",
+ "insertDescriptor:atIndex:",
+ "insertElement:at:",
+ "insertElement:atIndex:",
+ "insertElement:range:coalesceRuns:",
+ "insertElements:count:atIndex:",
+ "insertEntry:atIndex:",
+ "insertFile:",
+ "insertFile:withInode:onDevice:",
+ "insertFileInput:",
+ "insertFileUpload:",
+ "insertFiles:",
+ "insertGlyph:atGlyphIndex:characterIndex:",
+ "insertHiddenField:",
+ "insertHtmlDictionary:isPlainText:",
+ "insertImage:",
+ "insertImageButton:",
+ "insertImageFile:",
+ "insertInBccRecipients:atIndex:",
+ "insertInCcRecipients:atIndex:",
+ "insertInComposeMessages:atIndex:",
+ "insertInMessageEditors:atIndex:",
+ "insertInOrderedDocuments:atIndex:",
+ "insertInScrollViewWithMaxLines:",
+ "insertInToRecipients:atIndex:",
+ "insertInode:andPath:",
+ "insertInodeIfNotPresent:andPath:",
+ "insertInputElementOfType:followedByText:",
+ "insertItem:atIndex:",
+ "insertItem:path:dirInfo:zone:plist:",
+ "insertItemWithObjectValue:atIndex:",
+ "insertItemWithTitle:action:keyEquivalent:atIndex:",
+ "insertItemWithTitle:atIndex:",
+ "insertNewButtonImage:in:",
+ "insertNewline:",
+ "insertNewlineIgnoringFieldEditor:",
+ "insertNode:overChildren:",
+ "insertNonbreakingSpace:",
+ "insertObject:",
+ "insertObject:at:",
+ "insertObject:atIndex:",
+ "insertObject:range:",
+ "insertObject:usingSortFunction:context:",
+ "insertObject:withGlobalID:",
+ "insertObjectIfAbsent:usingSortFunction:context:",
+ "insertParagraphSeparator:",
+ "insertPasswordField:",
+ "insertPath:andProject:",
+ "insertPopUpButton:",
+ "insertPreferringDirectories:",
+ "insertProxy:",
+ "insertRadioButton:",
+ "insertRecipient:atIndex:inHeaderWithKey:",
+ "insertResetButton:",
+ "insertRow:",
+ "insertRow:withCells:",
+ "insertSelector",
+ "insertSpace:atIndex:",
+ "insertString:atIndex:",
+ "insertString:atLocation:",
+ "insertSubmitButton:",
+ "insertTab:",
+ "insertTabIgnoringFieldEditor:",
+ "insertTabViewItem:atIndex:",
+ "insertText:",
+ "insertText:client:",
+ "insertTextArea:",
+ "insertTextContainer:atIndex:",
+ "insertTextField:",
+ "insertValue:atIndex:inPropertyWithKey:",
+ "insertedObjects",
+ "insertionContainer",
+ "insertionIndex",
+ "insertionKey",
+ "insertionPointColor",
+ "inspectedBody",
+ "inspectedDocument",
+ "inspectedHTMLView",
+ "inspectedItem",
+ "inspectedSelection",
+ "inspectionChanged",
+ "inspectionChanged:",
+ "inspectorClass",
+ "inspectorClassForItem:",
+ "inspectorClassName",
+ "inspectorFor:",
+ "inspectorIsFloating",
+ "inspectorName",
+ "inspectorView",
+ "installInputManagerMenu",
+ "instanceMethodDescFor:",
+ "instanceMethodDescriptionForSelector:",
+ "instanceMethodFor:",
+ "instanceMethodForSelector:",
+ "instanceMethodSignatureForSelector:",
+ "instancesImplementSelector:",
+ "instancesRespondTo:",
+ "instancesRespondToSelector:",
+ "instancesRetainRegisteredObjects",
+ "instantiate::",
+ "instantiateObject:",
+ "instantiateProjectNamed:inDirectory:appendProjectExtension:",
+ "instantiateWithMarker:attributes:",
+ "instantiateWithObjectInstantiator:",
+ "intAttribute:forGlyphAtIndex:",
+ "intForKey:inTable:",
+ "intValue",
+ "intValueForAttribute:withDefault:",
+ "intValueForAttribute:withDefault:minimum:",
+ "integerForKey:",
+ "interRowSpacing",
+ "intercellSpacing",
+ "interfaceExtension",
+ "interfaceStyle",
+ "interiorFrame",
+ "internalSaveTo:removeBackup:errorHandler:",
+ "internalSaveTo:removeBackup:errorHandler:temp:backup:",
+ "internalWritePath:errorHandler:remapContents:",
+ "interpretEventAsCommand:forClient:",
+ "interpretEventAsText:forClient:",
+ "interpretKeyEvents:",
+ "interpretKeyEvents:forClient:",
+ "interpretKeyEvents:sender:",
+ "interpreterArguments",
+ "interpreterPath",
+ "interrupt",
+ "interruptExecution",
+ "intersectBitVector:",
+ "intersectSet:",
+ "intersectionWithBitVector:",
+ "intersectsBitVector:",
+ "intersectsItem:",
+ "intersectsSet:",
+ "interval",
+ "invTransform:",
+ "invTransformRect:",
+ "invalidate",
+ "invalidate:",
+ "invalidateAllObjects",
+ "invalidateAttributesInRange:",
+ "invalidateClassDescriptionCache",
+ "invalidateConnectionsAsNecessary:",
+ "invalidateCursorRectsForView:",
+ "invalidateDeleteStack",
+ "invalidateDisplayForCharacterRange:",
+ "invalidateDisplayForGlyphRange:",
+ "invalidateEditingContext",
+ "invalidateFocus:",
+ "invalidateGlyphsForCharacterRange:changeInLength:actualCharacterRange:",
+ "invalidateHashMarks",
+ "invalidateInvisible",
+ "invalidateLayoutForCharacterRange:isSoft:actualCharacterRange:",
+ "invalidateObjectsWithGlobalIDs:",
+ "invalidateProxy",
+ "invalidateResourceCache",
+ "invalidateTable",
+ "invalidateTargetSourceTree",
+ "invalidateTextContainerOrigin",
+ "invalidateWrapper",
+ "invalidatesObjectsWhenFreed",
+ "inverseForRelationshipKey:",
+ "invert",
+ "invertedDictionary",
+ "invertedSet",
+ "invocation",
+ "invocationWithMethodSignature:",
+ "invocationWithSelector:target:object:",
+ "invocationWithSelector:target:object:taskName:canBeCancelled:",
+ "invocationWithSelector:target:taskName:canBeCancelled:",
+ "invoke",
+ "invokeEditorForItem:selecting:",
+ "invokeEditorForItem:withEvent:",
+ "invokeServiceIn:msg:pb:userData:error:",
+ "invokeServiceIn:msg:pb:userData:menu:remoteServices:",
+ "invokeWithTarget:",
+ "isAClassOfObject:",
+ "isARepeat",
+ "isAbsolutePath",
+ "isActive",
+ "isAddressBookActive:",
+ "isAddressHeaderKey:",
+ "isAggregate",
+ "isAlias",
+ "isAlwaysVisible",
+ "isAncestorOfObject:",
+ "isAnyAccountOffline",
+ "isAppleScriptConnectionOpen",
+ "isApplication",
+ "isAtEnd",
+ "isAttached",
+ "isAttributeKeyEqual:",
+ "isAttributeStringValueEqual:",
+ "isAutodisplay",
+ "isAutoscroll",
+ "isAvailableForIndexing",
+ "isAvailableForViewing",
+ "isBacked",
+ "isBackgroundProcessingEnabled",
+ "isBaseFont",
+ "isBeginMark",
+ "isBezeled",
+ "isBidirectionalControlCharacter:",
+ "isBlockItem:",
+ "isBooleanAttribute:",
+ "isBordered",
+ "isBorderedForState:",
+ "isBound",
+ "isBycopy",
+ "isByref",
+ "isCachedSeparately",
+ "isCanonical",
+ "isCaseInsensitiveLike:",
+ "isClosedByCloseTag:",
+ "isClosedByOpenTag:",
+ "isClosedByUnadaptableOpenTag:",
+ "isCoalescing",
+ "isColor",
+ "isColumnSelected:",
+ "isCompact",
+ "isContextHelpModeActive",
+ "isContinuous",
+ "isContinuousSpellCheckingEnabled",
+ "isControllerVisible",
+ "isCopyingOperation",
+ "isCurrListEditable",
+ "isDataRetained",
+ "isDaylightSavingTime",
+ "isDaylightSavingTimeForDate:",
+ "isDaylightSavingTimeForTimeInterval:",
+ "isDeadKeyProcessingEnabled",
+ "isDeep",
+ "isDeferred",
+ "isDeletableFileAtPath:",
+ "isDescendantOf:",
+ "isDirectory",
+ "isDirty",
+ "isDisjoint",
+ "isDisplayPostingDisabled",
+ "isDisposable",
+ "isDocumentEdited",
+ "isDragging",
+ "isDrawingToScreen",
+ "isEPSOperation",
+ "isEditable",
+ "isEmpty",
+ "isEnabled",
+ "isEndMark",
+ "isEntryAcceptable:",
+ "isEqual:",
+ "isEqualTo:",
+ "isEqualToArray:",
+ "isEqualToAttributedString:",
+ "isEqualToBitVector:",
+ "isEqualToConjointSelection:",
+ "isEqualToData:",
+ "isEqualToDate:",
+ "isEqualToDictionary:",
+ "isEqualToDisjointSelection:",
+ "isEqualToDisplayOnlySelection:",
+ "isEqualToHost:",
+ "isEqualToNumber:",
+ "isEqualToSelection:",
+ "isEqualToSet:",
+ "isEqualToString:",
+ "isEqualToTimeZone:",
+ "isEqualToValue:",
+ "isError",
+ "isEventCoalescingEnabled",
+ "isExcludedFromWindowsMenu",
+ "isExecutableFileAtPath:",
+ "isExpandable:",
+ "isExpanded",
+ "isFault",
+ "isFault:",
+ "isFetching",
+ "isFieldEditor",
+ "isFileReference",
+ "isFileURL",
+ "isFinal",
+ "isFixedPitch",
+ "isFlipped",
+ "isFloatingPanel",
+ "isFlushDisabled",
+ "isFlushWindowDisabled",
+ "isFocused",
+ "isFontAvailable:",
+ "isFragment",
+ "isFrameConnected",
+ "isFrameset",
+ "isFrozen",
+ "isGreaterThan:",
+ "isGreaterThanOrEqualTo:",
+ "isGroup",
+ "isHTML",
+ "isHTMLChange",
+ "isHardLinkGroupLeader:",
+ "isHeader",
+ "isHeartBeatThread",
+ "isHidden",
+ "isHighlighted",
+ "isHitByPath:",
+ "isHitByPoint:",
+ "isHitByRect:",
+ "isHorizontal",
+ "isHorizontallyCentered",
+ "isHorizontallyResizable",
+ "isHostCacheEnabled",
+ "isIdentical:",
+ "isIdenticalTo:",
+ "isIdenticalToIgnoringMTime:",
+ "isImmutableNode:",
+ "isInInterfaceBuilder",
+ "isIndeterminate",
+ "isIndexOnly",
+ "isIndexed",
+ "isInlineSpellCheckingEnabled",
+ "isIsolatedFromChildren",
+ "isIsolatedFromText",
+ "isIsolatedInNode:",
+ "isItemAtPathExpandable:",
+ "isItemExpanded:",
+ "isKey:inTable:",
+ "isKeyEqual:",
+ "isKeyWindow",
+ "isKindOf:",
+ "isKindOfClass:",
+ "isKindOfClass:forFault:",
+ "isKindOfClassNamed:",
+ "isKindOfGivenName:",
+ "isLeaf",
+ "isLessThan:",
+ "isLessThanOrEqualTo:",
+ "isLike:",
+ "isLoaded",
+ "isLocalMount",
+ "isLocalizable:",
+ "isLocking",
+ "isMainWindow",
+ "isMatch",
+ "isMemberOf:",
+ "isMemberOfClass:",
+ "isMemberOfClass:forFault:",
+ "isMemberOfClassNamed:",
+ "isMemberOfGivenName:",
+ "isMessageAvailable:",
+ "isMiniaturizable",
+ "isMiniaturized",
+ "isModalPanel",
+ "isMovable",
+ "isMultiThreaded",
+ "isMultiple",
+ "isMutable",
+ "isMuted",
+ "isNSIDispatchProxy",
+ "isNativeType:",
+ "isNotEqualTo:",
+ "isObjectLockedWithGlobalID:editingContext:",
+ "isObjectScheduledForDeallocation:",
+ "isObscured",
+ "isOffline",
+ "isOneItem",
+ "isOneShot",
+ "isOneway",
+ "isOpaque",
+ "isOpaqueForState:",
+ "isOpen",
+ "isOptionalArgumentWithName:",
+ "isOutputStackInReverseOrder",
+ "isOutputTraced",
+ "isPackage",
+ "isPaneSplitter",
+ "isPartialStringValid:newEditingString:errorDescription:",
+ "isPartialStringValid:proposedSelectedRange:originalString:originalSelectedRange:errorDescription:",
+ "isPathToFrameworkProject",
+ "isPercentageHeight",
+ "isPercentageWidth",
+ "isPlanar",
+ "isPlaying",
+ "isProxy",
+ "isPublic:",
+ "isQuotedString",
+ "isReadOnly",
+ "isReadOnlyKey:",
+ "isReadable",
+ "isReadableFileAtPath:",
+ "isReadableWithinTimeout:",
+ "isReadableWithinTimeout:descriptor:",
+ "isRedoing",
+ "isRegularFile",
+ "isReleasedWhenClosed",
+ "isRemovable",
+ "isRenderingRoot",
+ "isResizable",
+ "isRich",
+ "isRichText",
+ "isRotatedFromBase",
+ "isRotatedOrScaledFromBase",
+ "isRowSelected:",
+ "isRulerVisible",
+ "isRunning",
+ "isScalarProperty",
+ "isScrollable",
+ "isSelectable",
+ "isSelectionByRect",
+ "isSelectionVisible",
+ "isSeparatorItem",
+ "isServicesMenuItemEnabled:forUser:",
+ "isSetOnMouseEntered",
+ "isSetOnMouseExited",
+ "isShadowed",
+ "isShowingAllHeaders",
+ "isSimple",
+ "isSimpleAndNeedsMeasuring",
+ "isSimpleRectangularTextContainer",
+ "isSorted",
+ "isSortedAscending",
+ "isSortedDescending",
+ "isSpinning",
+ "isStrokeHitByPath:",
+ "isStrokeHitByPoint:",
+ "isStrokeHitByRect:",
+ "isSubdirectoryOfPath:",
+ "isSubsetOfSet:",
+ "isSuccessful",
+ "isSuperclassOfClass:",
+ "isSupportingCoalescing",
+ "isSymbolicLink",
+ "isSynchronized",
+ "isTag:closedByOpenTag:",
+ "isTemporary",
+ "isTextItem:",
+ "isTitled",
+ "isToMany",
+ "isToManyKey:",
+ "isTopLevel",
+ "isTornOff",
+ "isTouched",
+ "isTracking",
+ "isTransparent",
+ "isTrash",
+ "isTrue",
+ "isUndoRegistrationEnabled",
+ "isUndoable",
+ "isUndoing",
+ "isUnfinished",
+ "isUniqueItem:",
+ "isValid",
+ "isValidGlyphIndex:",
+ "isValidMailboxDirectory:",
+ "isVertical",
+ "isVerticallyCentered",
+ "isVerticallyResizable",
+ "isVisible",
+ "isVisited",
+ "isWaitCursorEnabled",
+ "isWellFormed",
+ "isWhitespaceString",
+ "isWindowInFocusStack:",
+ "isWindowLoaded",
+ "isWord:inDictionaries:caseSensitive:",
+ "isWordInUserDictionaries:caseSensitive:",
+ "isWrapper",
+ "isWritable",
+ "isWritableFileAtPath:",
+ "isZeroLength",
+ "isZoomable",
+ "isZoomed",
+ "italicAngle",
+ "item",
+ "item:acceptsAncestor:",
+ "item:acceptsParent:",
+ "item:isLegalChildOfParent:",
+ "itemAdded:",
+ "itemArray",
+ "itemAtIndex:",
+ "itemAtRow:",
+ "itemBulletString",
+ "itemChanged:",
+ "itemConformingToProtocol:",
+ "itemEditingIvarsCreateIfAbsent",
+ "itemEditingIvarsNullIfAbsent",
+ "itemEditingIvarsRaiseIfAbsent",
+ "itemForGeneratedIndex:",
+ "itemForLocation:affinity:",
+ "itemForLocation:affinity:offset:withMap:",
+ "itemForLocation:offset:withMap:",
+ "itemForMarker:attributeString:",
+ "itemForMarker:attributes:",
+ "itemForRange:",
+ "itemForRange:affinity:",
+ "itemForRange:affinity:offset:withMap:",
+ "itemForRange:offset:withMap:",
+ "itemForView:",
+ "itemFrameForEditorFrame:",
+ "itemHeight",
+ "itemMatrix",
+ "itemObjectValueAtIndex:",
+ "itemOfClass:",
+ "itemRange",
+ "itemRangeForItem:createIfNeeded:",
+ "itemRemoved:",
+ "itemTitleAtIndex:",
+ "itemTitles",
+ "itemWithID:",
+ "itemWithName:",
+ "itemWithName:ofClass:sourceDocument:",
+ "itemWithName:sourceDocument:",
+ "itemWithTag:",
+ "itemWithTitle:",
+ "javaDebuggerName",
+ "javaUsed",
+ "jobDisposition",
+ "jumpSlider:",
+ "jumpToSelection:",
+ "keepBackupFile",
+ "key",
+ "keyBindingManager",
+ "keyBindingManagerForClient:",
+ "keyBindingState",
+ "keyCell",
+ "keyClassDescription",
+ "keyCode",
+ "keyCount",
+ "keyDown:",
+ "keyEnumerator",
+ "keyEquivalent",
+ "keyEquivalentAttributedString",
+ "keyEquivalentFont",
+ "keyEquivalentModifierMask",
+ "keyEquivalentOffset",
+ "keyEquivalentRectForBounds:",
+ "keyEquivalentWidth",
+ "keyEventWithType:location:modifierFlags:timestamp:windowNumber:context:characters:charactersIgnoringModifiers:isARepeat:keyCode:",
+ "keyForFile:",
+ "keyForFileWrapper:",
+ "keyForMailboxPath:",
+ "keyIsSubprojOrBundle:",
+ "keyLimit",
+ "keyPathForBindingKey:",
+ "keySpecifier",
+ "keyUp:",
+ "keyValueBindingForKey:typeMask:",
+ "keyValues",
+ "keyValuesArray",
+ "keyViewSelectionDirection",
+ "keyWindow",
+ "keyWindowFrameHighlightColor",
+ "keyWindowFrameShadowColor",
+ "keyWithAppleEventCode:",
+ "keyboardFocusIndicatorColor",
+ "keys",
+ "keysSortedByValueUsingSelector:",
+ "keywordForDescriptorAtIndex:",
+ "knobColor",
+ "knobProportion",
+ "knobRectFlipped:",
+ "knobThickness",
+ "knownTimeZoneNames",
+ "knowsLastFrame",
+ "knowsLastPosition",
+ "knowsPageRange:",
+ "knowsPagesFirst:last:",
+ "label",
+ "labelFontOfSize:",
+ "labelFontSize",
+ "labelForHeader:",
+ "labelText",
+ "labelTextChanged",
+ "labelledItemChanged",
+ "language",
+ "languageCode",
+ "languageContext",
+ "languageContextWithName:",
+ "languageDir",
+ "languageLevel",
+ "languageName",
+ "languageWithName:",
+ "languagesPrefixesList",
+ "lastAndFirstName",
+ "lastCharacterIndex",
+ "lastChild",
+ "lastColumn",
+ "lastComponentFromRelationshipPath",
+ "lastComponentOfFileName",
+ "lastConversation",
+ "lastError",
+ "lastFileError",
+ "lastFrame",
+ "lastIndex",
+ "lastIndexOfObject:inRange:",
+ "lastItem",
+ "lastMessageDisplayed",
+ "lastName",
+ "lastObject",
+ "lastPathComponent",
+ "lastPosition",
+ "lastResponse",
+ "lastSemanticError",
+ "lastTextContainer",
+ "lastVisibleColumn",
+ "lastmostSelectedRow",
+ "laterDate:",
+ "launch",
+ "launchApplication:",
+ "launchApplication:showIcon:autolaunch:",
+ "launchPath",
+ "launchWithDictionary:",
+ "launchedTaskWithDictionary:",
+ "launchedTaskWithLaunchPath:arguments:",
+ "launchedTaskWithPath:arguments:",
+ "layoutControlGlyphForLineFragment:",
+ "layoutGlyphsInHorizontalLineFragment:baseline:",
+ "layoutGlyphsInLayoutManager:startingAtGlyphIndex:maxNumberOfLineFragments:nextGlyphIndex:",
+ "layoutManager",
+ "layoutManager:didCompleteLayoutForTextContainer:atEnd:",
+ "layoutManager:withOrigin:clickedOnLink:forItem:withRange:",
+ "layoutManagerDidInvalidateLayout:",
+ "layoutManagerOwnsFirstResponderInWindow:",
+ "layoutManagers",
+ "layoutTab",
+ "layoutToolbarMainControlsToConfiguration:",
+ "layoutToolbarWithResponder:toConfiguration:",
+ "lazyBrowserCell",
+ "leadingBlockCharacterLengthWithMap:",
+ "leadingOffset",
+ "learnWord:",
+ "learnWord:language:",
+ "leftIndentMarkerWithRulerView:location:",
+ "leftKey",
+ "leftMargin",
+ "leftMarginMarkerWithRulerView:location:",
+ "leftNeighbor",
+ "leftSibling",
+ "leftTabMarkerWithRulerView:location:",
+ "length",
+ "lengthWithMap:",
+ "letterCharacterSet",
+ "level",
+ "levelForItem:",
+ "levelForRow:",
+ "levelsOfUndo",
+ "lightBorderColor",
+ "lightBorderColorForCell:",
+ "lightGrayColor",
+ "likesChildren",
+ "limitDateForMode:",
+ "lineBreak",
+ "lineBreakBeforeIndex:withinRange:",
+ "lineBreakHandler",
+ "lineBreakInString:beforeIndex:withinRange:useBook:",
+ "lineBreakMode",
+ "lineCapStyle",
+ "lineColor",
+ "lineFragmentPadding",
+ "lineFragmentRectForGlyphAtIndex:effectiveRange:",
+ "lineFragmentRectForProposedRect:sweepDirection:movementDirection:remainingRect:",
+ "lineFragmentUsedRectForGlyphAtIndex:effectiveRange:",
+ "lineJoinStyle",
+ "lineLength",
+ "lineRangeForRange:",
+ "lineScroll",
+ "lineSpacing",
+ "lineToPoint:",
+ "lineWidth",
+ "link:toExisting:",
+ "link:toExisting:replaceOK:",
+ "linkColor",
+ "linkPath:toPath:handler:",
+ "linkState",
+ "linkSwitchChanged:",
+ "linkTrackMouseDown:",
+ "linksTo:",
+ "list",
+ "list:",
+ "listDescriptor",
+ "listDictionary",
+ "listingForMailbox:includeAllChildren:",
+ "load",
+ "loadAddressBooks",
+ "loadAnyNibNamed:owner:",
+ "loadBitmapFileHeader",
+ "loadBitmapInfoHeader",
+ "loadCacheFromFile",
+ "loadCachedImages",
+ "loadCachedInfoFromBytes:",
+ "loadCell:withColor:fromColorList:andText:",
+ "loadClass:",
+ "loadColorListNamed:fromFile:",
+ "loadColumnZero",
+ "loadDataRepresentation:ofType:",
+ "loadDisplayGrammar",
+ "loadEditableAddressBooks",
+ "loadEditingGrammar",
+ "loadFamilyNames",
+ "loadFileWrapperRepresentation:ofType:",
+ "loadFindStringFromPasteboard",
+ "loadFindStringToPasteboard",
+ "loadFromPath:encoding:ignoreRTF:ignoreHTML:",
+ "loadImage:",
+ "loadImageHeader",
+ "loadImageWithName:",
+ "loadInBackground",
+ "loadInForeground",
+ "loadLibrary:",
+ "loadMessageAsynchronously:",
+ "loadMovieFromFile:",
+ "loadMovieFromURL:",
+ "loadNib",
+ "loadNibFile:externalNameTable:withZone:",
+ "loadNibNamed:owner:",
+ "loadPrinters:",
+ "loadRegistry",
+ "loadResourceDataNotifyingClient:usingCache:",
+ "loadRulebook:",
+ "loadSoundWithName:",
+ "loadStandardAddressBooks",
+ "loadStandardAddressBooksWithOptions:",
+ "loadStylesFromDefaults",
+ "loadSuiteWithDictionary:fromBundle:",
+ "loadSuitesFromBundle:",
+ "loadUI",
+ "loadUserInfoCacheStartingFromPath:",
+ "loadWindow",
+ "loadedBundles",
+ "loadedCellAtRow:column:",
+ "localAccount",
+ "localFiles",
+ "localLibraryDirectory",
+ "localObjects",
+ "localProjectDidSave:",
+ "localProxies",
+ "localTimeZone",
+ "locale",
+ "localizableKeys",
+ "localizations",
+ "localizedCaseInsensitiveCompare:",
+ "localizedCatalogNameComponent",
+ "localizedColorNameComponent",
+ "localizedCompare:",
+ "localizedHelpString:",
+ "localizedInputManagerName",
+ "localizedNameForFamily:face:",
+ "localizedNameForTIFFCompressionType:",
+ "localizedNameOfStringEncoding:",
+ "localizedScannerWithString:",
+ "localizedStringForKey:value:table:",
+ "localizedStringWithFormat:",
+ "localizesFormat",
+ "location",
+ "locationForGlyphAtIndex:",
+ "locationForSubmenu:",
+ "locationInParentWithMap:",
+ "locationInWindow",
+ "locationOfPrintRect:",
+ "locationWithMap:",
+ "lock",
+ "lockBeforeDate:",
+ "lockDate",
+ "lockFocus",
+ "lockFocusForView:inRect:needsTranslation:",
+ "lockFocusIfCanDraw",
+ "lockFocusOnRepresentation:",
+ "lockForReading",
+ "lockForReadingWithExceptionHandler:",
+ "lockForWriting",
+ "lockObject:",
+ "lockObjectWithGlobalID:editingContext:",
+ "lockWhenCondition:",
+ "lockWhenCondition:beforeDate:",
+ "lockWithPath:",
+ "lockedAttributedStringFromRTFDFile:",
+ "lockedWriteRTFDToFile:atomically:",
+ "locksObjects",
+ "locksObjectsBeforeFirstModification",
+ "logCommandBegin:string:",
+ "logCommandEnd:",
+ "logCopy",
+ "logRead",
+ "logResponse:",
+ "logWhitespaceError:",
+ "logWrite",
+ "login:password:errorString:",
+ "logout",
+ "longForKey:",
+ "longLongValue",
+ "longMonthNames",
+ "longValue",
+ "longWeekdayNames",
+ "lookup:",
+ "lookupAbsolute:",
+ "lookupAddressBookWithPath:",
+ "lookupInode:",
+ "lookupMakeVariable:",
+ "lookupPathForShortName:andProject:",
+ "lookupProjectsForAbsolutePath:",
+ "lookupProjectsForRelativePath:",
+ "lookupProjectsForShortName:",
+ "loopMode",
+ "loosenKerning:",
+ "lossyCString",
+ "lowerBaseline:",
+ "lowerThreadPriority",
+ "lowercaseLetterCharacterSet",
+ "lowercaseSelfWithLocale:",
+ "lowercaseString",
+ "lowercaseStringWithLanguage:",
+ "lowercaseWord:",
+ "mTime",
+ "machPort",
+ "magentaColor",
+ "magentaComponent",
+ "mailAccountDirectory",
+ "mailAccounts",
+ "mailAttributedString:",
+ "mailDocument:",
+ "mailDocument:userData:error:",
+ "mailFrom:",
+ "mailSelection:userData:error:",
+ "mailTo:userData:error:",
+ "mailboxListingDidChange:",
+ "mailboxListingIsShowing",
+ "mailboxName",
+ "mailboxNameFromPath:",
+ "mailboxPathExtension",
+ "mailboxSelected:",
+ "mailboxSelectionChanged:",
+ "mailboxSelectionOwner",
+ "mailboxSelectionOwnerFromSender:",
+ "mailboxes",
+ "mailboxesController",
+ "mailerPath",
+ "mainBodyPart",
+ "mainBundle",
+ "mainInfoTable",
+ "mainMenu",
+ "mainNibFileForOSType:",
+ "mainScreen",
+ "mainWindow",
+ "mainWindowFrameColor",
+ "mainWindowFrameHighlightColor",
+ "mainWindowFrameShadowColor",
+ "maintainsFile:",
+ "makeCellAtRow:column:",
+ "makeCharacterSetCompact",
+ "makeCharacterSetFast",
+ "makeCompletePath:mode:",
+ "makeConsistentWithTree:",
+ "makeCurrentContext",
+ "makeCurrentEditorInvisible",
+ "makeDirectoryWithMode:",
+ "makeDocumentWithContentsOfFile:ofType:",
+ "makeDocumentWithContentsOfURL:ofType:",
+ "makeEnvironment",
+ "makeFile:localizable:",
+ "makeFile:public:",
+ "makeFirstResponder:",
+ "makeIdentity",
+ "makeImmutable",
+ "makeKeyAndOrderFront:",
+ "makeKeyWindow",
+ "makeMainWindow",
+ "makeMatrixIndirect:",
+ "makeMimeBoundary",
+ "makeNewConnection:sender:",
+ "makeObject:performOnewaySelectorInMainThread:withObject:",
+ "makeObject:performSelectorInMainThread:withObject:",
+ "makeObject:performSelectorInMainThread:withObject:withObject:",
+ "makeObjectIntoFault:withHandler:",
+ "makeObjectsPerform:",
+ "makeObjectsPerform:with:",
+ "makeObjectsPerform:withObject:",
+ "makeObjectsPerformSelector:",
+ "makeObjectsPerformSelector:withObject:",
+ "makeObjectsPerformSelector:withObject:withObject:",
+ "makePlainText:",
+ "makeReceiver:takeValue:",
+ "makeToolbarControllerInBox:",
+ "makeUniqueAttachmentNamed:inDirectory:",
+ "makeUniqueAttachmentNamed:withExtension:inDirectory:",
+ "makeUniqueFilePath",
+ "makeUniqueTemporaryAttachmentInDirectory:",
+ "makeUntitledDocumentOfType:",
+ "makeVarForKey:",
+ "makeWindowControllers",
+ "makeWindowsPerform:inOrder:",
+ "makefileDir",
+ "makefileDirectory",
+ "manager",
+ "mapConversationToThread:",
+ "mapForClass:",
+ "mappedLength",
+ "mapping",
+ "mappingSize",
+ "marginColor",
+ "marginFloat",
+ "marginHeight",
+ "marginWidth",
+ "marginsChanged",
+ "markAsRead:",
+ "markAsUnread:",
+ "markAtomicEvent:info:",
+ "markAtomicWithInfo:",
+ "markBegin",
+ "markEnd",
+ "markEndOfEvent:",
+ "markStartOfEvent:info:",
+ "markStartWithInfo:",
+ "markedItemEditingIvarsCreateIfAbsent",
+ "markedItemEditingIvarsNullIfAbsent",
+ "markedItemEditingIvarsRaiseIfAbsent",
+ "markedRange",
+ "markedTextAbandoned:",
+ "markedTextAttributes",
+ "markedTextSelectionChanged:client:",
+ "marker",
+ "markerCasingPolicy",
+ "markerLocation",
+ "markerName",
+ "markers",
+ "maskUsingBom:",
+ "maskUsingPatternList:",
+ "masterClassDescription",
+ "masterDataSource",
+ "masterObject",
+ "match:pattern:",
+ "matchedRangeForCString:range:subexpressionRanges:count:",
+ "matchedRangeForString:range:subexpressionRanges:count:",
+ "matchesAppleEventCode:",
+ "matchesOnMultipleResolution",
+ "matchesPattern:",
+ "matchesPattern:caseInsensitive:",
+ "matchesTextStyle:",
+ "matchingAddressReferenceAtIndex:",
+ "matrix",
+ "matrix:didDragCell:fromIndex:toIndex:",
+ "matrix:shouldDragCell:fromIndex:toMinIndex:maxIndex:",
+ "matrixClass",
+ "matrixInColumn:",
+ "max",
+ "maxContentSize",
+ "maxHeight",
+ "maxLength",
+ "maxSize",
+ "maxUserData",
+ "maxValue",
+ "maxVisibleColumns",
+ "maxWidth",
+ "maximum",
+ "maximumAdvancement",
+ "maximumDecimalNumber",
+ "maximumKilobytes",
+ "maximumLineHeight",
+ "maximumWidth",
+ "mboxIndexForStore:",
+ "mboxIndexForStore:create:",
+ "mboxRange",
+ "measureRenderedText",
+ "measurementUnits",
+ "mediaBox",
+ "member:",
+ "memberOfClass:",
+ "members:notFoundMarker:",
+ "menu",
+ "menuBarHeight",
+ "menuChanged:",
+ "menuChangedMessagesEnabled",
+ "menuClassName",
+ "menuFontOfSize:",
+ "menuForEvent:",
+ "menuForEvent:inFrame:",
+ "menuForEvent:inRect:ofView:",
+ "menuForItem:",
+ "menuForNoItem",
+ "menuItem",
+ "menuItemCellForItemAtIndex:",
+ "menuRepresentation",
+ "menuToolbarAction:",
+ "menuView",
+ "menuZone",
+ "mergeAllBomsIn:",
+ "mergeBom:",
+ "mergeCells:",
+ "mergeInto:",
+ "mergeInto:usingPatternList:",
+ "mergeMessages:intoArray:attributes:",
+ "mergeSubkeysIntoKeys",
+ "mergeTextTranslatingSelection:",
+ "mergeableCells:withCollectiveBoundsRow:column:rowSpan:columnSpan:",
+ "mergeableCellsContainingCells:",
+ "mergeableKeys",
+ "message",
+ "messageBody",
+ "messageCaching",
+ "messageContents",
+ "messageContentsForInitialText:",
+ "messageData",
+ "messageEditor",
+ "messageEditorClass",
+ "messageEditors",
+ "messageFlags",
+ "messageFlagsChanged:",
+ "messageFlagsDidChange:flags:",
+ "messageFontOfSize:",
+ "messageForMessageID:",
+ "messageHandler",
+ "messageID",
+ "messageIDForSender:subject:dateAsTimeInterval:",
+ "messageInStore:",
+ "messageSize",
+ "messageStore",
+ "messageTextView",
+ "messageType",
+ "messageViewText",
+ "messageWasDisplayedInTextView:",
+ "messageWasSelected:",
+ "messageWidthForMessage:",
+ "messageWillBeDelivered:",
+ "messageWillBeDisplayedInView:",
+ "messageWillBeSaved:",
+ "messageWillNoLongerBeDisplayedInView:",
+ "messageWithData:",
+ "messageWithHeaders:flags:size:uid:",
+ "messages",
+ "messagesAvailable",
+ "messagesFilteredUsingAttributes:",
+ "messagesInStore:containingString:ranks:booleanSearch:errorString:",
+ "messagesWereExpunged:",
+ "method",
+ "methodArgSize:",
+ "methodDescFor:",
+ "methodDescriptionForSelector:",
+ "methodFor:",
+ "methodForSelector:",
+ "methodReturnLength",
+ "methodReturnType",
+ "methodSignature",
+ "methodSignatureForSelector:",
+ "methodSignatureForSelector:forFault:",
+ "metrics",
+ "microsecondOfSecond",
+ "mimeBodyPart",
+ "mimeBodyPartForAttachment",
+ "mimeCharsetTagFromStringEncoding:",
+ "mimeHeaderForKey:",
+ "mimeParameterForKey:",
+ "mimeSubtype",
+ "mimeType",
+ "minColumnWidth",
+ "minContentSize",
+ "minContentSizeForMinFrameSize:styleMask:",
+ "minFrameSize",
+ "minFrameSizeForMinContentSize:styleMask:",
+ "minFrameWidthWithTitle:styleMask:",
+ "minSize",
+ "minValue",
+ "minWidth",
+ "miniaturize:",
+ "miniaturizeAll:",
+ "miniaturizedSize",
+ "minimizeButton",
+ "minimum",
+ "minimumDecimalNumber",
+ "minimumHeightForWidth:",
+ "minimumLineHeight",
+ "minimumSize",
+ "minimumWidth",
+ "miniwindowImage",
+ "miniwindowTitle",
+ "minusSet:",
+ "minuteOfHour",
+ "miscChanged:",
+ "mismatchError:",
+ "missingAttachmentString",
+ "miterLimit",
+ "mixedStateImage",
+ "mnemonic",
+ "mnemonicLocation",
+ "modalWindow",
+ "mode",
+ "modeButton",
+ "modifierFlags",
+ "modifyFont:",
+ "modifyFontTrait:",
+ "modifyFontViaPanel:",
+ "modifyGrammarToAllow:asAChildOf:",
+ "moduleName",
+ "monitor",
+ "monitorTextStorageDidProcessEditing",
+ "monthOfYear",
+ "mostCompatibleStringEncoding",
+ "mountNewRemovableMedia",
+ "mountPoint",
+ "mounted:",
+ "mountedRemovableMedia",
+ "mouse:inRect:",
+ "mouseDown:",
+ "mouseDownFlags",
+ "mouseDownOnCharacterIndex:atCoordinate:withModifier:client:",
+ "mouseDragged:",
+ "mouseDraggedOnCharacterIndex:atCoordinate:withModifier:client:",
+ "mouseEntered",
+ "mouseEntered:",
+ "mouseEventWithType:location:modifierFlags:timestamp:windowNumber:context:eventNumber:clickCount:pressure:",
+ "mouseExited",
+ "mouseExited:",
+ "mouseLocation",
+ "mouseLocationOutsideOfEventStream",
+ "mouseMoved:",
+ "mouseMoved:inFrame:",
+ "mouseMoved:insideLink:atIndex:ofLayoutManager:givenOrigin:lastEnteredCell:pushedFinger:",
+ "mouseTrack:",
+ "mouseTracker:constrainPoint:withEvent:",
+ "mouseTracker:didStopTrackingWithEvent:",
+ "mouseTracker:handlePeriodicEvent:",
+ "mouseTracker:shouldContinueTrackingWithEvent:",
+ "mouseTracker:shouldStartTrackingWithEvent:",
+ "mouseUp:",
+ "mouseUpOnCharacterIndex:atCoordinate:withModifier:client:",
+ "moveBackward:",
+ "moveBackwardAndModifySelection:",
+ "moveColumn:toColumn:",
+ "moveColumnDividerAtIndex:byDelta:",
+ "moveDown:",
+ "moveDownAndModifySelection:",
+ "moveForward:",
+ "moveForwardAndModifySelection:",
+ "moveImage:",
+ "moveLeft:",
+ "moveParagraphBackwardAndModifySelection:",
+ "moveParagraphForwardAndModifySelection:",
+ "movePath:toPath:handler:",
+ "moveRight:",
+ "moveRowDividerAtIndex:byDelta:",
+ "moveRulerlineFromLocation:toLocation:",
+ "moveToBeginningOfDocument:",
+ "moveToBeginningOfDocumentAndModifySelection:",
+ "moveToBeginningOfLine:",
+ "moveToBeginningOfLineAndModifySelection:",
+ "moveToBeginningOfParagraph:",
+ "moveToBeginningOfParagraphAndModifySelection:",
+ "moveToEndOfDocument:",
+ "moveToEndOfDocumentAndModifySelection:",
+ "moveToEndOfLine:",
+ "moveToEndOfLineAndModifySelection:",
+ "moveToEndOfParagraph:",
+ "moveToEndOfParagraphAndModifySelection:",
+ "moveToPoint:",
+ "moveUp:",
+ "moveUpAndModifySelection:",
+ "moveWordBackward:",
+ "moveWordBackwardAndModifySelection:",
+ "moveWordForward:",
+ "moveWordForwardAndModifySelection:",
+ "movie",
+ "movieController",
+ "movieRect",
+ "movieUnfilteredFileTypes",
+ "movieUnfilteredPasteboardTypes",
+ "msgPrint:ok:",
+ "msgid",
+ "multiple",
+ "multipleThreadsEnabled",
+ "mutableAttributedString",
+ "mutableAttributes",
+ "mutableBytes",
+ "mutableCopy",
+ "mutableCopyOfMailAccounts",
+ "mutableCopyOfSignatures",
+ "mutableCopyOfSortRules",
+ "mutableCopyWithZone:",
+ "mutableData",
+ "mutableDictionary",
+ "mutableHeaders",
+ "mutableLocalFiles",
+ "mutableString",
+ "mutableSubstringFromRange:",
+ "myStatusOf:",
+ "mysteryIcon",
+ "name",
+ "nameForFetchSpecification:",
+ "nameFromPath:extra:",
+ "nameOfGlyph:",
+ "names",
+ "needsDisplay",
+ "needsLeadingBlockCharacters",
+ "needsPanelToBecomeKey",
+ "needsSizing",
+ "needsToBeUpdatedFromPath:",
+ "needsTrailingBlockCharacters",
+ "needsUpdate",
+ "negativeFormat",
+ "nestingLevel",
+ "new",
+ "new:firstIndirectType:",
+ "newAccountWithPath:",
+ "newAltText:",
+ "newAnchorValue:",
+ "newAttachmentCell",
+ "newAttributeDictionary",
+ "newBagByAddingObject:",
+ "newBagWithObject:object:",
+ "newBaseURL:",
+ "newBkgdColorOrTexture:",
+ "newBorder:",
+ "newCloseButton",
+ "newCodeURL:",
+ "newColSize:",
+ "newColor:",
+ "newComposeWindowWithHeaders:body:",
+ "newConversation",
+ "newConversionFactor",
+ "newCount:",
+ "newCount:elementSize:description:",
+ "newDefaultInstance",
+ "newDefaultRenderingState",
+ "newDictionaryFromDictionary:subsetMapping:zone:",
+ "newDisplayEngine",
+ "newDistantObjectWithCoder:",
+ "newDocument:",
+ "newDocumentType:",
+ "newEditingEngine",
+ "newEventOfClass:type:",
+ "newFileButton",
+ "newFlipped:",
+ "newFolder:",
+ "newFolderAtCurrentUsingFormString:",
+ "newHeight:",
+ "newImageSource:",
+ "newIndexInfoForItem:",
+ "newInputOfType:",
+ "newInstanceWithKeyCount:sourceDescription:destinationDescription:zone:",
+ "newInvocationWithCoder:",
+ "newInvocationWithMethodSignature:",
+ "newLinkValue:",
+ "newList:",
+ "newMailHasArrived:",
+ "newMailSoundDidChange:",
+ "newMailbox:",
+ "newMailboxFromParent:",
+ "newMailboxNameIsAcceptable:reasonForFailure:",
+ "newMaxLength:",
+ "newMessagesHaveArrived:total:",
+ "newMiniaturizeButton",
+ "newName:",
+ "newNumberOfRows:",
+ "newParagraphStyle:",
+ "newReferenceType:",
+ "newRootRenderingState",
+ "newRootRenderingStateWithMeasuring:",
+ "newRowSize:",
+ "newScaleFactor:",
+ "newSingleWindowModeButton",
+ "newSize:",
+ "newSizeType:",
+ "newStateForItem:",
+ "newStringForHTMLEncodedAttribute",
+ "newStringForHTMLEncodedString",
+ "newTextColor:",
+ "newTitle:",
+ "newType:",
+ "newType:data:firstIndirectType:",
+ "newUrl:",
+ "newValue:",
+ "newWidth:",
+ "newWithCoder:zone:",
+ "newWithDictionary:",
+ "newWithInitializer:",
+ "newWithInitializer:objects:zone:",
+ "newWithInitializer:zone:",
+ "newWithKey:object:",
+ "newWithKeyArray:",
+ "newWithKeyArray:zone:",
+ "newWithMessage:",
+ "newWithPath:prepend:attributes:cross:",
+ "newZoomButton",
+ "next",
+ "next:",
+ "nextArg:",
+ "nextAttribute:fromLocation:effectiveRange:",
+ "nextEventForWindow:",
+ "nextEventMatchingMask:",
+ "nextEventMatchingMask:untilDate:inMode:dequeue:",
+ "nextFieldFromItem:",
+ "nextInode:",
+ "nextKeyView",
+ "nextObject",
+ "nextPath:skipDirs:",
+ "nextResponder",
+ "nextResult",
+ "nextState",
+ "nextTableData",
+ "nextText",
+ "nextToken",
+ "nextTokenAttributes",
+ "nextTokenType",
+ "nextTokenWithPunctuation:",
+ "nextValidKeyView",
+ "nextWordFromIndex:forward:",
+ "nextWordFromSelection:forward:",
+ "nextWordInString:fromIndex:useBook:forward:",
+ "nibFileName",
+ "nibInstantiate",
+ "nibInstantiateWithOwner:",
+ "nibInstantiateWithOwner:topLevelObjects:",
+ "nilEnabledValueForKey:",
+ "noHref",
+ "noResize",
+ "noResponderFor:",
+ "node",
+ "node:_adaptChildren:barringMarker:",
+ "node:acceptsChild:withAdaptation:",
+ "node:acceptsChildren:withAdaptation:",
+ "node:adaptChild:",
+ "node:adaptChildren:",
+ "node:adaptNode:overChildren:",
+ "node:addAdaptedChild:",
+ "node:canInsertAdaptedChild:",
+ "node:canInsertAdaptedChildren:",
+ "node:flattenChildAdaptingChildren:",
+ "node:insertAdaptedChild:atIndex:",
+ "node:insertAdaptedChildren:atIndex:",
+ "nodeEditingIvarsCreateIfAbsent",
+ "nodeEditingIvarsNullIfAbsent",
+ "nodeEditingIvarsRaiseIfAbsent",
+ "nodeForMarker:attributes:",
+ "nodePathFromRoot",
+ "nodePathToRoot",
+ "nodeWithObject:",
+ "nonASCIIByteSet",
+ "nonASCIICharacterSet",
+ "nonAggregateRootProject",
+ "nonBaseCharacterSet",
+ "nonBreakingSpaceString",
+ "nonErrorColor",
+ "nonMergeableFiles",
+ "nonProjectExecutableStateDictionaryForPath:",
+ "nonProjectExecutableWithPersistentState:",
+ "nonretainedObjectValue",
+ "nonspacingMarkPriority:",
+ "noop",
+ "noop:",
+ "normalizedRect:",
+ "notANumber",
+ "notActiveWindowFrameColor",
+ "notActiveWindowFrameHighlightColor",
+ "notActiveWindowFrameShadowColor",
+ "notActiveWindowTitlebarTextColor",
+ "notImplemented:",
+ "notShownAttributeForGlyphAtIndex:",
+ "note",
+ "noteChange",
+ "noteCommand:parameter:",
+ "noteFileSystemChanged",
+ "noteFileSystemChanged:",
+ "noteFontCollectionsChanged",
+ "noteFontCollectionsChangedForUser:",
+ "noteFontFavoritesChanged",
+ "noteFontFavoritesChangedForUser:",
+ "noteNewRecentDocument:",
+ "noteNewRecentDocumentURL:",
+ "noteNumberOfItemsChanged",
+ "noteNumberOfRowsChanged",
+ "noteSelectionChanged",
+ "noteUserDefaultsChanged",
+ "notificationCenter",
+ "notificationCenterForType:",
+ "notificationWithName:object:",
+ "notificationWithName:object:userInfo:",
+ "notifyDidChange:",
+ "notifyObjectWhenFinishedExecuting:",
+ "notifyObserversObjectWillChange:",
+ "notifyObserversUpToPriority:",
+ "nowWouldBeAGoodTimeToStartBackgroundSynchronization",
+ "null",
+ "nullDescriptor",
+ "numDesiredBlockReturns",
+ "numberOfAlternatives",
+ "numberOfArguments",
+ "numberOfChildren",
+ "numberOfColumns",
+ "numberOfDaysToKeepTrash",
+ "numberOfFiles",
+ "numberOfFilteredVCards",
+ "numberOfGlyphs",
+ "numberOfImages",
+ "numberOfItems",
+ "numberOfItemsInComboBox:",
+ "numberOfItemsInComboBoxCell:",
+ "numberOfMatchingAddresses",
+ "numberOfOpenDocuments",
+ "numberOfPages",
+ "numberOfPaletteEntries",
+ "numberOfPlanes",
+ "numberOfRows",
+ "numberOfRowsInTableView:",
+ "numberOfSamplesPerPaletteEntry",
+ "numberOfSelectedColumns",
+ "numberOfSelectedRows",
+ "numberOfSetBits",
+ "numberOfSubexpressions",
+ "numberOfTabViewItems",
+ "numberOfTableDatas",
+ "numberOfTickMarks",
+ "numberOfVCards",
+ "numberOfVirtualScreens",
+ "numberOfVisibleColumns",
+ "numberOfVisibleItems",
+ "numberWithBool:",
+ "numberWithChar:",
+ "numberWithDouble:",
+ "numberWithFloat:",
+ "numberWithInt:",
+ "numberWithLong:",
+ "numberWithLongLong:",
+ "numberWithShort:",
+ "numberWithUnsignedChar:",
+ "numberWithUnsignedInt:",
+ "numberWithUnsignedLong:",
+ "numberWithUnsignedLongLong:",
+ "numberWithUnsignedShort:",
+ "objCType",
+ "object",
+ "objectAt:",
+ "objectAtIndex:",
+ "objectAtIndex:effectiveRange:",
+ "objectAtIndex:effectiveRange:runIndex:",
+ "objectAtRunIndex:length:",
+ "objectBeingTested",
+ "objectByTranslatingDescriptor:",
+ "objectDeallocated:",
+ "objectDidCopy:from:to:withData:recursive:wasLink:",
+ "objectEnumerator",
+ "objectExists:",
+ "objectForGlobalID:",
+ "objectForIndex:dictionary:",
+ "objectForKey:",
+ "objectForKey:inDomain:",
+ "objectForServicePath:",
+ "objectForServicePath:app:doLaunch:limitDate:",
+ "objectHasSubFolders:",
+ "objectIsAlias:",
+ "objectIsApplication:",
+ "objectIsContainer:",
+ "objectIsKnown:",
+ "objectIsLeaf:",
+ "objectIsVisible:",
+ "objectNames",
+ "objectSpecifier",
+ "objectSpecifierForComposeMessage:",
+ "objectSpecifierForMessage:",
+ "objectSpecifierForMessageStore:",
+ "objectSpecifierForMessageStorePath:",
+ "objectSpecifierForMessageStoreProxy:",
+ "objectStoreForEntityNamed:",
+ "objectStoreForFetchSpecification:",
+ "objectStoreForGlobalID:",
+ "objectStoreForObject:",
+ "objectValue",
+ "objectValueOfSelectedItem",
+ "objectValues",
+ "objectWillChange:",
+ "objectWillCopy:from:to:withData:replaceOK:makeLinks:recursive:",
+ "objectWithAttributeStringValue:",
+ "objectZone",
+ "objectsAtIndexes:",
+ "objectsByEntityName",
+ "objectsByEntityNameAndFetchSpecificationName",
+ "objectsByEvaluatingSpecifier",
+ "objectsByEvaluatingWithContainers:",
+ "objectsForKeys:notFoundMarker:",
+ "objectsForSourceGlobalID:relationshipName:editingContext:",
+ "objectsWithFetchSpecification:",
+ "objectsWithFetchSpecification:editingContext:",
+ "observerForObject:ofClass:",
+ "observerNotificationSuppressCount",
+ "observerQueue",
+ "observersForObject:",
+ "offStateImage",
+ "offsetBaselineBy:",
+ "offsetForPathToFit",
+ "offsetInFile",
+ "ok:",
+ "okButtonAction:",
+ "okButtonClicked:",
+ "okClicked:",
+ "oldSystemColorWithCoder:",
+ "onStateImage",
+ "one",
+ "oneTimeInit",
+ "opaqueAncestor",
+ "open",
+ "open:",
+ "openAppleMenuItem:",
+ "openAppleScriptConnection",
+ "openAsynchronously",
+ "openAttachmentFromCell:inRect:ofTextView:attachmentDirectory:",
+ "openBlock:atOffset:forLength:",
+ "openDocument:",
+ "openDocumentWithContentsOfFile:display:",
+ "openDocumentWithContentsOfURL:display:",
+ "openDocumentWithPath:encoding:",
+ "openDocumentWithPath:encoding:ignoreRTF:ignoreHTML:",
+ "openEntryNamed:",
+ "openFile:",
+ "openFile:fromImage:at:inView:",
+ "openFile:ok:",
+ "openFile:operation:",
+ "openFile:userData:error:",
+ "openFile:withApplication:",
+ "openFile:withApplication:andDeactivate:",
+ "openFirstDrawer:",
+ "openGLContext",
+ "openInBestDirection",
+ "openInclude:",
+ "openIndex",
+ "openList:",
+ "openOnEdge:",
+ "openPanel",
+ "openPanelSheetDidEnd:returnCode:contextInfo:",
+ "openRange:ofLength:atOffset:forWriting:",
+ "openRecentDocument:",
+ "openRegion:ofLength:atAddress:",
+ "openSavePanelDirectory",
+ "openSelection:userData:error:",
+ "openStore:",
+ "openStore:andMakeKey:",
+ "openStoreAtPath:",
+ "openStoreAtPath:andMakeKey:",
+ "openSynchronously",
+ "openTagIndexForTokenAtIndex:",
+ "openTempFile:",
+ "openTempFile:ok:",
+ "openTexture:",
+ "openUntitled",
+ "openUntitledDocumentOfType:display:",
+ "openUserDictionary:",
+ "openWithApplication",
+ "openWithEncodingAccessory:",
+ "operatingSystem",
+ "operatingSystemName",
+ "operationDidEnd",
+ "operationWillPerformStep:",
+ "operationWillStart:withTitle:andID:",
+ "operatorSelectorForString:",
+ "optimizeForSpace",
+ "optimizeForTime",
+ "optionGroup",
+ "optionSelected:",
+ "optionSetting:",
+ "options",
+ "orangeColor",
+ "order",
+ "orderBack",
+ "orderBack:",
+ "orderFront",
+ "orderFront:",
+ "orderFrontColorPanel:",
+ "orderFrontFindPanel:",
+ "orderFrontFontPanel:",
+ "orderFrontRegardless",
+ "orderFrontStandardAboutPanel:",
+ "orderFrontStandardAboutPanelWithOptions:",
+ "orderOut",
+ "orderOut:",
+ "orderOutCompletionWindow:",
+ "orderOutToolTip",
+ "orderOutToolTipImmediately:",
+ "orderString:range:string:range:flags:",
+ "orderString:string:",
+ "orderString:string:flags:",
+ "orderSurface:relativeTo:",
+ "orderWindow:relativeTo:",
+ "orderedDocuments",
+ "orderedIndex",
+ "orderedWindows",
+ "orderingType",
+ "orientation",
+ "originFromPoint:",
+ "originOffset",
+ "originalMessage",
+ "otherEventWithType:location:modifierFlags:timestamp:windowNumber:context:subtype:data1:data2:",
+ "otherKeys",
+ "otherLinkedOFiles",
+ "otherSourceDirectories",
+ "outdent:",
+ "outdentForListItem:withState:",
+ "outgoingStorePath",
+ "outlineTableColumn",
+ "outlineView:acceptDrop:item:childIndex:",
+ "outlineView:child:ofItem:",
+ "outlineView:isItemExpandable:",
+ "outlineView:itemForPersistentObject:",
+ "outlineView:numberOfChildrenOfItem:",
+ "outlineView:objectValueForTableColumn:byItem:",
+ "outlineView:persistentObjectForItem:",
+ "outlineView:setObjectValue:forTableColumn:byItem:",
+ "outlineView:shouldCollapseAutoExpandedItemsForDeposited:",
+ "outlineView:shouldCollapseItem:",
+ "outlineView:shouldEditTableColumn:item:",
+ "outlineView:shouldExpandItem:",
+ "outlineView:shouldSelectItem:",
+ "outlineView:shouldSelectTableColumn:",
+ "outlineView:validateDrop:proposedItem:proposedChildIndex:",
+ "outlineView:willDisplayCell:forTableColumn:item:",
+ "outlineView:willDisplayOutlineCell:forTableColumn:item:",
+ "outlineView:writeItems:toPasteboard:",
+ "outlineViewColumnDidMove:",
+ "outlineViewColumnDidResize:",
+ "outlineViewDoubleClick:",
+ "outlineViewItemDidCollapse:",
+ "outlineViewItemDidExpand:",
+ "outlineViewItemWillCollapse:",
+ "outlineViewItemWillExpand:",
+ "outlineViewSelectionDidChange:",
+ "outlineViewSelectionIsChanging:",
+ "outlinesWhenSelected",
+ "outliningImageCellWithRepresentedItem:image:",
+ "overdrawSpacesInRect:",
+ "overhead",
+ "overrideEntriesWithObjectsFromDictionary:keys:",
+ "owner",
+ "ownsDestinationObjectsForRelationshipKey:",
+ "ownsGlobalID:",
+ "ownsObject:",
+ "padWithCFString:length:padIndex:",
+ "padding",
+ "paddingAction:",
+ "paddingTextfieldAction:",
+ "pageCount",
+ "pageDown",
+ "pageDown:",
+ "pageDownAndModifySelection:",
+ "pageLayout",
+ "pageOrder",
+ "pageRectForPageNumber:",
+ "pageScroll",
+ "pageSeparatorHeight",
+ "pageSizeForPaper:",
+ "pageUp",
+ "pageUp:",
+ "pageUpAndModifySelection:",
+ "palette",
+ "paletteFontOfSize:",
+ "panel",
+ "panel:compareFilename:with:caseSensitive:",
+ "panel:isValidFilename:",
+ "panel:shouldShowFilename:",
+ "panel:willExpand:",
+ "panelConvertFont:",
+ "paperName",
+ "paperSize",
+ "paragraphSpacing",
+ "paragraphStyle",
+ "paragraphs",
+ "paramDescriptorForKeyword:",
+ "parameterString",
+ "parenSet",
+ "parent",
+ "parentContext",
+ "parentEditor",
+ "parentEvent",
+ "parentFolderForMailboxAtPath:",
+ "parentForItem:",
+ "parentItemRepresentedObjectForMenu:",
+ "parentMarker:mayCloseTag:",
+ "parentObjectStore",
+ "parentOf:",
+ "parentPath",
+ "parentWindow",
+ "parenthesizedStringWithObjects:",
+ "parse:",
+ "parseArgument",
+ "parseCastedValueExpression",
+ "parseData",
+ "parseDictionaryOfKey:value:",
+ "parseError:",
+ "parseExceptionWithName:token:position:length:reason:userStopped:discipline:",
+ "parseKey:",
+ "parseLogicalExpression",
+ "parseLogicalExpression:logicalOp:",
+ "parseLogicalOp",
+ "parseMachMessage:localPort:remotePort:msgid:components:",
+ "parseMetaRuleBody",
+ "parseMetaSyntaxLeafResultShouldBeSkipped:",
+ "parseMetaSyntaxSequence",
+ "parseMyNumber",
+ "parseNegNumber",
+ "parseNil",
+ "parseNotExpression",
+ "parseNumber",
+ "parsePathArray:",
+ "parseQuotedString",
+ "parseRelOpExpression",
+ "parseSeparator",
+ "parseSeparatorEqualTo:",
+ "parseStream",
+ "parseString",
+ "parseSubproject:",
+ "parseSubprojects",
+ "parseSuite:separator:allowOmitLastSeparator:",
+ "parseSuiteOfPairsKey:separator:value:separator:allowOmitLastSeparator:",
+ "parseTokenEqualTo:mask:",
+ "parseTokenWithMask:",
+ "parseUnquotedString",
+ "parseVariable",
+ "parsedGrammarForString:",
+ "parserForData:",
+ "pass:",
+ "passState:throughChildrenOfNode:untilReachingChild:",
+ "password",
+ "password:",
+ "password:ignorePreviousSettings:",
+ "passwordFromStoredUserInfo",
+ "passwordPanelCancel:",
+ "passwordPanelOK:",
+ "passwordWithoutAskingUser",
+ "paste:",
+ "pasteAsPlainText:",
+ "pasteAsQuotation:",
+ "pasteAsRichText:",
+ "pasteFont:",
+ "pasteImageNamed:",
+ "pasteItemUpdate:",
+ "pasteItems:withPath:isPlainText:",
+ "pasteRuler:",
+ "pasteboard:provideDataForType:",
+ "pasteboardByFilteringData:ofType:",
+ "pasteboardByFilteringFile:",
+ "pasteboardByFilteringTypesInPasteboard:",
+ "pasteboardChangedOwner:",
+ "pasteboardDataRepresentation",
+ "pasteboardString:isTableRow:isTableData:isCaption:",
+ "pasteboardWithName:",
+ "pasteboardWithUniqueName",
+ "path",
+ "pathArrayFromNode:",
+ "pathAt:",
+ "pathComponents",
+ "pathContentOfSymbolicLinkAtPath:",
+ "pathExtension",
+ "pathForAuxiliaryExecutable:",
+ "pathForFile:",
+ "pathForFrameworkNamed:",
+ "pathForImageResource:",
+ "pathForIndexInStore:",
+ "pathForLibraryResource:type:directory:",
+ "pathForProjectTypeWithName:",
+ "pathForResource:ofType:",
+ "pathForResource:ofType:inDirectory:",
+ "pathForResource:ofType:inDirectory:forLanguage:",
+ "pathForResource:ofType:inDirectory:forLocalization:",
+ "pathForSoundResource:",
+ "pathHasMailboxExtension:",
+ "pathItemForPoint:",
+ "pathName",
+ "pathRelativeToProject:",
+ "pathSeparator",
+ "pathStoreWithCharacters:length:",
+ "pathToColumn:",
+ "pathToObjectWithName:",
+ "pathView",
+ "pathViewClass",
+ "pathWithComponents:",
+ "pathWithDirectory:filename:extension:",
+ "pathsCount",
+ "pathsForProjectNamed:",
+ "pathsForResourcesOfType:inDirectory:",
+ "pathsForResourcesOfType:inDirectory:forLanguage:",
+ "pathsForResourcesOfType:inDirectory:forLocalization:",
+ "pathsMatchingExtensions:",
+ "patternImage",
+ "pause",
+ "peekNextToken",
+ "peekNextTokenType",
+ "peekTokenType",
+ "peekTokenWithMask:",
+ "pendDeliverySheetDidEnd:returnCode:contextInfo:",
+ "pendingDeliveryMailboxPath",
+ "pendingDeliveryStore:",
+ "percentDone",
+ "perceptualBrightness",
+ "perform:",
+ "perform:with:",
+ "perform:with:with:",
+ "perform:withEachObjectInArray:",
+ "perform:withObject:",
+ "perform:withObject:withObject:",
+ "performActionFlashForItemAtIndex:",
+ "performActionForItemAtIndex:",
+ "performActionWithHighlightingForItemAtIndex:",
+ "performBruteForceSearchWithString:",
+ "performChanges",
+ "performClick:",
+ "performClick:withTextView:",
+ "performClickWithFrame:inView:",
+ "performClose:",
+ "performDefaultImplementation",
+ "performDoubleActionWithEvent:textView:frame:",
+ "performDragOperation:",
+ "performFileOperation:source:destination:files:tag:",
+ "performFunction:modes:activity:",
+ "performKeyEquivalent:",
+ "performMiniaturize:",
+ "performMnemonic:",
+ "performOneway:result:withTarget:selector:",
+ "performPendedOperations",
+ "performSearch:",
+ "performSearchInStore:forString:ranks:booleanSearch:errorString:",
+ "performSelector:",
+ "performSelector:object:afterDelay:",
+ "performSelector:target:argument:order:modes:",
+ "performSelector:withEachObjectInArray:",
+ "performSelector:withObject:",
+ "performSelector:withObject:afterDelay:",
+ "performSelector:withObject:afterDelay:inModes:",
+ "performSelector:withObject:withObject:",
+ "performSelectorReturningUnsigned:",
+ "performSelectorReturningUnsigned:withObject:",
+ "performSelectorReturningUnsigned:withObject:withObject:",
+ "performSingleActionWithEvent:textView:frame:",
+ "performUpdateWithResponder:",
+ "performZoom:",
+ "performv::",
+ "permissibleDraggedFileTypes",
+ "persistentDomainForName:",
+ "persistentDomainNames",
+ "personalizeRenderingState:copyIfChanging:",
+ "pickedAllPages:",
+ "pickedButton:",
+ "pickedFeature:",
+ "pickedLayoutList:",
+ "pickedList:",
+ "pickedOrientation:",
+ "pickedPaperSize:",
+ "pickedPrinter:",
+ "pickedUnits:",
+ "pickle",
+ "pickleAndReopen:",
+ "pictFrame",
+ "pipe",
+ "pixelFormat",
+ "pixelsHigh",
+ "pixelsWide",
+ "placeButtons:firstWidth:secondWidth:thirdWidth:",
+ "placeView:",
+ "placementViewFrameChanged:",
+ "plainTextValue",
+ "play",
+ "playsEveryFrame",
+ "playsSelectionOnly",
+ "pointSize",
+ "pointSizeForHTMLFontSize:",
+ "pointValue",
+ "pointerToElement:directlyAccessibleElements:",
+ "pointerValue",
+ "polarity",
+ "poolCountHighWaterMark",
+ "poolCountHighWaterResolution",
+ "pop",
+ "pop3ClientVersion",
+ "popAndInvoke",
+ "popBundleForImageSearch",
+ "popCommand:",
+ "popCommands:pushCommands:",
+ "popPassword",
+ "popSpoolDirectory",
+ "popTopView",
+ "popUndoObject",
+ "popUp:",
+ "popUpContextMenu:withEvent:forView:",
+ "popUpMenu:atLocation:width:forView:withSelectedItem:withFont:",
+ "populateMailboxListing",
+ "populateReplyEvent:withResult:errorNumber:errorDescription:",
+ "port",
+ "portCoderWithReceivePort:sendPort:components:",
+ "portForName:",
+ "portForName:host:",
+ "portForName:host:nameServerPortNumber:",
+ "portForName:onHost:",
+ "portNumber",
+ "portWithMachPort:",
+ "portalDied:",
+ "portsForMode:",
+ "poseAs:",
+ "poseAsClass:",
+ "positionForSingleWindowMode",
+ "positionOfGlyph:forCharacter:struckOverRect:",
+ "positionOfGlyph:precededByGlyph:isNominal:",
+ "positionOfGlyph:struckOverGlyph:metricsExist:",
+ "positionOfGlyph:struckOverRect:metricsExist:",
+ "positionOfGlyph:withRelation:toBaseGlyph:totalAdvancement:metricsExist:",
+ "positionPopupAction:",
+ "positionRadioAction:",
+ "positionSingleWindow:",
+ "positionsForCompositeSequence:numberOfGlyphs:pointArray:",
+ "positiveFormat",
+ "positivePassDirection",
+ "postActivityFinished",
+ "postActivityStarting",
+ "postDrawAllInRect:htmlTextView:",
+ "postDrawInRect:htmlTextView:",
+ "postEvent:atStart:",
+ "postInspectionRefresh:",
+ "postMailboxListingHasChangedAtPath:",
+ "postNotification:",
+ "postNotificationInMainThread:",
+ "postNotificationName:object:",
+ "postNotificationName:object:userInfo:",
+ "postNotificationName:object:userInfo:deliverImmediately:",
+ "postNotificationName:object:userInfo:flags:",
+ "postParseProcess",
+ "postUserInfoHasChangedForMailboxAtPath:",
+ "postsBoundsChangedNotifications",
+ "postsFrameChangedNotifications",
+ "postscriptForKey:withValue:",
+ "potentialSaveDirectory",
+ "powerOffIn:andSave:",
+ "pramValue",
+ "precededBySpaceCharacter",
+ "precededByWhitespace",
+ "preferenceChanged:",
+ "preferences",
+ "preferencesChanged:",
+ "preferencesContentSize",
+ "preferencesFromDefaults",
+ "preferencesNibName",
+ "preferencesOwnerClassName",
+ "preferencesPanelName",
+ "preferredAlternative",
+ "preferredBodyPart",
+ "preferredEdge",
+ "preferredEmailAddressToReplyWith",
+ "preferredFilename",
+ "preferredFontNames",
+ "preferredLocalizations",
+ "preferredLocalizationsFromArray:",
+ "preferredMIMEStringEncoding",
+ "preferredPasteboardTypeFromArray:restrictedToTypesFromArray:",
+ "prefersColorMatch",
+ "prefersTrackingUntilMouseUp",
+ "prefetchingRelationshipKeyPaths",
+ "prefixForLiteralStringOfSize:",
+ "prefixString:withLanguageType:",
+ "prefixString:withOSType:",
+ "prefixWithDelimiter:",
+ "preflightSelection:",
+ "prepareAttachmentForUuencoding",
+ "prepareForDragOperation:",
+ "prepareForSaveWithCoordinator:editingContext:",
+ "prepareGState",
+ "prepareSavePanel:",
+ "prepareToDeliver",
+ "prepareWithInvocationTarget:",
+ "prependTransform:",
+ "preserveSelectionToGUIView:",
+ "preserveSelectionToRawViewWithSelection:",
+ "pressure",
+ "prettyTextForMarkerText:",
+ "prettyprintChanges",
+ "prettyprintedSubstringForTokenRange:wrappingAtColumn:translatingRange:",
+ "preventWindowOrdering",
+ "previousEvent",
+ "previousFieldFromItem:",
+ "previousKeyView",
+ "previousPoint",
+ "previousText",
+ "previousToken",
+ "previousValidKeyView",
+ "primaryEmailAddress",
+ "primaryMessageStore",
+ "primaryMessageStorePath",
+ "principalClass",
+ "print",
+ "print:",
+ "printButtonChanged:",
+ "printDocument:",
+ "printDocumentUsingPrintPanel:",
+ "printFile:ok:",
+ "printForArchitecture:",
+ "printForDebugger:",
+ "printFormat:",
+ "printFormat:arguments:",
+ "printInfo",
+ "printJobTitle",
+ "printMessage:",
+ "printMessages:showAllHeaders:",
+ "printOperationWithView:",
+ "printOperationWithView:printInfo:",
+ "printPanel",
+ "printProjectHierarchy:",
+ "printShowingPrintPanel:",
+ "printWithoutDate",
+ "printWithoutDateForArchitecture:",
+ "printer",
+ "printerFont",
+ "printerNames",
+ "printerTypes",
+ "printerWithName:",
+ "printerWithName:includeUnavailable:",
+ "printerWithType:",
+ "printingAdjustmentInLayoutManager:forNominallySpacedGlyphRange:packedGlyphs:count:",
+ "priority",
+ "priorityForFlavor:",
+ "privateFrameworksPath",
+ "processBooleanSearchString:",
+ "processCommand:",
+ "processCommand:argument:",
+ "processEditing",
+ "processIdentifier",
+ "processInfo",
+ "processInputKeyBindings:",
+ "processKeyword:option:keyTran:arg:argTran:",
+ "processKeyword:option:keyTran:arg:argTran:quotedArg:",
+ "processName",
+ "processParsingError",
+ "processRecentChanges",
+ "processString:",
+ "processType:file:isDir:",
+ "progressIndicatorColor",
+ "progressPanel",
+ "project",
+ "projectDidSaveToPath:",
+ "projectDir",
+ "projectFileName",
+ "projectForCanonicalFile:",
+ "projectHasAttribute:",
+ "projectIsLoaded:",
+ "projectName",
+ "projectSaveTimeout:",
+ "projectType",
+ "projectTypeList",
+ "projectTypeName",
+ "projectTypeNamed:",
+ "projectTypeSearchArray",
+ "projectTypeTableWithName:",
+ "projectTypeTableWithPath:name:",
+ "projectTypeVersion",
+ "projectTypes",
+ "projectVersion",
+ "projectsContainingSourceFile:",
+ "prologueLengthWithMap:",
+ "prompt",
+ "promptsAfterFetchLimit",
+ "promulgateSelection:",
+ "propagateDeleteForObject:editingContext:",
+ "propagateDeleteWithEditingContext:",
+ "propagateDeletesUsingTable:",
+ "propagateFrameDirtyRects:",
+ "propagatesDeletesAtEndOfEvent",
+ "propertiesForObjectWithGlobalID:editingContext:",
+ "propertyForKey:",
+ "propertyForKeyIfAvailable:",
+ "propertyList",
+ "propertyListForType:",
+ "propertyListFromStringsFileFormat",
+ "propertyTableAtIndex:",
+ "propertyTableCount",
+ "protocol",
+ "protocolCheckerWithTarget:protocol:",
+ "protocolFamily",
+ "prototype",
+ "provideNewButtonImage",
+ "provideNewSubview:",
+ "provideNewView:",
+ "providerRespondingToSelector:",
+ "proxyDrawnWithFrame:needingRedrawOnResign:",
+ "proxyForFontInfoServer",
+ "proxyForObject:",
+ "proxyForRulebookServer",
+ "proxyWithLocal:",
+ "proxyWithLocal:connection:",
+ "proxyWithTarget:connection:",
+ "pullContentFromDocument:",
+ "pullsDown",
+ "punctuationCharacterSet",
+ "punctuationSet",
+ "purpleColor",
+ "push",
+ "push:",
+ "pushAttribute:value:range:",
+ "pushBundleForImageSearch:",
+ "pushCommand:",
+ "pushCommand:parameter:",
+ "pushContentToDocument:",
+ "pushOrPopCommand:arg:",
+ "pushOrPopCommand:parameter:",
+ "pushPathsToBackingStore",
+ "put::",
+ "putByte:",
+ "putCell:atRow:column:",
+ "putLELong:",
+ "putLEWord:",
+ "qdCreatePortForWindow:",
+ "qdPort",
+ "qsortUsingFunction:",
+ "qualifier",
+ "qualifierForLogicalOp:qualifierArray:",
+ "qualifierRepresentation",
+ "qualifierToMatchAllValues:",
+ "qualifierToMatchAnyValue:",
+ "qualifierWithBindings:requiresAllVariables:",
+ "qualifierWithQualifierFormat:",
+ "qualifierWithQualifierFormat:arguments:",
+ "qualifierWithQualifierFormat:varargList:",
+ "qualifiers",
+ "qualifyWithRelationshipKey:ofObject:",
+ "query",
+ "queryUserForBigMessageAction:userResponse:",
+ "queryUserForPasswordWithMessage:remember:",
+ "queryUserForYesNoWithMessage:title:yesTitle:noTitle:",
+ "queryUserIfNeededToCreateMailboxAtPath:orChooseNewMailboxPath:",
+ "queryUserToSelectMailbox:",
+ "queueMessageForLaterDelivery:",
+ "quit",
+ "quitBecauseErrorCopying:error:",
+ "quotedFromSpaceDataForMessage",
+ "quotedMessageString",
+ "quotedMimeString",
+ "quotedString",
+ "quotedStringIfNecessary",
+ "quotedStringRepresentation",
+ "quotedStringWithQuote:",
+ "raise",
+ "raise:format:",
+ "raise:format:arguments:",
+ "raiseBaseline:",
+ "rangeContainerObject",
+ "rangeForUserCharacterAttributeChange",
+ "rangeForUserParagraphAttributeChange",
+ "rangeForUserTextChange",
+ "rangeInParentWithMap:",
+ "rangeMap",
+ "rangeOfByteFromSet:",
+ "rangeOfByteFromSet:options:",
+ "rangeOfByteFromSet:options:range:",
+ "rangeOfBytes:length:options:range:",
+ "rangeOfCString:",
+ "rangeOfCString:options:",
+ "rangeOfCString:options:range:",
+ "rangeOfCharacterFromSet:",
+ "rangeOfCharacterFromSet:options:",
+ "rangeOfCharacterFromSet:options:range:",
+ "rangeOfComposedCharacterSequenceAtIndex:",
+ "rangeOfData:",
+ "rangeOfData:options:",
+ "rangeOfData:options:range:",
+ "rangeOfGraphicalSegmentAtIndex:",
+ "rangeOfNominallySpacedGlyphsContainingIndex:",
+ "rangeOfString:",
+ "rangeOfString:options:",
+ "rangeOfString:options:range:",
+ "rangeValue",
+ "rangeWithMap:",
+ "rank",
+ "rate",
+ "rationalSelectionForSelection:",
+ "rawController",
+ "rawData",
+ "rawFont",
+ "rawModeAttributesChanged:",
+ "rawModeDefaults",
+ "rawRowKeyPaths",
+ "rawTextController",
+ "rawTextControllerClass",
+ "rawTextView",
+ "rawTextViewClass",
+ "rcptTo:",
+ "reactToChangeInDescendant:",
+ "read:",
+ "readAccountsUsingDefaultsKey:",
+ "readAlignedDataSize",
+ "readBlock:atOffset:forLength:",
+ "readBytesIntoData:length:",
+ "readBytesIntoString:length:",
+ "readColors",
+ "readData:length:",
+ "readDataOfLength:",
+ "readDataOfLength:buffer:",
+ "readDataToEndOfFile",
+ "readDefaults",
+ "readDefaultsFromDictionary:",
+ "readDocumentFromPbtype:filename:",
+ "readFileContentsType:toFile:",
+ "readFileWrapper",
+ "readFromFile:",
+ "readFromFile:ofType:",
+ "readFromStream:",
+ "readFromURL:ofType:",
+ "readFromURL:options:documentAttributes:",
+ "readInBackgroundAndNotify",
+ "readInBackgroundAndNotifyForModes:",
+ "readInt",
+ "readLineIntoData:",
+ "readLineIntoString:",
+ "readMemory:withMode:",
+ "readNamesAndCreateEmailerBoxesFrom:respondTo:",
+ "readPrintInfo",
+ "readPrintInfo:",
+ "readRTFDFromFile:",
+ "readRange:ofLength:atOffset:",
+ "readRichText:forView:",
+ "readSelectionFromPasteboard:",
+ "readSelectionFromPasteboard:type:",
+ "readToEndOfFileInBackgroundAndNotify",
+ "readToEndOfFileInBackgroundAndNotifyForModes:",
+ "readToken",
+ "readTokenInto:attributes:",
+ "readValue:",
+ "readValuesFromDictionary:",
+ "readablePasteboardTypes",
+ "readableTypes",
+ "realAddDirNamed:",
+ "reallyDealloc",
+ "reannotate",
+ "reapplyChangesFromDictionary:",
+ "reapplySortingRules:",
+ "reason",
+ "rebuildCacheFromStore:",
+ "rebuildFilteredMessageList",
+ "rebuildMessageLists",
+ "rebuildTableOfContents:",
+ "rebuildTableOfContentsAsynchronously",
+ "recache",
+ "recacheAllColors",
+ "recacheColor",
+ "receiveMidnightNotification",
+ "receivePort",
+ "receivedIMAPMessageFlags:forMessageNumbered:",
+ "receiversSpecifier",
+ "recentDocumentURLs",
+ "recipients",
+ "recomputeToolTipsForView:remove:add:",
+ "recordChanges",
+ "recordChangesInEditingContext",
+ "recordDescriptor",
+ "recordForGID:",
+ "recordForObject:",
+ "recordMessageToSelectIfEntireSelectionRemoved",
+ "recordObject:globalID:",
+ "recordUpdateForObject:changes:",
+ "recordVisibleMessageRange",
+ "recordsEventsForClass:",
+ "rect",
+ "rectArrayForCharacterRange:withinSelectedCharacterRange:inTextContainer:rectCount:",
+ "rectArrayForGlyphRange:withinSelectedGlyphRange:inTextContainer:rectCount:",
+ "rectForKey:inTable:",
+ "rectForPage:",
+ "rectForPart:",
+ "rectOfColumn:",
+ "rectOfItemAtIndex:",
+ "rectOfRow:",
+ "rectOfTickMarkAtIndex:",
+ "rectValue",
+ "redColor",
+ "redComponent",
+ "redirectedHandleFromResponse:",
+ "redisplayItemEqualTo:",
+ "redo",
+ "redo:",
+ "redoActionName",
+ "redoMenuItemTitle",
+ "redoMenuTitleForUndoActionName:",
+ "redraw:",
+ "reenableDisplayPosting",
+ "reenableFlush",
+ "reenableHeartBeating:",
+ "reenableUndoRegistration",
+ "reevaluateFontSize",
+ "ref",
+ "refault:",
+ "refaultObject:withGlobalID:editingContext:",
+ "refaultObjects",
+ "refetch:",
+ "reflectScrolledClipView:",
+ "refresh:",
+ "refreshAtMidnight",
+ "refreshBrowser",
+ "refreshDefaults:",
+ "refreshFaceTable",
+ "refreshRect:",
+ "refreshesRefetchedObjects",
+ "refusesFirstResponder",
+ "regeneratePaths",
+ "registerAddressManagerClass:",
+ "registerAvailableStore:",
+ "registerBase:",
+ "registerBody:",
+ "registerBundle",
+ "registerClassDescription:",
+ "registerClassDescription:forClass:",
+ "registerClient:",
+ "registerCoercer:selector:toConvertFromClass:toClass:",
+ "registerCommandDescription:",
+ "registerDefaults:",
+ "registerDragTypes:forWindow:",
+ "registerEventClass:classPointer:",
+ "registerEventClass:handler:",
+ "registerForColorAcceptingDragTypes",
+ "registerForCommandDescription:",
+ "registerForDocumentWindowChanges",
+ "registerForDraggedTypes:",
+ "registerForDrags",
+ "registerForEditingContext:",
+ "registerForFilenameDragTypes",
+ "registerForInspectionObservation",
+ "registerForServices",
+ "registerFrameset:",
+ "registerGlobalHandlers",
+ "registerHTML:",
+ "registerHead:",
+ "registerImageRepClass:",
+ "registerIndexedStore:",
+ "registerLanguage:byVendor:",
+ "registerMessageClass:",
+ "registerMessageClass:forEncoding:",
+ "registerName:",
+ "registerName:withNameServer:",
+ "registerNewViewer:",
+ "registerObject:withServicePath:",
+ "registerObjectForDeallocNotification:",
+ "registerPort:forName:",
+ "registerPort:name:",
+ "registerPort:name:nameServerPortNumber:",
+ "registerServiceProvider:withName:",
+ "registerServicesMenuSendTypes:returnTypes:",
+ "registerTitle:",
+ "registerTranslator:selector:toTranslateFromClass:",
+ "registerTranslator:selector:toTranslateFromDescriptorType:",
+ "registerURLHandleClass:",
+ "registerUndoForModifiedObject:",
+ "registerUndoWithTarget:selector:arg:",
+ "registerUndoWithTarget:selector:object:",
+ "registerUnitWithName:abbreviation:unitToPointsConversionFactor:stepUpCycle:stepDownCycle:",
+ "registeredEventClasses",
+ "registeredImageRepClasses",
+ "registeredObjects",
+ "regularExpressionWithString:",
+ "regularFileContents",
+ "relationalQualifierOperators",
+ "relationshipPathByDeletingFirstComponent",
+ "relationshipPathByDeletingLastComponent",
+ "relationshipPathIsMultiHop",
+ "relativeCurveToPoint:controlPoint1:controlPoint2:",
+ "relativeLineToPoint:",
+ "relativeMoveToPoint:",
+ "relativePath",
+ "relativePosition",
+ "relativeString",
+ "release",
+ "releaseAllPools",
+ "releaseGState",
+ "releaseGlobally",
+ "releaseIndexInfo",
+ "releaseName:count:",
+ "releaseTemporaryAddressBooks",
+ "reloadAccounts",
+ "reloadColumn:",
+ "reloadCurrentMessage",
+ "reloadData",
+ "reloadDefaultFontFamilies",
+ "reloadItem:",
+ "reloadItem:reloadChildren:",
+ "reloadItemEqualTo:reloadChildren:",
+ "rememberFileAttributes",
+ "remoteObjects",
+ "remove:",
+ "removeAccount:",
+ "removeAccountSheetDidEnd:returnCode:account:",
+ "removeAddressForHeader:atIndex:",
+ "removeAllActions",
+ "removeAllActionsWithTarget:",
+ "removeAllAttachments",
+ "removeAllChildren",
+ "removeAllDrawersImmediately",
+ "removeAllFormattingExceptAttachments",
+ "removeAllIndices",
+ "removeAllItems",
+ "removeAllObjects",
+ "removeAllObjectsWithTarget:",
+ "removeAllPoints",
+ "removeAllRequestModes",
+ "removeAllToolTips",
+ "removeAllToolTipsForView:",
+ "removeAndRetainLastObjectUsingLock",
+ "removeAt:",
+ "removeAttachments",
+ "removeAttachments:",
+ "removeAttribute:",
+ "removeAttribute:range:",
+ "removeAttributeForKey:",
+ "removeBytesInRange:",
+ "removeCachedFiles:",
+ "removeCaption",
+ "removeCardWithReference:",
+ "removeCharactersInRange:",
+ "removeCharactersInString:",
+ "removeChild:",
+ "removeChildAtIndex:",
+ "removeChildrenDirectlyConflictingWithTextStyleFromArray:",
+ "removeChildrenMatchingTextStyleFromArray:",
+ "removeClient:",
+ "removeColor:",
+ "removeColorWithKey:",
+ "removeColumn:",
+ "removeColumnOfItem:",
+ "removeConnection:fromRunLoop:forMode:",
+ "removeContextHelpForObject:",
+ "removeConversation",
+ "removeCooperatingObjectStore:",
+ "removeCursorRect:cursor:",
+ "removeDecriptorAtIndex:",
+ "removeDescriptorWithKeyword:",
+ "removeDocument:",
+ "removeEditor:",
+ "removeElementAt:",
+ "removeElementAtIndex:",
+ "removeElementsInRange:",
+ "removeElementsInRange:coalesceRuns:",
+ "removeEmptyRows",
+ "removeEntry:",
+ "removeEntryAtIndex:",
+ "removeEventHandlerForEventClass:andEventID:",
+ "removeFeedback",
+ "removeFile",
+ "removeFile:",
+ "removeFile:key:",
+ "removeFileAtPath:handler:",
+ "removeFileWrapper:",
+ "removeFixedAttachmentAttributes",
+ "removeFontTrait:",
+ "removeFrameUsingName:",
+ "removeFreedView:",
+ "removeFreedWindow:",
+ "removeFromBccRecipientsAtIndex:",
+ "removeFromCcRecipientsAtIndex:",
+ "removeFromComposeMessages:",
+ "removeFromMessageEditors:",
+ "removeFromRunLoop:forMode:",
+ "removeFromSuperstructure:",
+ "removeFromSuperview",
+ "removeFromSuperviewWithoutNeedingDisplay",
+ "removeFromToRecipientsAtIndex:",
+ "removeHandle:",
+ "removeHandlerForMarker:",
+ "removeHeaderForKey:",
+ "removeHeartBeatView:",
+ "removeImmediately:",
+ "removeIndex:",
+ "removeIndexForStore:",
+ "removeIndexRange:",
+ "removeInvocationsWithTarget:selector:",
+ "removeItem",
+ "removeItem:",
+ "removeItemAndChildren:",
+ "removeItemAtIndex:",
+ "removeItemWithObjectValue:",
+ "removeItemWithTitle:",
+ "removeKeysForObject:",
+ "removeKeysNotIn:",
+ "removeLastElement",
+ "removeLastObject",
+ "removeLayoutManager:",
+ "removeLeadingSpaceWithSemanticEngine:",
+ "removeList:",
+ "removeLocal:",
+ "removeMailboxAtPath:confirmWithUser:",
+ "removeMarker:",
+ "removeMatchingEntry:",
+ "removeMatchingTypes:",
+ "removeMessage:",
+ "removeMessageAtIndexFromAllMessages:",
+ "removeMessages:fromArray:attributes:",
+ "removeName:",
+ "removeObject:",
+ "removeObject:fromBothSidesOfRelationshipWithKey:",
+ "removeObject:fromPropertyWithKey:",
+ "removeObject:inRange:",
+ "removeObject:range:identical:",
+ "removeObjectAt:",
+ "removeObjectAtIndex:",
+ "removeObjectForKey:",
+ "removeObjectForKey:inDomain:",
+ "removeObjectIdenticalTo:",
+ "removeObjectIdenticalTo:inRange:",
+ "removeObjectsForKeys:",
+ "removeObjectsFromCache:",
+ "removeObjectsFromCacheForStore:",
+ "removeObjectsFromIndices:numIndices:",
+ "removeObjectsInArray:",
+ "removeObjectsInRange:",
+ "removeObserver:",
+ "removeObserver:forObject:",
+ "removeObserver:name:object:",
+ "removeOmniscientObserver:",
+ "removePage",
+ "removeParamDescriptorWithKeyword:",
+ "removeParentsDirectlyConflictingWithTextStyleFromArray:",
+ "removeParentsMatchingTextStyleFromArray:",
+ "removePath:",
+ "removePathFromLibrarySearchPaths:",
+ "removePersistentDomainForName:",
+ "removePort:forMode:",
+ "removePortForName:",
+ "removePortsFromAllRunLoops",
+ "removePortsFromRunLoop:",
+ "removeProxy:",
+ "removeRepresentation:",
+ "removeRequestMode:",
+ "removeRow:",
+ "removeRowOfItem:",
+ "removeRunLoop:",
+ "removeSelectedEntry:",
+ "removeServiceProvider:",
+ "removeSignature:",
+ "removeSignatureSheetDidEnd:returnCode:contextInfo:",
+ "removeSpace:atIndex:",
+ "removeSpecifiedPathForFramework:",
+ "removeStatusItem:",
+ "removeStore:",
+ "removeStoreFromCache:",
+ "removeStyles:",
+ "removeSubnodeAtIndex:",
+ "removeSuiteNamed:",
+ "removeTabStop:",
+ "removeTabViewItem:",
+ "removeTableColumn:",
+ "removeTargetPersistentStateObjectForKey:",
+ "removeTemporaryAttribute:forCharacterRange:",
+ "removeTextAlignment",
+ "removeTextContainerAtIndex:",
+ "removeTextStyle:",
+ "removeTextStyleFromSelection:",
+ "removeTextStyles:overChildRange:",
+ "removeTimer:forMode:",
+ "removeToolTip:",
+ "removeToolTipForView:tag:",
+ "removeTrackingRect:",
+ "removeTrailingSpaceWithSemanticEngine:",
+ "removeVCard:",
+ "removeVCardsWithIdenticalEMail:",
+ "removeValue",
+ "removeValueAtIndex:fromPropertyWithKey:",
+ "removeVolatileDomainForName:",
+ "removeWindowController:",
+ "removeWindowsItem:",
+ "removedChild:",
+ "removedFromTree",
+ "removedFromTree:",
+ "rename:",
+ "renameColor:",
+ "renameList:",
+ "renameMailbox:",
+ "renameMailbox:toMailbox:errorMessage:",
+ "renameProject:",
+ "renderBitsWithCode:withSize:",
+ "renderLineWithCode:",
+ "renderPICTWithSize:",
+ "renderShapeWithCode:",
+ "renderTextWithCode:",
+ "renderedComment",
+ "renderedEndTagString",
+ "renderedScript",
+ "renderedTagShowsAttributes",
+ "renderedTagString",
+ "renderedTagType",
+ "renderingDidChange",
+ "renderingRoot",
+ "renderingRootTextView",
+ "renewGState",
+ "renewRows:columns:",
+ "repairOffer:",
+ "repairableParseExceptionWithName:token:position:length:reason:repairString:discipline:",
+ "repeatCount",
+ "replace:",
+ "replace:at:",
+ "replaceAll:",
+ "replaceAllMessagesWithArray:",
+ "replaceAndFind:",
+ "replaceBytesInRange:withBytes:",
+ "replaceBytesInRange:withBytes:length:",
+ "replaceCharactersForTextView:inRange:withString:",
+ "replaceCharactersInRange:withAttributedString:",
+ "replaceCharactersInRange:withCString:length:",
+ "replaceCharactersInRange:withCharacters:length:",
+ "replaceCharactersInRange:withRTF:",
+ "replaceCharactersInRange:withRTFD:",
+ "replaceCharactersInRange:withString:",
+ "replaceElementAt:with:",
+ "replaceElementAtIndex:withElement:",
+ "replaceElementsInRange:withElement:coalesceRuns:",
+ "replaceFile:data:",
+ "replaceFile:path:",
+ "replaceFormattedAddress:withAddress:forKey:",
+ "replaceGlyphAtIndex:withGlyph:",
+ "replaceLayoutManager:",
+ "replaceMailAccountsWithAccounts:",
+ "replaceObject:with:",
+ "replaceObject:withObject:",
+ "replaceObjectAt:with:",
+ "replaceObjectAtIndex:withObject:",
+ "replaceObjectsInRange:withObject:length:",
+ "replaceObjectsInRange:withObjects:count:",
+ "replaceObjectsInRange:withObjectsFromArray:",
+ "replaceObjectsInRange:withObjectsFromArray:range:",
+ "replaceSelectionWithItem:",
+ "replaceString:withString:",
+ "replaceSubview:with:",
+ "replaceSubviewWith:",
+ "replaceTextContainer:",
+ "replaceTextStorage:",
+ "replaceTokenRange:withTokensFromFormatter:offsettingBy:",
+ "replaceVCardWithReference:withVCard:",
+ "replaceValueAtIndex:inPropertyWithKey:withValue:",
+ "replaceWithInputOfType:",
+ "replaceWithItem:",
+ "replaceWithItem:addingStyles:removingStyles:",
+ "replacementObjectForArchiver:",
+ "replacementObjectForCoder:",
+ "replacementObjectForPortCoder:",
+ "replyAllMessage:",
+ "replyFromSendingEvent:withSendMode:sendPriority:timeout:",
+ "replyMessage:",
+ "replyTimeout",
+ "replyTo",
+ "replyToAddress",
+ "replyWithException:",
+ "reportException:",
+ "representationOfCoveredCharacters",
+ "representationOfImageRepsInArray:usingType:properties:",
+ "representationUsingType:properties:",
+ "representationWithImageProperties:withProperties:",
+ "representations",
+ "representedFilename",
+ "representedFrame",
+ "representedItem",
+ "representedObject",
+ "representedUrl",
+ "requestLimit",
+ "requestModes",
+ "requestStoreForGlobalID:fetchSpecification:object:",
+ "requestTimeout",
+ "requestedChangeWithTrait:",
+ "requiredFileType",
+ "requiredThickness",
+ "requiresAllQualifierBindingVariables",
+ "rerender",
+ "rerenderItem:",
+ "reservedSpaceLength",
+ "reservedThicknessForAccessoryView",
+ "reservedThicknessForMarkers",
+ "reset",
+ "resetAllPorts",
+ "resetAlpha",
+ "resetBytesInRange:",
+ "resetCommunication",
+ "resetCursorRect:inView:",
+ "resetCursorRects",
+ "resetDisplayDisableCount",
+ "resetFlushDisableCount",
+ "resetFormElements",
+ "resetHtmlTextStyles",
+ "resetLogging",
+ "resetProfiling",
+ "resetStandardUserDefaults",
+ "resetState",
+ "resetStateWithString:attributedString:",
+ "resetSystemTimeZone",
+ "resetTable",
+ "resetTimer",
+ "resetTotalAutoreleasedObjects",
+ "residentSize",
+ "resignAsSelectionOwner",
+ "resignCurrentEditor",
+ "resignFirstResponder",
+ "resignKeyWindow",
+ "resignMailboxSelectionOwnerFor:",
+ "resignMainWindow",
+ "resignSelection",
+ "resignSelectionFor:",
+ "resignUserInterface",
+ "resizeBlock:toSize:",
+ "resizeEdgeForEvent:",
+ "resizeFlags",
+ "resizeIncrements",
+ "resizeSubviewsFromPercentageString:defaultPercentage:",
+ "resizeSubviewsToPercentage:",
+ "resizeSubviewsWithOldSize:",
+ "resizeToScreenWithEvent:",
+ "resizeWithDelta:fromFrame:beginOperation:endOperation:",
+ "resizeWithEvent:",
+ "resizeWithMagnification:",
+ "resizeWithOldSuperviewSize:",
+ "resizedColumn",
+ "resolvedKeyDictionary",
+ "resortMailboxPaths",
+ "resourceBaseUrl",
+ "resourceData",
+ "resourceDataUsingCache:",
+ "resourceForkData",
+ "resourceKeys",
+ "resourceNamed:",
+ "resourcePath",
+ "resourceSpecifier",
+ "respondsTo:",
+ "respondsToSelector:",
+ "respondsToSelector:forFault:",
+ "restoreAttributesOfTextStorage:",
+ "restoreCachedImage",
+ "restoreDraft:",
+ "restoreGraphicsState",
+ "restoreHTMLText:",
+ "restoreOriginalGrammar",
+ "restoreScrollAndSelection",
+ "restoreVisible:nonDeleted:selection:forStore:viewingState:",
+ "restoreWindowOnDockDeath",
+ "resultCodeFromSendingCommand:withArguments:",
+ "resultCodeFromSendingCommand:withArguments:commandResponse:",
+ "resultCodeFromSendingCommand:withArguments:commandResponse:expectUntaggedUnderKey:untaggedResult:",
+ "resultCodeFromSendingCommand:withArguments:commandResponse:expectUntaggedUnderKey:untaggedResult:destFile:keepInMemory:fetchInto:",
+ "resultsOfPerformingSelector:",
+ "resultsOfPerformingSelector:withEachObjectInArray:",
+ "resume",
+ "resumeLogging",
+ "retain",
+ "retainArguments",
+ "retainCount",
+ "retainWireCount",
+ "retainedItemForMarker:tokenizer:",
+ "retainedMessageHeaderForMessageNumber:",
+ "retainedStringFromReplyLine",
+ "retokenize",
+ "retr:toFileHandle:",
+ "retrieveReaderLocks",
+ "returnCompletes",
+ "returnID",
+ "returnResult:exception:sequence:imports:",
+ "returnToSender:",
+ "returnType",
+ "reusesColumns",
+ "revalidate",
+ "reverseObjectEnumerator",
+ "revert",
+ "revert:",
+ "revertDocumentToSaved:",
+ "revertToDefault:",
+ "revertToSavedFromFile:ofType:",
+ "revertToSavedFromURL:ofType:",
+ "reviewChangesAndQuitEnumeration:",
+ "reviewTextViewWidth",
+ "reviewUnsavedDocumentsWithAlertTitle:cancellable:",
+ "reviewUnsavedDocumentsWithAlertTitle:cancellable:delegate:didReviewAllSelector:contextInfo:",
+ "richTextForView:",
+ "richTextValue",
+ "rightIndentMarkerWithRulerView:location:",
+ "rightKey",
+ "rightMargin",
+ "rightMarginMarkerWithRulerView:location:",
+ "rightMouseDown:",
+ "rightMouseDragged:",
+ "rightMouseUp:",
+ "rightNeighbor",
+ "rightSibling",
+ "rightTabMarkerWithRulerView:location:",
+ "rollbackChanges",
+ "root",
+ "rootContainer",
+ "rootEvents",
+ "rootEventsByDuration",
+ "rootName",
+ "rootNode",
+ "rootObject",
+ "rootObjectStore",
+ "rootProject",
+ "rootProjectTypeNames",
+ "rootProxy",
+ "rootProxyForConnectionWithRegisteredName:host:",
+ "rootProxyForConnectionWithRegisteredName:host:usingNameServer:",
+ "rotateByAngle:",
+ "rotateByDegrees:",
+ "rotateByRadians:",
+ "rotated",
+ "roundingBehavior",
+ "roundingMode",
+ "routeMessages:",
+ "routerForStore:",
+ "row",
+ "rowAtPoint:",
+ "rowCount",
+ "rowForItem:",
+ "rowForItemEqualTo:",
+ "rowHeight",
+ "rowPreviousTo:wrapping:",
+ "rowSpan",
+ "rowSubsequentTo:wrapping:",
+ "rows",
+ "rowsColsRadioAction:",
+ "rowsInRect:",
+ "rowsString",
+ "rowsTextfieldAction:",
+ "rtfBold:",
+ "rtfCentered",
+ "rtfColor:",
+ "rtfFixed:",
+ "rtfFont:",
+ "rtfFontSize:",
+ "rtfItalic:",
+ "rtfLeftAligned",
+ "rtfReset",
+ "rtfRightAligned",
+ "rtfUnderline:",
+ "ruleThickness",
+ "ruler",
+ "rulerAccessoryViewForTextView:paragraphStyle:ruler:enabled:",
+ "rulerAttributesInRange:",
+ "rulerMarkersForTextView:paragraphStyle:ruler:",
+ "rulerStateDescription",
+ "rulerView:didAddMarker:",
+ "rulerView:didMoveMarker:",
+ "rulerView:didRemoveMarker:",
+ "rulerView:handleMouseDown:",
+ "rulerView:shouldAddMarker:",
+ "rulerView:shouldMoveMarker:",
+ "rulerView:shouldRemoveMarker:",
+ "rulerView:willAddMarker:atLocation:",
+ "rulerView:willMoveMarker:toLocation:",
+ "rulerView:willRemoveMarker:",
+ "rulerView:willSetClientView:",
+ "rulerViewClass",
+ "rulersVisible",
+ "run",
+ "runAlertPanelWithTitle:defaultTitle:alternateTitle:otherTitle:message:",
+ "runBeforeDate:",
+ "runCommand:withArguments:andInputFrom:",
+ "runCommand:withArguments:andOutputTo:",
+ "runCommand:withArguments:withInputFrom:andOutputTo:",
+ "runImport",
+ "runInNewThread",
+ "runInOwnThread",
+ "runInitialization",
+ "runLoop",
+ "runLoopModes",
+ "runModal",
+ "runModalFax",
+ "runModalForDirectory:file:",
+ "runModalForDirectory:file:relativeToWindow:",
+ "runModalForDirectory:file:types:",
+ "runModalForDirectory:file:types:relativeToWindow:",
+ "runModalForTypes:",
+ "runModalForWindow:",
+ "runModalForWindow:relativeToWindow:",
+ "runModalForWindow:withFirstResponder:",
+ "runModalIsPrinter:",
+ "runModalOpenPanel:forTypes:",
+ "runModalPageLayoutWithPrintInfo:",
+ "runModalSavePanel:withAccessoryView:",
+ "runModalSavePanelForSaveOperation:delegate:didSaveSelector:contextInfo:",
+ "runModalSession:",
+ "runModalWithPrintInfo:",
+ "runMode:beforeDate:",
+ "runMode:untilDate:",
+ "runOperation",
+ "runPageLayout:",
+ "runPipe:withInputFrom:",
+ "runPipe:withInputFrom:andOutputTo:",
+ "runPipe:withOutputTo:",
+ "runPreferencesPanelModallyForOwner:",
+ "runStartupPanel",
+ "runUntilDate:",
+ "runningOnMainThread",
+ "runtimeAdaptorNames",
+ "sampleTextForEncoding:language:font:",
+ "sampleTextForTriplet:",
+ "samplesPerPixel",
+ "sanitizedFileName:",
+ "sanityCheck",
+ "saturationComponent",
+ "save:",
+ "saveAccountInfoToDefaults",
+ "saveAccounts:usingDefaultsKey:",
+ "saveAddressBook",
+ "saveAll:",
+ "saveAllAddressBooks",
+ "saveAllDocuments:",
+ "saveAllEnumeration:",
+ "saveAs:",
+ "saveChanges",
+ "saveChanges:",
+ "saveChangesInEditingContext:",
+ "saveDefaults",
+ "saveDocument:",
+ "saveDocument:rememberName:shouldClose:",
+ "saveDocument:rememberName:shouldClose:whenDone:",
+ "saveDocumentAs:",
+ "saveDocumentTo:",
+ "saveDocumentWithDelegate:didSaveSelector:contextInfo:",
+ "saveFontCollection:withName:",
+ "saveFrameUsingName:",
+ "saveGraphicsState",
+ "saveImageNamed:andShowWarnings:",
+ "saveMessage",
+ "saveMessage:",
+ "saveMessageToDrafts:",
+ "saveOptions",
+ "savePanel",
+ "savePreferencesToDefaults:",
+ "saveProjectFiles",
+ "saveProjectFiles:block:",
+ "saveScrollAndSelection",
+ "saveServerList",
+ "saveState",
+ "saveStateForAllAccounts",
+ "saveTo:",
+ "saveToDocument:removeBackup:errorHandler:",
+ "saveToFile:saveOperation:delegate:didSaveSelector:contextInfo:",
+ "saveToPath:encoding:updateFilenames:overwriteOK:",
+ "saveUserInfo",
+ "saveVisible:nonDeleted:selection:viewingState:",
+ "saveWeighting",
+ "savedHostname",
+ "scale",
+ "scaleBy:",
+ "scaleFactor",
+ "scalePopUpAction:",
+ "scaleTo::",
+ "scaleUnitSquareToSize:",
+ "scaleXBy:yBy:",
+ "scalesWhenResized",
+ "scanByte:",
+ "scanBytesFromSet:intoData:",
+ "scanCString:intoData:",
+ "scanCharacter:",
+ "scanCharactersFromSet:intoString:",
+ "scanData:intoData:",
+ "scanDecimal:",
+ "scanDouble:",
+ "scanEndIntoString:",
+ "scanFloat:",
+ "scanHexInt:",
+ "scanInt:",
+ "scanLocation",
+ "scanLongLong:",
+ "scanMimeTokenUsingSeparators:",
+ "scanString:intoString:",
+ "scanStringOfLength:intoString:",
+ "scanTokenSeparatedByString:",
+ "scanUpAndOverString:",
+ "scanUpToBytesFromSet:intoData:",
+ "scanUpToCString:intoData:",
+ "scanUpToCharactersFromSet:intoString:",
+ "scanUpToData:intoData:",
+ "scanUpToString:intoString:",
+ "scanUpToString:options:",
+ "scannerWithData:",
+ "scannerWithString:",
+ "scheduleInRunLoop:forMode:",
+ "scheduleTimerWithTimeInterval:target:selector:withObject:",
+ "scheduleTimerWithTimeInterval:target:selector:withObject:inModes:",
+ "scheduledTimerWithTimeInterval:invocation:repeats:",
+ "scheduledTimerWithTimeInterval:target:selector:userInfo:repeats:",
+ "scheme",
+ "scope",
+ "screen",
+ "screenFont",
+ "screens",
+ "script",
+ "scriptCommandForAppleEvent:",
+ "scriptDidChange:",
+ "scriptErrorNumber",
+ "scriptErrorString",
+ "scriptString",
+ "scriptStringItem",
+ "scriptedMessageSize",
+ "scriptingBeginsWith:",
+ "scriptingContains:",
+ "scriptingEndsWith:",
+ "scriptingIsEqualTo:",
+ "scriptingIsGreaterThan:",
+ "scriptingIsGreaterThanOrEqualTo:",
+ "scriptingIsLessThan:",
+ "scriptingIsLessThanOrEqualTo:",
+ "scrollBarColor",
+ "scrollCellToVisibleAtRow:column:",
+ "scrollClipView:toPoint:",
+ "scrollColumnToVisible:",
+ "scrollColumnsLeftBy:",
+ "scrollColumnsRightBy:",
+ "scrollDown",
+ "scrollItemAtIndexToTop:",
+ "scrollItemAtIndexToVisible:",
+ "scrollLineDown:",
+ "scrollLineUp:",
+ "scrollPageDown:",
+ "scrollPageUp:",
+ "scrollPoint:",
+ "scrollPoint:fromView:",
+ "scrollRangeToVisible:",
+ "scrollRect:by:",
+ "scrollRectToVisible:",
+ "scrollRectToVisible:fromView:",
+ "scrollRowToVisible:",
+ "scrollRowToVisible:position:",
+ "scrollToBeginningOfDocument:",
+ "scrollToEndOfDocument:",
+ "scrollToFragmentName:",
+ "scrollToPoint:",
+ "scrollUp",
+ "scrollViaScroller:",
+ "scrollView",
+ "scrollWheel:",
+ "scrollerWidth",
+ "scrollerWidthForControlSize:",
+ "scrolling",
+ "scrollsDynamically",
+ "search:",
+ "search:attributes:attributesOnly:",
+ "searchCount:",
+ "searchIndex:",
+ "searchList",
+ "searchNames",
+ "searchRanks",
+ "searchResults",
+ "searchResultsFromLDAPQuery:",
+ "searchResultsWithResults:connection:",
+ "searchedPathForFrameworkNamed:",
+ "secondOfMinute",
+ "secondaryInvocation",
+ "secondsFromGMT",
+ "secondsFromGMTForDate:",
+ "secondsFromGMTForTimeInterval:",
+ "seekToEndOfFile",
+ "seekToFileOffset:",
+ "select",
+ "selectAddressBook:",
+ "selectAll:",
+ "selectCell:",
+ "selectCellAtRow:",
+ "selectCellAtRow:column:",
+ "selectCellWithTag:",
+ "selectColumn:byExtendingSelection:",
+ "selectFile:inFileViewerRootedAtPath:",
+ "selectFirstTabViewItem:",
+ "selectFontFaceAtIndex:",
+ "selectImage:",
+ "selectItem:",
+ "selectItemAtIndex:",
+ "selectItemWithObjectValue:",
+ "selectItemWithTitle:",
+ "selectKeyViewFollowingView:",
+ "selectKeyViewPrecedingView:",
+ "selectLastTabViewItem:",
+ "selectLine:",
+ "selectMailProgram:",
+ "selectMailbox:errorMessage:",
+ "selectMailboxPanelCancel:",
+ "selectMailboxPanelOK:",
+ "selectMessages:",
+ "selectModule:",
+ "selectNewMailSound:",
+ "selectNextKeyView:",
+ "selectNextMessage",
+ "selectNextMessageMovingDownward",
+ "selectNextMessageMovingUpward",
+ "selectNextTabViewItem:",
+ "selectParagraph:",
+ "selectPathToMailbox:",
+ "selectPreviousKeyView:",
+ "selectPreviousMessage",
+ "selectPreviousTabViewItem:",
+ "selectResult:",
+ "selectRow:byExtendingSelection:",
+ "selectRow:inColumn:",
+ "selectTabViewItem:",
+ "selectTabViewItemAtIndex:",
+ "selectTabViewItemWithIdentifier:",
+ "selectTableViewRow:",
+ "selectText:",
+ "selectTextAtIndex:",
+ "selectTextAtRow:column:",
+ "selectToMark:",
+ "selectWithFrame:inView:editor:delegate:start:length:",
+ "selectWord:",
+ "selected",
+ "selectedAddressBooks",
+ "selectedAddresses",
+ "selectedCell",
+ "selectedCellInColumn:",
+ "selectedCells",
+ "selectedColumn",
+ "selectedColumnEnumerator",
+ "selectedControlColor",
+ "selectedControlTextColor",
+ "selectedElementResized:",
+ "selectedFont",
+ "selectedInactiveColor",
+ "selectedItem",
+ "selectedItemForUserChange",
+ "selectedItems",
+ "selectedKnobColor",
+ "selectedMailbox",
+ "selectedMailboxes",
+ "selectedMenuItemColor",
+ "selectedMenuItemTextColor",
+ "selectedOption",
+ "selectedOptions",
+ "selectedRange",
+ "selectedRangeForRoot:",
+ "selectedRow",
+ "selectedRowEnumerator",
+ "selectedRowInColumn:",
+ "selectedTabViewItem",
+ "selectedTag",
+ "selectedTargetCommandLineArguments",
+ "selectedTargetCommandLineArgumentsArrayIndex",
+ "selectedTargetCommandLineArgumentsString",
+ "selectedTextAttributes",
+ "selectedTextBackgroundColor",
+ "selectedTextColor",
+ "selection",
+ "selectionAddingItem:toSelection:",
+ "selectionAffinity",
+ "selectionAtEndOfContent",
+ "selectionAtStartOfContent",
+ "selectionByMovingBackwardCharacterFromSelection:",
+ "selectionByMovingBackwardFromSelection:",
+ "selectionByMovingDownwardFromSelection:usingOffset:",
+ "selectionByMovingForwardCharacterFromSelection:",
+ "selectionByMovingForwardFromSelection:",
+ "selectionByMovingToParagraphEndFromSelection:movingOutOfBlocks:stoppingAtBreaks:",
+ "selectionByMovingToParagraphStartFromSelection:movingOutOfBlocks:stoppingAtBreaks:",
+ "selectionByMovingUpwardFromSelection:usingOffset:",
+ "selectionByTrackingChange:",
+ "selectionChanged:",
+ "selectionChanged:fromRange:toRange:andColorize:",
+ "selectionColor",
+ "selectionCount",
+ "selectionEncompassingInteriorOfItem:",
+ "selectionEncompassingItem:",
+ "selectionEncompassingItems:",
+ "selectionEndItemWithOffset:",
+ "selectionForStartRoot:index:",
+ "selectionForUserChange",
+ "selectionFromOffset:inItem:toOffset:inItem:",
+ "selectionFromOffset:inItem:toOffset:inItem:affinity:",
+ "selectionFromRootSelection:endRoot:index:",
+ "selectionFromStartOfSelection:toEndOfSelection:",
+ "selectionGranularity",
+ "selectionIncorporatingFollowingPosition",
+ "selectionIncorporatingPrecedingPosition",
+ "selectionInspectingItem:",
+ "selectionIsChanging:",
+ "selectionIsFolder",
+ "selectionIsolatedFromChildren",
+ "selectionIsolatedFromText",
+ "selectionIsolatedInNode:",
+ "selectionMustBeWithinEditedItem",
+ "selectionOneOnly",
+ "selectionOwner",
+ "selectionRangeForProposedRange:granularity:",
+ "selectionRangeUsingRangeMap:",
+ "selectionRemovingItem:fromSelection:",
+ "selectionShouldChangeInOutlineView:",
+ "selectionShouldChangeInTableView:",
+ "selectionStartItemWithOffset:",
+ "selectionWithLocation:affinity:rangeMap:",
+ "selectionWithLocation:rangeMap:",
+ "selectionWithRange:affinity:rangeMap:",
+ "selectionWithRange:rangeMap:",
+ "selector",
+ "selectorForCommand:",
+ "self",
+ "semanticDiscipline",
+ "semanticDisciplineLevel",
+ "semanticEngine",
+ "semanticErrorOfType:withChildKey:parentKey:",
+ "semanticPolicyChanged:",
+ "send",
+ "send:",
+ "sendAction",
+ "sendAction:to:",
+ "sendAction:to:forAllCells:",
+ "sendAction:to:from:",
+ "sendActionOn:",
+ "sendBeforeDate:",
+ "sendBeforeDate:components:from:reserved:",
+ "sendBeforeDate:msgid:components:from:reserved:",
+ "sendBeforeTime:sendReplyPort:",
+ "sendBeforeTime:streamData:components:from:msgid:",
+ "sendBeforeTime:streamData:components:to:from:msgid:reserved:",
+ "sendData:",
+ "sendDoubleAction",
+ "sendEOF",
+ "sendEvent:",
+ "sendFormat",
+ "sendInv",
+ "sendInvocation:target:",
+ "sendPort",
+ "sendPort:withAllRights:",
+ "sendReleasedProxies",
+ "sendSizeLimit",
+ "sendTaggedMsg:",
+ "sendWireCountForTarget:port:",
+ "sender",
+ "senderDidBecomeActive:",
+ "senderDidResignActive:",
+ "senderOrReceiverIfSenderIsMe",
+ "sendmailMailer",
+ "sendsActionOnArrowKeys",
+ "sendsActionOnEndEditing",
+ "sendsDoubleAction",
+ "sendsSingleAction",
+ "separatesColumns",
+ "separator",
+ "separatorChar",
+ "separatorItem",
+ "serialize:length:",
+ "serializeAlignedBytes:length:",
+ "serializeAlignedBytesLength:",
+ "serializeData:",
+ "serializeDataAt:ofObjCType:context:",
+ "serializeInt:",
+ "serializeInt:atIndex:",
+ "serializeInts:count:",
+ "serializeInts:count:atIndex:",
+ "serializeList:",
+ "serializeListItemIn:at:",
+ "serializeObject:",
+ "serializeObjectAt:ofObjCType:intoData:",
+ "serializePListKeyIn:key:value:",
+ "serializePListValueIn:key:value:",
+ "serializePropertyList:",
+ "serializePropertyList:intoData:",
+ "serializeString:",
+ "serializeToData",
+ "serializeXMLPropertyList:",
+ "serializedRepresentation",
+ "serializerStream",
+ "server",
+ "serverName",
+ "serverSideImageMap",
+ "servers",
+ "serviceError:error:",
+ "serviceListener",
+ "servicesInfoIdentifier:",
+ "servicesMenu",
+ "servicesMenuData:forUser:",
+ "servicesProvider",
+ "set",
+ "setAbsoluteFontSizeLevel:",
+ "setAcceptsArrowKeys:",
+ "setAcceptsMouseMovedEvents:",
+ "setAccessoryView:",
+ "setAccount:",
+ "setAccountInfo:",
+ "setAction:",
+ "setAction:atRow:column:",
+ "setActionName:",
+ "setActivated:sender:",
+ "setActiveLinkColor:",
+ "setAddress:",
+ "setAddressList:forHeader:",
+ "setAlias:",
+ "setAlignment:",
+ "setAlignment:range:",
+ "setAlignmentValue:forAttribute:",
+ "setAllContextsOutputTraced:",
+ "setAllContextsSynchronized:",
+ "setAllowsBranchSelection:",
+ "setAllowsColumnReordering:",
+ "setAllowsColumnResizing:",
+ "setAllowsColumnSelection:",
+ "setAllowsContinuedTracking:",
+ "setAllowsEditingTextAttributes:",
+ "setAllowsEmptySelection:",
+ "setAllowsFloats:",
+ "setAllowsIncrementalSearching:",
+ "setAllowsMixedState:",
+ "setAllowsMultipleSelection:",
+ "setAllowsTickMarkValuesOnly:",
+ "setAllowsTruncatedLabels:",
+ "setAllowsUndo:",
+ "setAlpha:",
+ "setAltIncrementValue:",
+ "setAlternateImage:",
+ "setAlternateMnemonicLocation:",
+ "setAlternateText:",
+ "setAlternateTitle:",
+ "setAlternateTitleWithMnemonic:",
+ "setAltersStateOfSelectedItem:",
+ "setAlwaysKeepColumnsSizedToFitAvailableSpace:",
+ "setAlwaysSelectsSelf:",
+ "setAlwaysVisible:",
+ "setAnimationDelay:",
+ "setAppHelpFile:forOSType:",
+ "setAppIconFile:forOSType:",
+ "setAppImageForUnreadCount:",
+ "setAppleMenu:",
+ "setApplicationClass:",
+ "setApplicationIconImage:",
+ "setArchitectureCount:andArchs:",
+ "setArchiveMailboxPath:",
+ "setArchiveStorePath:",
+ "setArgArray:",
+ "setArgList:",
+ "setArgument:atIndex:",
+ "setArgumentBinding:",
+ "setArguments:",
+ "setArray:",
+ "setArrowPosition:",
+ "setArrowsPosition:",
+ "setAsMainCarbonMenuBar",
+ "setAskForReadReceipt:",
+ "setAspectRatio:",
+ "setAssociatedInputManager:",
+ "setAssociatedPoints:atIndex:",
+ "setAttachedView:",
+ "setAttachment:",
+ "setAttachmentCell:",
+ "setAttachmentDirectory:",
+ "setAttachmentSize:forGlyphRange:",
+ "setAttribute:forKey:",
+ "setAttribute:toSize:percentage:",
+ "setAttributeDescriptor:forKeyword:",
+ "setAttributeRuns:",
+ "setAttributeStart:",
+ "setAttributedAlternateTitle:",
+ "setAttributedString:",
+ "setAttributedStringForNil:",
+ "setAttributedStringForNotANumber:",
+ "setAttributedStringForZero:",
+ "setAttributedStringValue:",
+ "setAttributedTitle:",
+ "setAttributes:",
+ "setAttributes:range:",
+ "setAttributesInTextStorage:",
+ "setAutoAlternative:",
+ "setAutoPositionMask:",
+ "setAutoResizesOutlineColumn:",
+ "setAutoUpdateEnabled:",
+ "setAutodisplay:",
+ "setAutoenablesItems:",
+ "setAutomagicallyResizes:",
+ "setAutoresizesAllColumnsToFit:",
+ "setAutoresizesOutlineColumn:",
+ "setAutoresizesSubviews:",
+ "setAutoresizingMask:",
+ "setAutosaveExpandedItems:",
+ "setAutosaveName:",
+ "setAutosaveTableColumns:",
+ "setAutoscroll:",
+ "setAutosizesCells:",
+ "setAvailableCapacity:",
+ "setBackEnd:",
+ "setBackgroundColor:",
+ "setBackgroundColorString:",
+ "setBackgroundImageUrl:",
+ "setBackgroundImageUrlString:",
+ "setBackgroundLayoutEnabled:",
+ "setBackgroundProcessingEnabled:",
+ "setBackingType:",
+ "setBase:",
+ "setBaseAffineTransform:",
+ "setBaseFontSizeLevel:",
+ "setBaseSpecifier:",
+ "setBaselineOffset:",
+ "setBaselineTo:",
+ "setBaselineToCenterAttachmentOfHeight:",
+ "setBaselineToCenterImage:",
+ "setBaselineToCenterImageNamed:",
+ "setBecomesKeyOnlyIfNeeded:",
+ "setBezelStyle:",
+ "setBezeled:",
+ "setBigMessageWarningSize:",
+ "setBinding:",
+ "setBitsPerSample:",
+ "setBlink",
+ "setBlueUnderline",
+ "setBodyData:",
+ "setBodyParts:",
+ "setBold",
+ "setBool:forKey:",
+ "setBooleanValue:forAttribute:",
+ "setBorderColor:",
+ "setBorderOnTop:left:bottom:right:",
+ "setBorderSize:",
+ "setBorderType:",
+ "setBorderWidth:",
+ "setBordered:",
+ "setBottomMargin:",
+ "setBounds:",
+ "setBoundsOrigin:",
+ "setBoundsRotation:",
+ "setBoundsSize:",
+ "setBoxType:",
+ "setBrightness:",
+ "setBrowser:",
+ "setBrowserBox:",
+ "setBrowserMayDeferScript:",
+ "setBulletCharacter:",
+ "setBulletStyle:",
+ "setBundleExtension:",
+ "setButtonID:",
+ "setButtonSize:",
+ "setButtonType:",
+ "setButtons:",
+ "setByteThreshold:",
+ "setCacheDepthMatchesImageDepth:",
+ "setCachePolicy:",
+ "setCachedSeparately:",
+ "setCachesBezierPath:",
+ "setCalendarFormat:",
+ "setCanBeCancelled:",
+ "setCanBePended:",
+ "setCanChooseDirectories:",
+ "setCanChooseFiles:",
+ "setCanUseAppKit:",
+ "setCancelButton:",
+ "setCaseSensitive:",
+ "setCell:",
+ "setCellAttribute:to:",
+ "setCellBackgroundColor:",
+ "setCellClass:",
+ "setCellPrototype:",
+ "setCellSize:",
+ "setCellTextAlignment:",
+ "setCenteredInCell:",
+ "setCharacterIndex:forGlyphAtIndex:",
+ "setCharacters:",
+ "setCharactersToBeSkipped:",
+ "setChecked:",
+ "setChildSpecifier:",
+ "setChildren:",
+ "setChooser:",
+ "setClassDelegate:",
+ "setClassName:",
+ "setClientSideImageMapName:",
+ "setClientView:",
+ "setClip",
+ "setClipRgn",
+ "setCloseAction:",
+ "setCloseTarget:",
+ "setCloseTokenRange:",
+ "setColor:",
+ "setColor:forKey:",
+ "setColorMask:",
+ "setColorSpaceName:",
+ "setColorString:",
+ "setCols:",
+ "setColsString:",
+ "setColumnSpan:",
+ "setComment:",
+ "setCompactWhenClosingMailboxes:",
+ "setComparator:andContext:",
+ "setCompareSelector:",
+ "setComparisonFormat:",
+ "setCompiler:forLanguage:OSType:",
+ "setCompletes:",
+ "setCompletionEnabled:",
+ "setCompressCommand:",
+ "setCompression:factor:",
+ "setConstrainedFrameSize:",
+ "setContainerClassDescription:",
+ "setContainerIsObjectBeingTested:",
+ "setContainerIsRangeContainerObject:",
+ "setContainerSize:",
+ "setContainerSpecifier:",
+ "setContent:",
+ "setContentSize:",
+ "setContentString:",
+ "setContentTransferEncoding:",
+ "setContentView:",
+ "setContentViewMargins:",
+ "setContents:andLength:",
+ "setContentsNoCopy:length:freeWhenDone:isUnicode:",
+ "setContentsWrap:",
+ "setContextHelp:forObject:",
+ "setContextHelpModeActive:",
+ "setContextMenuRepresentation:",
+ "setContinuous:",
+ "setContinuousSpellCheckingEnabled:",
+ "setControlBox:",
+ "setControlSize:",
+ "setControlTint:",
+ "setConversationRequest:",
+ "setCoordinates:",
+ "setCopiesOnScroll:",
+ "setCornerView:",
+ "setCount:andPostings:",
+ "setCount:andPostings:byCopy:",
+ "setCreateSelector:",
+ "setCreationZone:",
+ "setCreator:",
+ "setCurrentContext:",
+ "setCurrentDirectoryPath:",
+ "setCurrentImageNumber:",
+ "setCurrentIndex:",
+ "setCurrentInputManager:",
+ "setCurrentOperation:",
+ "setCurrentPage:",
+ "setCurrentTransferMailboxPath:",
+ "setCursor:",
+ "setData:",
+ "setData:forType:",
+ "setDataCell:",
+ "setDataRetained:",
+ "setDataSource:",
+ "setDateReceived:",
+ "setDeadKeyProcessingEnabled:",
+ "setDebugTextView:",
+ "setDecimalSeparator:",
+ "setDefaultAttachmentDirectory:",
+ "setDefaultBehavior:",
+ "setDefaultButtonCell:",
+ "setDefaultCollator:",
+ "setDefaultCoordinator:",
+ "setDefaultFetchTimestampLag:",
+ "setDefaultFlatness:",
+ "setDefaultFontSize:",
+ "setDefaultHeader:",
+ "setDefaultLanguage:",
+ "setDefaultLanguageContext:",
+ "setDefaultLineCapStyle:",
+ "setDefaultLineJoinStyle:",
+ "setDefaultLineWidth:",
+ "setDefaultMailDirectory:",
+ "setDefaultMessageStorePath:",
+ "setDefaultMiterLimit:",
+ "setDefaultNameServerPortNumber:",
+ "setDefaultParentObjectStore:",
+ "setDefaultPreferencesClass:",
+ "setDefaultPreferredAlternative:",
+ "setDefaultPrinter:",
+ "setDefaultPrinterWithName:isFax:",
+ "setDefaultPriority:",
+ "setDefaultSharedEditingContext:",
+ "setDefaultSignature:",
+ "setDefaultString:forKey:inDictionary:",
+ "setDefaultTimeZone:",
+ "setDefaultValue:",
+ "setDefaultWindingRule:",
+ "setDeferSync:",
+ "setDeferred:",
+ "setDelegate:",
+ "setDelegate:withNotifyingTextView:",
+ "setDeleteMessagesOnServer:",
+ "setDeleteSelector:",
+ "setDeltaFontSizeLevel:",
+ "setDepthLimit:",
+ "setDescriptor:forKeyword:",
+ "setDestination:",
+ "setDevice:",
+ "setDictionary:",
+ "setDirectUndoBody:",
+ "setDirectUndoDirtyFlags:",
+ "setDirectUndoFrameset:",
+ "setDirectUndoHead:",
+ "setDirectUndoHtml:",
+ "setDirectUndoTitle:",
+ "setDirectory:",
+ "setDirtyFlag:",
+ "setDisplayDisciplineLevelsForDisplayOnly:",
+ "setDisplayName:",
+ "setDisplaySeparatelyInMailboxesDrawer:",
+ "setDisplaysMessageNumbers:",
+ "setDisplaysMessageSizes:",
+ "setDisplaysSearchRank:",
+ "setDisposable:",
+ "setDocument:",
+ "setDocumentAttributes:",
+ "setDocumentBaseUrl:",
+ "setDocumentClass:",
+ "setDocumentCursor:",
+ "setDocumentEdited:",
+ "setDocumentName:",
+ "setDocumentView:",
+ "setDouble:forKey:",
+ "setDoubleAction:",
+ "setDoubleValue:",
+ "setDraftsMailboxPath:",
+ "setDraggingDelegate:",
+ "setDrawsBackground:",
+ "setDrawsCellBackground:",
+ "setDrawsColumnSeparators:",
+ "setDrawsGrid:",
+ "setDrawsOutsideLineFragment:forGlyphAtIndex:",
+ "setDropItem:dropChildIndex:",
+ "setDropRow:dropOperation:",
+ "setDynamicCounterpart:",
+ "setDynamicDepthLimit:",
+ "setEMail:",
+ "setEchosBullets:",
+ "setEditAddressBook:",
+ "setEditable:",
+ "setEditedCell:",
+ "setEditedFlag:",
+ "setEditingContextSelector:",
+ "setEditingField:",
+ "setEditingSwitches:",
+ "setEffectiveColumnSpan:",
+ "setEffectiveRowSpan:",
+ "setEmailAddresses:",
+ "setEnableFloatParsing:",
+ "setEnableIntegerParsing:",
+ "setEnabled:",
+ "setEncoding:",
+ "setEncodingAccessory:",
+ "setEncodingPopupButton:",
+ "setEncodingType:",
+ "setEndSpecifier:",
+ "setEndSubelementIdentifier:",
+ "setEndSubelementIndex:",
+ "setEntityName:",
+ "setEntryType:",
+ "setEntryWidth:",
+ "setEnvironment:",
+ "setErrorAction:",
+ "setErrorProc:",
+ "setEvaluationErrorNumber:",
+ "setEventCoalescingEnabled:",
+ "setEventHandler:andSelector:forEventClass:andEventID:",
+ "setEventMask:",
+ "setEventsTraced:",
+ "setExcludedFromWindowsMenu:",
+ "setExpandButton:",
+ "setExtraLineFragmentRect:usedRect:textContainer:",
+ "setFaceString:",
+ "setFaces:",
+ "setFamilies:",
+ "setFavoritesButton:",
+ "setFavoritesPopup:",
+ "setFeature:forPopUp:",
+ "setFeed:",
+ "setFeedTitle:value:",
+ "setFetchLimit:",
+ "setFetchRemoteURLs:",
+ "setFetchSelector:",
+ "setFetchTimestamp:",
+ "setFetchesRawRows:",
+ "setFieldEditor:",
+ "setFile:",
+ "setFileAttributes:",
+ "setFileName:",
+ "setFilePermissionsRecursively:",
+ "setFileType:",
+ "setFileWrapper:",
+ "setFilename:",
+ "setFilterString:",
+ "setFindString:",
+ "setFindString:writeToPasteboard:",
+ "setFinderFlags:",
+ "setFirst",
+ "setFirstHandle",
+ "setFirstLineHeadIndent:",
+ "setFirstName:",
+ "setFixedCapacityLimit:",
+ "setFixedFont",
+ "setFlagsFromDictionary:forMessage:",
+ "setFlagsFromDictionary:forMessages:",
+ "setFlatness:",
+ "setFlipped:",
+ "setFloat:forKey:",
+ "setFloatValue:",
+ "setFloatValue:knobProportion:",
+ "setFloatingPanel:",
+ "setFloatingPointFormat:left:right:",
+ "setFocusStack:",
+ "setFocusedMessages:",
+ "setFollowLinks:",
+ "setFollowsItalicAngle:",
+ "setFont:",
+ "setFont:range:",
+ "setFontFace:",
+ "setFontManagerFactory:",
+ "setFontMenu:",
+ "setFontName:",
+ "setFontPanelFactory:",
+ "setFontSize:",
+ "setForID:",
+ "setForItem:",
+ "setForegroundColor:",
+ "setForm:",
+ "setFormat:",
+ "setFormatter:",
+ "setFragment:",
+ "setFragmentCleanup:",
+ "setFragmentCleanupAtEnd",
+ "setFrame:",
+ "setFrame:display:",
+ "setFrameAutosaveName:",
+ "setFrameBorder:",
+ "setFrameColor:",
+ "setFrameFromContentFrame:",
+ "setFrameFromString:",
+ "setFrameOrigin:",
+ "setFrameRotation:",
+ "setFrameSize:",
+ "setFrameTopLeftPoint:",
+ "setFrameUsingName:",
+ "setFrameViewClass:",
+ "setFrameset:",
+ "setFramesetController:",
+ "setFramesetView:",
+ "setFramesetViewClass:",
+ "setFrozenCell:",
+ "setFullScreen",
+ "setFullUserName:",
+ "setGradientType:",
+ "setGraphicAttributeWithCode:",
+ "setGraphicsState:",
+ "setGridColor:",
+ "setGroupIdentifier:",
+ "setGroupsByEvent:",
+ "setHTMLString:",
+ "setHTMLTree:",
+ "setHTMLTreeClass:",
+ "setHTMLView:",
+ "setHandle:",
+ "setHandler:forMarker:",
+ "setHandler:forMarkers:",
+ "setHasChanges:",
+ "setHasFocusView:",
+ "setHasHorizontalRuler:",
+ "setHasHorizontalScroller:",
+ "setHasMultiplePages:",
+ "setHasOfflineChanges:forStoreAtPath:",
+ "setHasProperty:",
+ "setHasRoundedCornersForButton:",
+ "setHasRoundedCornersForPopUp:",
+ "setHasScrollerOnRight:",
+ "setHasShadow:",
+ "setHasThousandSeparators:",
+ "setHasUndoManager:",
+ "setHasVerticalRuler:",
+ "setHasVerticalScroller:",
+ "setHeadIndent:",
+ "setHeader",
+ "setHeader:forKey:",
+ "setHeaderCell:",
+ "setHeaderLevel:",
+ "setHeaderView:",
+ "setHeaders:",
+ "setHeartBeatCycle:",
+ "setHeight:",
+ "setHeight:percentage:",
+ "setHeightAbsolute:",
+ "setHeightPercentage:",
+ "setHeightProportional:",
+ "setHeightString:",
+ "setHeightTracksTextView:",
+ "setHiddenUntilMouseMoves:",
+ "setHidesOnDeactivate:",
+ "setHighlightMode:",
+ "setHighlighted:",
+ "setHighlightedItemIndex:",
+ "setHighlightedTableColumn:",
+ "setHighlightsBy:",
+ "setHintCapacity:",
+ "setHints:",
+ "setHomeButton:",
+ "setHorizontal:",
+ "setHorizontalEdgePadding:",
+ "setHorizontalLineScroll:",
+ "setHorizontalPageScroll:",
+ "setHorizontalPagination:",
+ "setHorizontalRulerView:",
+ "setHorizontalScroller:",
+ "setHorizontalSpace:",
+ "setHorizontallyCentered:",
+ "setHorizontallyResizable:",
+ "setHostCacheEnabled:",
+ "setHostname:",
+ "setHref:",
+ "setHtmlAddedTextStyles:",
+ "setHtmlDeletedTextStyles:",
+ "setHtmlView:",
+ "setHyphenationFactor:",
+ "setIMAPMessageFlags:",
+ "setIcon:",
+ "setIconRef:label:",
+ "setIdentifier:",
+ "setIgnoreRichTextButton:",
+ "setIgnoreSelectionChanges:",
+ "setIgnoredWords:inSpellDocumentWithTag:",
+ "setIgnoresAlpha:",
+ "setIgnoresMultiClick:",
+ "setImage:",
+ "setImageAlignment:",
+ "setImageDimsWhenDisabled:",
+ "setImageFrameStyle:",
+ "setImageNamed:forView:",
+ "setImageNumber:",
+ "setImageOrigin:",
+ "setImagePosition:",
+ "setImageScaling:",
+ "setImageSize:",
+ "setImplementor:atIndex:",
+ "setImportsGraphics:",
+ "setInboxMessageStorePath:",
+ "setIncludeDeleted:",
+ "setIncomingSpoolDirectory:",
+ "setIndentationMarkerFollowsCell:",
+ "setIndentationPerLevel:",
+ "setIndependentConversationQueueing:",
+ "setIndeterminate:",
+ "setIndex:",
+ "setIndexStyle:",
+ "setIndexValue:",
+ "setIndicatorImage:inTableColumn:",
+ "setInfo:",
+ "setInitialFirstResponder:",
+ "setInitialGState:",
+ "setInitialToolTipDelay:",
+ "setInputSize:",
+ "setInsertSelector:",
+ "setInsertionPointColor:",
+ "setInset:",
+ "setInsetsForVisibleAreaFromLeft:top:right:bottom:",
+ "setInspectedSelection:",
+ "setInspectorView:withInitialFirstResponder:",
+ "setInstancesRetainRegisteredObjects:",
+ "setIntAttribute:value:forGlyphAtIndex:",
+ "setIntValue:",
+ "setIntValue:forAttribute:withDefault:",
+ "setIntValue:forAttribute:withDefault:minimum:",
+ "setInteger:forKey:",
+ "setInterRowSpacing:",
+ "setIntercellSpacing:",
+ "setInterfaceStyle:",
+ "setInterlineSpacing:",
+ "setInterpreterArguments:",
+ "setInterpreterPath:",
+ "setInvalidatesObjectsWhenFreed:",
+ "setIsActive:",
+ "setIsClosable:",
+ "setIsDeep:",
+ "setIsDirty:",
+ "setIsError:",
+ "setIsHeader:",
+ "setIsInlineSpellCheckingEnabled:",
+ "setIsMiniaturized:",
+ "setIsOffline:",
+ "setIsOpaque:",
+ "setIsPaneSplitter:",
+ "setIsResizable:",
+ "setIsSorted:",
+ "setIsSortedAscending:",
+ "setIsSortedDescending:",
+ "setIsUp:",
+ "setIsVisible:",
+ "setIsZoomed:",
+ "setItalic",
+ "setItemHeight:",
+ "setItemRange:",
+ "setJobDisposition:",
+ "setJobFeature:option:inPrintInfo:",
+ "setKey:",
+ "setKey:andLength:",
+ "setKey:andLength:withHint:",
+ "setKeyBindingManager:",
+ "setKeyCell:",
+ "setKeyEquivalent:",
+ "setKeyEquivalentFont:",
+ "setKeyEquivalentFont:size:",
+ "setKeyEquivalentModifierMask:",
+ "setKeyView:",
+ "setKnobThickness:",
+ "setLabel:",
+ "setLanguage:",
+ "setLanguageName:",
+ "setLast",
+ "setLastCharacterIndex:",
+ "setLastColumn:",
+ "setLastComponentOfFileName:",
+ "setLastName:",
+ "setLastOpenSavePanelDirectory:",
+ "setLastTextContainer:",
+ "setLaunchPath:",
+ "setLayoutManager:",
+ "setLeadingOffset:",
+ "setLeaf:",
+ "setLeftMargin:",
+ "setLength:",
+ "setLevel:",
+ "setLevelsOfUndo:",
+ "setLineBreakMode:",
+ "setLineCapStyle:",
+ "setLineColor:",
+ "setLineDash:count:phase:",
+ "setLineFragmentPadding:",
+ "setLineFragmentRect:forGlyphRange:usedRect:",
+ "setLineJoinStyle:",
+ "setLineScroll:",
+ "setLineSpacing:",
+ "setLineWidth:",
+ "setLinkColor:",
+ "setLinkState:",
+ "setListPopUp:",
+ "setLoaded:",
+ "setLocalLibraryDirectory:",
+ "setLocale:",
+ "setLocalizationFromDefaults",
+ "setLocalizesFormat:",
+ "setLocation:forStartOfGlyphRange:",
+ "setLocksObjects:",
+ "setLocksObjectsBeforeFirstModification:",
+ "setLoggingEnabled:forEventClass:",
+ "setLong:forKey:",
+ "setLoopMode:",
+ "setMailboxSelectionOwnerFrom:",
+ "setMailboxesController:",
+ "setMailerPath:",
+ "setMainBodyPart:",
+ "setMainMenu:",
+ "setMainNibFile:forOSType:",
+ "setMakeVariable:toValue:",
+ "setMarginColor:",
+ "setMarginFloat:",
+ "setMarginHeight:",
+ "setMarginWidth:",
+ "setMark:",
+ "setMarkedText:selectedRange:",
+ "setMarkedTextAttributes:",
+ "setMarker:",
+ "setMarkerLocation:",
+ "setMarkers:",
+ "setMasterClassDescription:",
+ "setMatchesOnMultipleResolution:",
+ "setMatrixClass:",
+ "setMax:",
+ "setMaxContentSize:",
+ "setMaxHeight:",
+ "setMaxLength:",
+ "setMaxSize:",
+ "setMaxValue:",
+ "setMaxVisibleColumns:",
+ "setMaxWidth:",
+ "setMaximum:",
+ "setMaximumLineHeight:",
+ "setMboxRange:",
+ "setMeasureRenderedText:",
+ "setMeasurementUnits:",
+ "setMenu:",
+ "setMenuChangedMessagesEnabled:",
+ "setMenuItem:",
+ "setMenuItemCell:forItemAtIndex:",
+ "setMenuRepresentation:",
+ "setMenuView:",
+ "setMenuZone:",
+ "setMessage:",
+ "setMessageBody:",
+ "setMessageContents:",
+ "setMessageFlags:",
+ "setMessageHandler:",
+ "setMessagePrinter:",
+ "setMessageScroll:",
+ "setMessageStore:",
+ "setMessageType:",
+ "setMethod:",
+ "setMilliseconds:",
+ "setMimeHeader:forKey:",
+ "setMimeParameter:forKey:",
+ "setMimeType:",
+ "setMimeType:mimeSubtype:",
+ "setMimeTypeFromFile:type:creator:",
+ "setMinColumnWidth:",
+ "setMinContentSize:",
+ "setMinSize:",
+ "setMinValue:",
+ "setMinWidth:",
+ "setMinimum:",
+ "setMinimumLineHeight:",
+ "setMiniwindowImage:",
+ "setMiniwindowTitle:",
+ "setMissingAttachmentString:",
+ "setMiterLimit:",
+ "setMixedStateImage:",
+ "setMnemonicLocation:",
+ "setMode:",
+ "setMode:uid:gid:mTime:inode:",
+ "setModes:",
+ "setMonitoredActivity:",
+ "setMonoCharacterSeparatorCharacters:usualPunctuation:",
+ "setMountPoint:",
+ "setMovable:",
+ "setMovie:",
+ "setMsgid:",
+ "setMultiple:",
+ "setMultipleCharacterSeparators:",
+ "setMutableAttributedString:",
+ "setMutableDictionary:",
+ "setMuted:",
+ "setName:",
+ "setNameField:",
+ "setNameForRow:",
+ "setNeedsDisplay",
+ "setNeedsDisplay:",
+ "setNeedsDisplayForItemAtIndex:",
+ "setNeedsDisplayInRect:",
+ "setNeedsDisplayInRect:avoidAdditionalLayout:",
+ "setNeedsSizing:",
+ "setNeedsToSynchronize",
+ "setNeedsToSynchronizeWithOtherClients:",
+ "setNegativeFormat:",
+ "setNewFolderButton:",
+ "setNext",
+ "setNextHandle",
+ "setNextKeyView:",
+ "setNextResponder:",
+ "setNextState",
+ "setNextText:",
+ "setNextTokenAttributeDictionaryForItem:",
+ "setNoHref:",
+ "setNoResize:",
+ "setNotShownAttribute:forGlyphAtIndex:",
+ "setNote:",
+ "setNotificationCenterSerializeRemoves:",
+ "setNumSlots:",
+ "setNumberOfColumns:",
+ "setNumberOfDaysToKeepTrash:",
+ "setNumberOfPages:",
+ "setNumberOfRows:",
+ "setNumberOfTickMarks:",
+ "setNumberOfVisibleItems:",
+ "setObject:",
+ "setObject:atIndex:",
+ "setObject:forIndex:dictionary:",
+ "setObject:forKey:",
+ "setObject:forKey:inDomain:",
+ "setObjectBeingTested:",
+ "setObjectValue:",
+ "setObjectZone:",
+ "setObscured:",
+ "setOffScreen:width:height:rowbytes:",
+ "setOffStateImage:",
+ "setOk:",
+ "setOkButton:",
+ "setOnMouseEntered:",
+ "setOnMouseExited:",
+ "setOnStateImage:",
+ "setOneShot:",
+ "setOpaque:",
+ "setOpenGLContext:",
+ "setOption:value:",
+ "setOptionsDictionary:",
+ "setOptionsPopUp:",
+ "setOrdered:",
+ "setOrderedIndex:",
+ "setOrderingType:",
+ "setOrientation:",
+ "setOriginOffset:",
+ "setOriginalMessage:",
+ "setOtherSourceDirectories:",
+ "setOutlineTableColumn:",
+ "setOutlinesWhenSelected:",
+ "setOutputTraced:",
+ "setPackage:",
+ "setPageOrder:",
+ "setPageScroll:",
+ "setPalettePopUp:",
+ "setPanelAttribsForList",
+ "setPanelFont:isMultiple:",
+ "setPaperFeedForPopUp:",
+ "setPaperName:",
+ "setPaperSize:",
+ "setParagraphSpacing:",
+ "setParagraphStyle:",
+ "setParagraphs:",
+ "setParamDescriptor:forKeyword:",
+ "setParent:",
+ "setParentDataSource:relationshipKey:",
+ "setParentEditor:",
+ "setParentWindow:",
+ "setPassword:",
+ "setPath:",
+ "setPath:forFramework:",
+ "setPath:overwriteExistingAddressBook:",
+ "setPathName:",
+ "setPathName:delegate:",
+ "setPathName:mode:uid:gid:mTime:inode:",
+ "setPathSeparator:",
+ "setPathViewClass:",
+ "setPenAttributeWithCode:",
+ "setPercentDone:",
+ "setPercentageHeight:",
+ "setPercentageWidth:",
+ "setPeriodicDelay:interval:",
+ "setPersistentDomain:forName:",
+ "setPersistentExpandedItemsFromArray:",
+ "setPersistentTableColumnsFromArray:",
+ "setPicker:",
+ "setPickerMask:",
+ "setPickerMode:",
+ "setPixelFormat:",
+ "setPixelsHigh:",
+ "setPixelsWide:",
+ "setPlainTextValue:",
+ "setPlaysEveryFrame:",
+ "setPlaysSelectionOnly:",
+ "setPoolCountHighWaterMark:",
+ "setPoolCountHighWaterResolution:",
+ "setPopPassword:",
+ "setPort:",
+ "setPortNumber:",
+ "setPosition:",
+ "setPositiveFormat:",
+ "setPostsBoundsChangedNotifications:",
+ "setPostsFrameChangedNotifications:",
+ "setPotentialSaveDirectory:",
+ "setPramValue:",
+ "setPreferredAlternative:",
+ "setPreferredDisciplineLevelsForDisplayOnly:",
+ "setPreferredEdge:",
+ "setPreferredFilename:",
+ "setPreferredFontNames:",
+ "setPrefersColorMatch:",
+ "setPrefetchingRelationshipKeyPaths:",
+ "setPreserveParents:",
+ "setPreview:",
+ "setPreviewBox:",
+ "setPrevious",
+ "setPreviousText:",
+ "setPrimaryEmailAddress:",
+ "setPrincipalClass:",
+ "setPrintInfo:",
+ "setPrintPanel:",
+ "setPrinter:",
+ "setPriority:forFlavor:",
+ "setProcessName:",
+ "setProject:",
+ "setProjectDir:",
+ "setProjectName:",
+ "setProjectType:",
+ "setProjectTypeVersion:",
+ "setProjectVersion:",
+ "setPrompt:",
+ "setPromptsAfterFetchLimit:",
+ "setPropagatesDeletesAtEndOfEvent:",
+ "setProperties:",
+ "setProperty:forKey:",
+ "setProperty:withValue:",
+ "setPropertyList:",
+ "setPropertyList:forType:",
+ "setProtocolForProxy:",
+ "setPrototype:",
+ "setPullsDown:",
+ "setQualifier:",
+ "setQuoteBinding:",
+ "setQuotingWithSingleQuote:double:",
+ "setRangeContainerObject:",
+ "setRank:",
+ "setRate:",
+ "setRawController:",
+ "setRawData:",
+ "setRawRowKeyPaths:",
+ "setRawTextControllerClass:",
+ "setRawTextView:",
+ "setRawTextViewClass:",
+ "setRead:forMessage:",
+ "setRead:forMessages:",
+ "setReceiversSpecifier:",
+ "setRecordsEvents:forClass:",
+ "setRefreshesRefetchedObjects:",
+ "setRefusesFirstResponder:",
+ "setRelativePosition:",
+ "setReleasedWhenClosed:",
+ "setRemovable:",
+ "setRemovableDeviceButton:",
+ "setRepeatCountForNextCommand:",
+ "setReplyTimeout:",
+ "setReporter:selector:",
+ "setRepresentedFilename:",
+ "setRepresentedFrame:",
+ "setRepresentedItem:",
+ "setRepresentedObject:",
+ "setRepresentedView:",
+ "setRequestTimeout:",
+ "setRequiredFileType:",
+ "setRequiresAllQualifierBindingVariables:",
+ "setReservedThicknessForAccessoryView:",
+ "setReservedThicknessForMarkers:",
+ "setResizable:",
+ "setResizeIncrements:",
+ "setResizeable:",
+ "setResourceData:",
+ "setResourceForkData:",
+ "setResourceLocator:",
+ "setResult:item:isHeader:",
+ "setResultsLimit:",
+ "setReturnCompletes:",
+ "setReturnValue:",
+ "setReusesColumns:",
+ "setRichText:",
+ "setRichTextValue:",
+ "setRightMargin:",
+ "setRootObject:",
+ "setRoundingBehavior:",
+ "setRouterClass:",
+ "setRowHeight:",
+ "setRowSpan:",
+ "setRows:",
+ "setRowsString:",
+ "setRuleThickness:",
+ "setRulerViewClass:",
+ "setRulerVisible:",
+ "setRulersVisible:",
+ "setRunLoop:",
+ "setRunLoopModes:",
+ "setRuntimeAdaptorNames:",
+ "setSaveWeighting:",
+ "setScaleFactor:",
+ "setScalesWhenResized:",
+ "setScanLocation:",
+ "setScope:",
+ "setScript:",
+ "setScriptErrorNumber:",
+ "setScriptErrorString:",
+ "setScriptString:",
+ "setScrollView:",
+ "setScrollable:",
+ "setScrollers:",
+ "setScrolling:",
+ "setScrollsDynamically:",
+ "setSearchList:",
+ "setSearchRanks:",
+ "setSelectable:",
+ "setSelected:",
+ "setSelectedAddressBooks:",
+ "setSelectedAddressBooksByType:",
+ "setSelectedFont:isMultiple:",
+ "setSelectedRange:",
+ "setSelectedRange:affinity:stillSelecting:",
+ "setSelectedTargetCommandLineArgumentsArrayIndex:",
+ "setSelectedTextAttributes:",
+ "setSelection:",
+ "setSelection:inspecting:promulgateImmediately:",
+ "setSelectionAlignment:",
+ "setSelectionByRect:",
+ "setSelectionFrom:",
+ "setSelectionFrom:to:anchor:highlight:",
+ "setSelectionGranularity:",
+ "setSelectionNeedsPromulgation:",
+ "setSelectionRootItem:",
+ "setSelectionString:",
+ "setSelectionString:andFormat:",
+ "setSelectionStringAndSelect:",
+ "setSelector:",
+ "setSemanticDisciplineLevel:",
+ "setSendDoubleAction:",
+ "setSendFormat:",
+ "setSendSingleAction:",
+ "setSendSizeLimit:",
+ "setSender:",
+ "setSendmailMailer:",
+ "setSendsActionOnArrowKeys:",
+ "setSendsActionOnEndEditing:",
+ "setSeparatesColumns:",
+ "setSeparator:",
+ "setServerSideImageMap:",
+ "setServicesMenu:",
+ "setServicesMenuItemEnabled:forUser:enabled:",
+ "setServicesProvider:",
+ "setSet:",
+ "setSetButton:",
+ "setShadowState:",
+ "setShape:",
+ "setSharedEditingContext:",
+ "setSharedPrintInfo:",
+ "setSharedScriptSuiteRegistry:",
+ "setShellCommand:",
+ "setShouldAutoFetch:",
+ "setShouldBeViewedInline:",
+ "setShouldCascadeWindows:",
+ "setShouldCloseDocument:",
+ "setShouldCreateUI:",
+ "setShouldGenerateMain:",
+ "setShouldValidateInspectedSelection:",
+ "setShowAllHeaders:",
+ "setShowPanels:",
+ "setShowsAlpha:",
+ "setShowsBorderOnlyWhileMouseInside:",
+ "setShowsComposeAccessoryView:",
+ "setShowsControlCharacters:",
+ "setShowsFirstResponder:",
+ "setShowsInvisibleCharacters:",
+ "setShowsLabel:",
+ "setShowsShade:",
+ "setShowsStateBy:",
+ "setShowsToolTip:",
+ "setSibling1:",
+ "setSibling2:",
+ "setSignatureSelectionMethod:",
+ "setSignatures:",
+ "setSize1:",
+ "setSize2:",
+ "setSize3:",
+ "setSize4:",
+ "setSize5:",
+ "setSize6:",
+ "setSize7:",
+ "setSize:",
+ "setSize:relative:",
+ "setSizeLimit:",
+ "setSizeString:",
+ "setSizeTitle:",
+ "setSizes:",
+ "setSkipWhitespace:",
+ "setSmartInsertDeleteEnabled:",
+ "setSnapToButtons:",
+ "setSocketFromHandle:",
+ "setSoftLeftEdge:",
+ "setSoftRightEdge:",
+ "setSortOrder:",
+ "setSortOrderings:",
+ "setSortRules:",
+ "setSound:",
+ "setSource:",
+ "setSourceUrl:",
+ "setSourceUrlString:",
+ "setSpanning:",
+ "setSpoolDirectory:",
+ "setStandardError:",
+ "setStandardInput:",
+ "setStandardOutput:",
+ "setStandardUserDefaults:",
+ "setStartSpecifier:",
+ "setStartSubelementIdentifier:",
+ "setStartSubelementIndex:",
+ "setStartingIndex:",
+ "setStartingValue:",
+ "setStartsNewProcessGroup:",
+ "setStartupPath:",
+ "setState:",
+ "setState:atRow:column:",
+ "setStateFromSelectionOwner",
+ "setStaticCounterpart:",
+ "setStatus:",
+ "setStatusBar:",
+ "setStatusMenu:",
+ "setStatusMessage:",
+ "setStatusMessage:percentDone:",
+ "setStatusText:",
+ "setStopsValidationAfterFirstError:",
+ "setStrikethrough",
+ "setString:",
+ "setString:forType:",
+ "setStringValue:",
+ "setStringValue:forAttribute:",
+ "setStyleMask:",
+ "setSubject:",
+ "setSubmenu:",
+ "setSubmenu:forItem:",
+ "setSubmenuRepresentedObjectsAreStale",
+ "setSubscript",
+ "setSubscript:",
+ "setSubstitutionEditingContext:",
+ "setSum:",
+ "setSupermenu:",
+ "setSuperscript",
+ "setSuperscript:",
+ "setSupressesDuplicates:",
+ "setSuspended:",
+ "setSynchronized:",
+ "setSyntacticDiscipline:semanticDiscipline:displayOnly:",
+ "setSyntacticDisciplineLevel:",
+ "setSystemCharacterProperties:",
+ "setSystemLanguage:",
+ "setSystemLanguageContext:",
+ "setSystemLanguages:",
+ "setTabKeyTraversesCells:",
+ "setTabStops:",
+ "setTabViewType:",
+ "setTable:",
+ "setTableColumn:toVisible:atPosition:",
+ "setTableView:",
+ "setTag:",
+ "setTag:atRow:column:",
+ "setTag:target:action:atRow:column:",
+ "setTailIndent:",
+ "setTakesTitleFromPreviousColumn:",
+ "setTarCommand:",
+ "setTarget:",
+ "setTarget:atRow:column:",
+ "setTargetAbstractName:",
+ "setTargetAdditionalSourceDirectories:",
+ "setTargetClass:extraData:",
+ "setTargetCommandLineArgumentsArray:",
+ "setTargetDLLPaths:",
+ "setTargetDisplayName:",
+ "setTargetEnvironment:",
+ "setTargetPath:",
+ "setTargetPersistentStateObject:forKey:",
+ "setTargetUrl:",
+ "setTargetUses:debuggerNamed:",
+ "setTaskDictionary:",
+ "setTaskName:",
+ "setTearOffMenuRepresentation:",
+ "setTemplate:",
+ "setTemporaryAttributes:forCharacterRange:",
+ "setTest:",
+ "setText:",
+ "setTextAlignment:",
+ "setTextAlignment:overChildRange:",
+ "setTextAttributeWithCode:",
+ "setTextAttributesForNegativeValues:",
+ "setTextAttributesForPositiveValues:",
+ "setTextBody:",
+ "setTextColor:",
+ "setTextColor:range:",
+ "setTextContainer:",
+ "setTextContainer:forGlyphRange:",
+ "setTextContainerInset:",
+ "setTextController:",
+ "setTextFont:",
+ "setTextProc:",
+ "setTextStorage:",
+ "setTextView:",
+ "setTextViewClass:",
+ "setTextureWithPath:",
+ "setTextureWithUrl:",
+ "setThemeFrameWidgetState:",
+ "setThickness:",
+ "setThousandSeparator:",
+ "setTickMarkPosition:",
+ "setTimeStamp:",
+ "setTimeThreshold:",
+ "setTimeZone:",
+ "setTimeout:",
+ "setTitle:",
+ "setTitle:andDefeatWrap:",
+ "setTitle:andMessage:",
+ "setTitle:forView:",
+ "setTitle:ofColumn:",
+ "setTitleAlignment:",
+ "setTitleCell:",
+ "setTitleColor:",
+ "setTitleFont:",
+ "setTitleNoCopy:",
+ "setTitlePosition:",
+ "setTitleString:",
+ "setTitleWidth:",
+ "setTitleWithMnemonic:",
+ "setTitleWithRepresentedFilename:",
+ "setTitled:",
+ "setTo:",
+ "setTokenRange:",
+ "setToolTip:",
+ "setToolTip:forCell:",
+ "setToolTip:forView:cell:",
+ "setToolTipForView:rect:owner:userData:",
+ "setToolTips",
+ "setToolbarClass:",
+ "setToolbarController:",
+ "setTopLevelObject:",
+ "setTopMargin:",
+ "setTouched:",
+ "setTraceEventQueue:",
+ "setTrackingConstraint:",
+ "setTrackingConstraintKeyMask:",
+ "setTrailingOffset:",
+ "setTransformStruct:",
+ "setTransparent:",
+ "setTrashMailboxName:",
+ "setTreatsFilePackagesAsDirectories:",
+ "setTree:",
+ "setTrimAppExtension:",
+ "setType:",
+ "setTypesetter:",
+ "setTypingAttributes:",
+ "setURL:",
+ "setUid:",
+ "setUnderline",
+ "setUndoActionName:",
+ "setUndoManager:",
+ "setUndoNotificationEnabled:",
+ "setUndoable:",
+ "setUnquotedStringCharacters:lowerCaseLetters:upperCaseLetters:digits:",
+ "setUnquotedStringStartCharacters:lowerCaseLetters:upperCaseLetters:digits:",
+ "setUnreadCount:forMailboxAtPath:",
+ "setUpAttachment:forTextView:",
+ "setUpContextMenuItem:",
+ "setUpFieldEditorAttributes:",
+ "setUpGState",
+ "setUpPrintOperationDefaultValues",
+ "setUrl:",
+ "setUserAgent:",
+ "setUserDefinedFaces:",
+ "setUserDefinedFaces:selectingCanonicalFaceString:",
+ "setUserDefinedFaces:selectingIndex:",
+ "setUserFilteredHeaders:",
+ "setUserFixedPitchFont:",
+ "setUserFont:",
+ "setUserInfo:",
+ "setUserIsTyping:",
+ "setUsername:",
+ "setUsesAddressLineBreaks:",
+ "setUsesContextRelativeEncoding:",
+ "setUsesDataSource:",
+ "setUsesDistinct:",
+ "setUsesEPSOnResolutionMismatch:",
+ "setUsesFontPanel:",
+ "setUsesItemFromMenu:",
+ "setUsesRuler:",
+ "setUsesScreenFonts:",
+ "setUsesThreadedAnimation:",
+ "setUsesUserKeyEquivalents:",
+ "setUsesVectorMovement:",
+ "setValid:",
+ "setValidForStartup:",
+ "setValidateSize:",
+ "setValue:",
+ "setValue:forAttribute:",
+ "setValue:inObject:",
+ "setValues:forParameter:",
+ "setVersion:",
+ "setVersionNb:",
+ "setVertical:",
+ "setVerticalAlignment:",
+ "setVerticalLineScroll:",
+ "setVerticalPageScroll:",
+ "setVerticalPagination:",
+ "setVerticalRulerView:",
+ "setVerticalScroller:",
+ "setVerticalSpace:",
+ "setVerticallyCentered:",
+ "setVerticallyResizable:",
+ "setView:",
+ "setViewSize:",
+ "setViewsNeedDisplay:",
+ "setVisited",
+ "setVisitedLinkColor:",
+ "setVolatileDomain:forName:",
+ "setVolume:",
+ "setWaitCursorEnabled:",
+ "setWantsToBeColor:",
+ "setWasInterpolated:",
+ "setWidth:",
+ "setWidth:percentage:",
+ "setWidthAbsolute:",
+ "setWidthPercentage:",
+ "setWidthProportional:",
+ "setWidthString:",
+ "setWidthTracksTextView:",
+ "setWillDebugWhenLaunched:",
+ "setWindingRule:",
+ "setWindow:",
+ "setWindowController:",
+ "setWindowFrameAutosaveName:",
+ "setWindowFrameForAttachingToRect:onScreen:preferredEdge:popUpSelectedItem:",
+ "setWindowsMenu:",
+ "setWindowsNeedUpdate:",
+ "setWithArray:",
+ "setWithCapacity:",
+ "setWithObject:",
+ "setWithObjects:",
+ "setWithObjects:count:",
+ "setWithSet:",
+ "setWordFieldStringValue:",
+ "setWords:",
+ "setWorksWhenModal:",
+ "setWraps:",
+ "setWriteRtfEnriched:",
+ "set_box:",
+ "set_delegate:",
+ "set_docView:",
+ "set_mailboxesDrawerBox:",
+ "set_messageViewerBox:",
+ "set_outlineView:",
+ "set_paletteMatrix:",
+ "set_progressBar:",
+ "set_progressIndicator:",
+ "set_scrollView:",
+ "set_searchField:",
+ "set_splitView:",
+ "set_statusField:",
+ "set_stopButton:",
+ "set_tableManager:",
+ "set_tableView:",
+ "set_taskNameField:",
+ "set_textViewer:",
+ "set_toolbar:",
+ "set_transferMenuItem:",
+ "set_window:",
+ "settingFrameDuringCellAdjustment:",
+ "setup:inRoot:oneShot:",
+ "setupAccountFromValuesInUI:",
+ "setupAccounts",
+ "setupAppNIBsforProject:inFolder:projectName:",
+ "setupCarbonMenuBar",
+ "setupConnectionForServerName:",
+ "setupFileWrapper:",
+ "setupFontAndTabsForTextView:withRawFont:",
+ "setupForNoMenuBar",
+ "setupGuessesBrowser",
+ "setupInitialTextViewSharedState",
+ "setupMainThreadObject",
+ "setupOutlineView:",
+ "setupUIForMessage:",
+ "setupUIFromValuesInAccount:",
+ "shadeColorWithDistance:towardsColor:",
+ "shadow",
+ "shadowColor",
+ "shadowState",
+ "shadowWithLevel:",
+ "shallowCopy",
+ "shallowMutableCopy",
+ "shape",
+ "shapeWindow",
+ "sharedAEDescriptorTranslator",
+ "sharedAppleEventManager",
+ "sharedApplication",
+ "sharedCoercionHandler",
+ "sharedColorPanel",
+ "sharedColorPanelExists",
+ "sharedContextMenu",
+ "sharedDocumentController",
+ "sharedDragManager",
+ "sharedEditingContext",
+ "sharedFocusState",
+ "sharedFontController",
+ "sharedFontManager",
+ "sharedFontPanel",
+ "sharedFontPanelExists",
+ "sharedFrameworksPath",
+ "sharedGlyphGenerator",
+ "sharedHeartBeat",
+ "sharedHelpManager",
+ "sharedInfoPanel",
+ "sharedInspector",
+ "sharedInspectorManager",
+ "sharedInspectorManagerWithoutCreating",
+ "sharedInstance",
+ "sharedKeyBindingManager",
+ "sharedMagnifier",
+ "sharedManager",
+ "sharedPanel",
+ "sharedPopupMenuOfMailboxes",
+ "sharedPreferences",
+ "sharedPrintInfo",
+ "sharedScriptExecutionContext",
+ "sharedScriptSuiteRegistry",
+ "sharedScriptingAppleEventHandler",
+ "sharedServiceMaster",
+ "sharedSpellChecker",
+ "sharedSpellCheckerExists",
+ "sharedSupportPath",
+ "sharedSystemTypesetter",
+ "sharedTableWizard",
+ "sharedToolTipManager",
+ "sharedTracer",
+ "sharedWorkspace",
+ "shellCommand",
+ "shiftModifySelection:",
+ "shortMonthNames",
+ "shortName",
+ "shortValue",
+ "shortWeekdayNames",
+ "shouldAbsorbEdgeWhiteSpace",
+ "shouldAddEmailerMailbox:",
+ "shouldAddEudoraMailbox:",
+ "shouldAddNetscapeMailbox:",
+ "shouldAddOEMailbox:",
+ "shouldAutoFetch",
+ "shouldBeViewedInline",
+ "shouldCancel",
+ "shouldCascadeWindows",
+ "shouldChangePrintInfo:",
+ "shouldChangeTextInRange:replacementString:",
+ "shouldCloseDocument",
+ "shouldCloseWindowController:",
+ "shouldCloseWindowController:delegate:shouldCloseSelector:contextInfo:",
+ "shouldCollapseAutoExpandedItemsForDeposited:",
+ "shouldCreateUI",
+ "shouldDecodeAsAttachment",
+ "shouldDecodeSoftLinebreaks",
+ "shouldDelayWindowOrderingForEvent:",
+ "shouldDeliverMessage:delivery:",
+ "shouldDrawColor",
+ "shouldDrawInsertionPoint",
+ "shouldDrawUsingImageCacheForCellFrame:controlView:",
+ "shouldEdit:inRect:ofView:",
+ "shouldGenerateMain",
+ "shouldMoveDeletedMessagesToTrash",
+ "shouldNotImplement:",
+ "shouldPerformInvocation:",
+ "shouldPropagateDeleteForObject:inEditingContext:forRelationshipKey:",
+ "shouldRemoveWhenEmpty",
+ "shouldRunSavePanelWithAccessoryView",
+ "shouldSubstituteCustomClass",
+ "shouldUnmount:",
+ "shouldWriteIconHeader",
+ "shouldWriteMakeFile",
+ "show",
+ "showActivityViewer:",
+ "showActivityViewerWindow",
+ "showAddressManagerPanel",
+ "showAddressPanel:",
+ "showAllHeaders:",
+ "showAllViewers",
+ "showAndMakeKey:",
+ "showAppletTags",
+ "showAttachmentCell:atPoint:",
+ "showAttachmentCell:inRect:characterIndex:",
+ "showBestAlternative:",
+ "showBreakTags",
+ "showCMYKView:",
+ "showColorPanel:",
+ "showComments",
+ "showComposeAccessoryView",
+ "showComposeWindow:",
+ "showContextHelp:",
+ "showContextHelpForObject:locationHint:",
+ "showController:adjustingSize:",
+ "showDeletions:",
+ "showDeminiaturizedWindow",
+ "showEditingCharacters",
+ "showError:",
+ "showFavorites",
+ "showFavorites:",
+ "showFeedbackAtPoint:",
+ "showFilteredHeaders:",
+ "showFirstAlternative:",
+ "showFontPanel:",
+ "showGUIOrPreview:",
+ "showGUIView:",
+ "showGenericBackgroundAndText",
+ "showGreyScaleView:",
+ "showGuessPanel:",
+ "showHSBView:",
+ "showHelp:",
+ "showHelpFile:context:",
+ "showIllegalFragments",
+ "showImageTags",
+ "showInfoPanel:",
+ "showInlineFrameTags",
+ "showInspector:",
+ "showKnownTags",
+ "showMailboxesPanel:",
+ "showMainThreadIsBusy:",
+ "showMainThreadIsNotBusy:",
+ "showMessage:",
+ "showMessage:arguments:",
+ "showModalPreferencesPanel",
+ "showModalPreferencesPanelForOwner:",
+ "showNextAlternative:",
+ "showNoView",
+ "showNonbreakingSpaces",
+ "showNumbers:",
+ "showPackedGlyphs:length:glyphRange:atPoint:font:color:printingAdjustment:",
+ "showPanel:",
+ "showPanel:andNotify:with:",
+ "showPanels",
+ "showParagraphTags",
+ "showPeople:",
+ "showPools",
+ "showPreferences:",
+ "showPreferencesPanel",
+ "showPreferencesPanel:",
+ "showPreferencesPanelForOwner:",
+ "showPreviewView:",
+ "showPreviousAlternative:",
+ "showPrintPanel:",
+ "showRGBView:",
+ "showRawView:",
+ "showScript",
+ "showSearchPanel:",
+ "showSelectionAndCenter:",
+ "showSizes:",
+ "showSpacesVisibly",
+ "showStatusLine:",
+ "showStatusMessage:",
+ "showTableTags",
+ "showThreadIsBusy",
+ "showTip:",
+ "showTopLevelTags",
+ "showUI",
+ "showUnknownTags",
+ "showValidation:",
+ "showViewerWindow:",
+ "showWindow:",
+ "showWindows",
+ "showsAlpha",
+ "showsBorderOnlyWhileMouseInside",
+ "showsControlCharacters",
+ "showsFirstResponder",
+ "showsInvisibleCharacters",
+ "showsLabel",
+ "showsShade",
+ "showsStateBy",
+ "showsToolTip",
+ "shutAllDrawers:",
+ "sideBorderCell",
+ "sideSpacer",
+ "signal",
+ "signature",
+ "signatureOfType:",
+ "signatureSelectionMethod",
+ "signatureWithObjCTypes:",
+ "signatures",
+ "signaturesPath",
+ "significantText",
+ "simpleChild",
+ "singlestep:",
+ "size",
+ "sizeAndInstallSubviews",
+ "sizeCreditsView",
+ "sizeDecrease1:",
+ "sizeDecrease2:",
+ "sizeDecrease3:",
+ "sizeDecrease4:",
+ "sizeDecrease5:",
+ "sizeDecrease6:",
+ "sizeForKey:inTable:",
+ "sizeForMagnification:",
+ "sizeForPaperName:",
+ "sizeIncrease1:",
+ "sizeIncrease2:",
+ "sizeIncrease3:",
+ "sizeIncrease4:",
+ "sizeIncrease5:",
+ "sizeIncrease6:",
+ "sizeLastColumnToFit",
+ "sizeLimit",
+ "sizeOfBlock:",
+ "sizeOfDictionary:",
+ "sizeOfLabel:",
+ "sizeOfMessageNumber:",
+ "sizeOfMessagesAvailable",
+ "sizeOfTitlebarButtons",
+ "sizeOfTitlebarButtons:",
+ "sizeOfTypesetterGlyphInfo",
+ "sizeSimpleCellsEnMasse",
+ "sizeString",
+ "sizeToCells",
+ "sizeToFit",
+ "sizeValue",
+ "sizeWithAttributes:",
+ "skipDescendents",
+ "skipDirectory",
+ "skipDirectory:",
+ "skipUnimplementedOpcode:",
+ "skipWhitespace",
+ "skippingWhitespace",
+ "sleepForTimeInterval:",
+ "sleepUntilDate:",
+ "slideDraggedImageTo:",
+ "slideImage:from:to:",
+ "slotForKey:",
+ "smallSystemFontSize",
+ "smaller:",
+ "smallestEncoding",
+ "smartCapitalizedString",
+ "smartDeleteRangeForProposedRange:",
+ "smartInsertAfterStringForString:replacingRange:",
+ "smartInsertBeforeStringForString:replacingRange:",
+ "smartInsertDeleteEnabled",
+ "smartInsertForString:replacingRange:beforeString:afterString:",
+ "snapshot",
+ "socket",
+ "socketType",
+ "softLeftEdge",
+ "softRightEdge",
+ "sortAscending:",
+ "sortByAuthor:",
+ "sortByDate:",
+ "sortByNumber:",
+ "sortByReadStatus:",
+ "sortBySize:",
+ "sortByTitle:",
+ "sortDescending:",
+ "sortKeyForString:range:flags:",
+ "sortOrder",
+ "sortOrderToColumnKey:",
+ "sortOrderingWithKey:selector:",
+ "sortOrderings",
+ "sortRules",
+ "sortRulesPath",
+ "sortSubviewsUsingFunction:context:",
+ "sortUsingFunction:context:",
+ "sortUsingFunction:context:range:",
+ "sortUsingKeyOrderArray:",
+ "sortUsingSelector:",
+ "sortedArrayHint",
+ "sortedArrayUsingFunction:context:",
+ "sortedArrayUsingFunction:context:hint:",
+ "sortedArrayUsingKeyOrderArray:",
+ "sortedArrayUsingSelector:",
+ "sortedArrayUsingSelector:hint:",
+ "sound",
+ "sound:didFinishPlaying:",
+ "soundNamed:",
+ "soundUnfilteredFileTypes",
+ "soundUnfilteredPasteboardTypes",
+ "source",
+ "sourceDirectories",
+ "sourceDirectoryPaths",
+ "sourceKeys",
+ "sourceTree",
+ "sourceUrl",
+ "sourceUrlString",
+ "spaceToOpen:",
+ "spacerRowWithHeight:columnSpan:backgroundColor:",
+ "spacesPerTab",
+ "spacingAction:",
+ "spacingTextfieldAction:",
+ "specialImageWithType:",
+ "specifiedPathForFrameworkNamed:",
+ "spellCheckerDocumentTag",
+ "spellServer:didForgetWord:inLanguage:",
+ "spellServer:didLearnWord:inLanguage:",
+ "spellServer:findMisspelledWordInString:language:wordCount:countOnly:",
+ "spellServer:suggestGuessesForWord:inLanguage:",
+ "spellingPanel",
+ "splitCellHorizontally:",
+ "splitCellVertically:",
+ "splitFrameHorizontally:",
+ "splitFrameVertically:",
+ "splitKeysIntoSubkeys",
+ "splitOverRange:",
+ "splitVertically:",
+ "splitView:canCollapseSubview:",
+ "splitView:constrainMaxCoordinate:ofSubviewAt:",
+ "splitView:constrainMinCoordinate:maxCoordinate:ofSubviewAt:",
+ "splitView:constrainMinCoordinate:ofSubviewAt:",
+ "splitView:constrainSplitPosition:ofSubviewAt:",
+ "splitView:resizeSubviewsWithOldSize:",
+ "splitViewDidResizeSubviews:",
+ "splitViewWillResizeSubviews:",
+ "spoolDirectory",
+ "spoolToTableData:",
+ "standardDoubleActionForEvent:inTextView:withFrame:",
+ "standardError",
+ "standardInput",
+ "standardOutput",
+ "standardRunLoopModes",
+ "standardUserDefaults",
+ "standardizedNativePath",
+ "standardizedURL",
+ "standardizedURLPath",
+ "start:",
+ "startAnimation:",
+ "startArchiving:",
+ "startDate",
+ "startEditingKey:",
+ "startEditingOption:",
+ "startIndex",
+ "startInputStream:closeOnEnd:",
+ "startLogging",
+ "startMessageClearCheck:",
+ "startObservingViewBoundsChange:",
+ "startPeriodicEventsAfterDelay:withPeriod:",
+ "startProfiling",
+ "startRegion:atAddress:",
+ "startRegion:ofLength:atAddress:",
+ "startRoot",
+ "startSelectionObservation",
+ "startSpecifier",
+ "startSubelementIdentifier",
+ "startSubelementIndex",
+ "startSynchronization",
+ "startTimer:userInfo:",
+ "startTrackingAt:inView:",
+ "startTrackingWithEvent:inView:withDelegate:",
+ "startTransaction",
+ "startWaitCursorTimer",
+ "starters",
+ "startingIndex",
+ "startupPath",
+ "stashSize",
+ "state",
+ "stateForChild:ofItem:",
+ "stateImageOffset",
+ "stateImageRectForBounds:",
+ "stateImageWidth",
+ "staticValidationDescription",
+ "statistics",
+ "status",
+ "statusBar",
+ "statusForMailbox:args:errorMessage:",
+ "statusForTable:",
+ "statusItemWithLength:",
+ "statusMenu",
+ "statusMessage",
+ "statusOf:",
+ "stepBack:",
+ "stepForward:",
+ "stepKey:elements:number:state:",
+ "stepsCountForOperation:",
+ "stop",
+ "stop:",
+ "stopAllActivity",
+ "stopAnimation:",
+ "stopCoalescing",
+ "stopEditingSession",
+ "stopLogging",
+ "stopModal",
+ "stopModalWithCode:",
+ "stopObservingViewBoundsChange:",
+ "stopPeriodicEvents",
+ "stopProfiling",
+ "stopSelectionObservation",
+ "stopTimer",
+ "stopTracking:at:inView:mouseIsUp:",
+ "stopTrackingWithEvent:",
+ "stopUpdatingIndex",
+ "stopsValidationAfterFirstError",
+ "store",
+ "storeAtPathIsWritable:",
+ "storeBeingDeleted:",
+ "storeClass",
+ "storeColorPanel:",
+ "storeDidOpen:",
+ "storeExistsForPath:",
+ "storeFlags:state:forUids:",
+ "storeForMailboxAtPath:",
+ "storeForMailboxAtPath:create:",
+ "storePath",
+ "storePathRelativeToAccount",
+ "storePathRelativeToMailboxDirectory",
+ "storeStructureChanged:",
+ "storedValueForKey:",
+ "stream",
+ "string",
+ "string:",
+ "stringArrayForKey:",
+ "stringByAbbreviatingWithTildeInPath",
+ "stringByAddingPercentEscapes",
+ "stringByAppendingFormat:",
+ "stringByAppendingPathComponent:",
+ "stringByAppendingPathExtension:",
+ "stringByAppendingString:",
+ "stringByConvertingPathToURL",
+ "stringByConvertingURLToPath",
+ "stringByDeletingLastPathComponent",
+ "stringByDeletingPathExtension",
+ "stringByDeletingSuffixWithDelimiter:",
+ "stringByExpandingEnvironmentVariablesInString:",
+ "stringByExpandingTildeInPath",
+ "stringByExpandingVariablesInString:withDictionary:objectList:",
+ "stringByInsertingText:",
+ "stringByLocalizingReOrFwdPrefix",
+ "stringByRemovingPercentEscapes",
+ "stringByRemovingPrefix:ignoreCase:",
+ "stringByRemovingReAndFwd",
+ "stringByReplacingString:withString:",
+ "stringByResolvingSymlinksInPath",
+ "stringByStandardizingPath",
+ "stringByStrippingEnclosingNewlines",
+ "stringBySummingWithStringAsIntegers:",
+ "stringDrawingTextStorage",
+ "stringEncodingFromMimeCharsetTag:",
+ "stringForDPSError:",
+ "stringForIndexing",
+ "stringForKey:",
+ "stringForKey:inTable:",
+ "stringForObjectValue:",
+ "stringForOperatorSelector:",
+ "stringForType:",
+ "stringFromGrammarKey:isPlural:",
+ "stringListForKey:inTable:",
+ "stringMarkingUpcaseTransitionsWithDelimiter2:",
+ "stringMarkingUpcaseTransitionsWithDelimiter:",
+ "stringRepeatedTimes:",
+ "stringRepresentation",
+ "stringToColor",
+ "stringToComplete:",
+ "stringToPrintWithHTMLString:",
+ "stringValue",
+ "stringValueForAttribute:",
+ "stringWithCString:",
+ "stringWithCString:length:",
+ "stringWithCapacity:",
+ "stringWithCharacters:length:",
+ "stringWithContentsOfFile:",
+ "stringWithContentsOfURL:",
+ "stringWithData:encoding:",
+ "stringWithFileSystemRepresentation:length:",
+ "stringWithFormat:",
+ "stringWithFormat:locale:",
+ "stringWithRepeatedCharacter:count:",
+ "stringWithSavedFrame",
+ "stringWithString:",
+ "stringWithString:language:",
+ "stringWithUTF8String:",
+ "stringWithoutAmpersand",
+ "stringWithoutLeadingSpace",
+ "stringWithoutNewlinesOnEnds",
+ "stringWithoutSpaceOnEnds",
+ "stringWithoutTrailingSpace",
+ "stringsByAppendingPathComponent:",
+ "stringsByAppendingPaths:",
+ "strippedHTMLStringWithData:",
+ "stroke",
+ "strokeLineFromPoint:toPoint:",
+ "strokeRect:",
+ "structuralElementsInItem:",
+ "structureDidChange",
+ "styleInfo",
+ "styleInfoForSelection:ofAttributedString:",
+ "styleMask",
+ "subProjectTypeList",
+ "subProjectTypesForProjectType:",
+ "subarrayWithRange:",
+ "subclassFrameForSuperclassFrame:selected:",
+ "subclassResponsibility:",
+ "subdataFromIndex:",
+ "subdataToIndex:",
+ "subdataWithRange:",
+ "subdivideBezierWithFlatness:startPoint:controlPoint1:controlPoint2:endPoint:",
+ "subelements",
+ "subevents",
+ "subject",
+ "subjectChanged",
+ "subkeyListForKey:",
+ "submenu",
+ "submenuAction:",
+ "submenuRepresentedObjects",
+ "submenuRepresentedObjectsAreStale",
+ "submitButton",
+ "submitValue",
+ "submitWithButton:inHTMLView:",
+ "subnodeAtIndex:",
+ "subnodes",
+ "subnodesCount",
+ "subpathsAtPath:",
+ "subprojKeys",
+ "subprojectKeyList",
+ "subprojects",
+ "subscript:",
+ "subscriptRange:",
+ "subsetMappingForSourceDictionaryInitializer:",
+ "subsetMappingForSourceDictionaryInitializer:sourceKeys:destinationKeys:",
+ "substituteFontForFont:",
+ "substitutionEditingContext",
+ "substringFromIndex:",
+ "substringToIndex:",
+ "substringWithRange:",
+ "subtractPostingsIn:",
+ "subtractTextStyle:subtractingDirectConflicts:",
+ "subtreeWidthsInvalid",
+ "subtype",
+ "subview:didDrawRect:",
+ "subviews",
+ "suffixForOSType:",
+ "suffixWithDelimiter:",
+ "suiteDescription",
+ "suiteForAppleEventCode:",
+ "suiteName",
+ "suiteNameArray",
+ "suiteNames",
+ "sum",
+ "superClass",
+ "superClassDescription",
+ "superProject",
+ "superclass",
+ "superclassDescription",
+ "superclassFrameForSubclassFrame:",
+ "supermenu",
+ "superscript:",
+ "superscriptRange:",
+ "superview",
+ "superviewChanged:",
+ "superviewFrameChanged:",
+ "supportedEncodings",
+ "supportedWindowDepths",
+ "supportsAuthentication",
+ "supportsCommand:",
+ "supportsMode:",
+ "supportsMultipleSelection",
+ "supportsReadingData",
+ "supportsWritingData",
+ "suppressCapitalizedKeyWarning",
+ "suppressFinalBlockCharacters",
+ "suppressObserverNotification",
+ "surfaceID",
+ "suspendLogging",
+ "suspendReaderLocks",
+ "suspended",
+ "suspiciousCodepage1252ByteSet",
+ "swapElement:withElement:",
+ "swapWithMark:",
+ "swatchWidth",
+ "switchEditFocusToCell:",
+ "switchImage:",
+ "switchList:",
+ "symbolicLinkDestination",
+ "syncItemsWithPopup",
+ "syncToView",
+ "syncToView:",
+ "syncToViewUnconditionally",
+ "synchronize",
+ "synchronizeFile",
+ "synchronizeMailboxesMenusIfNeeded",
+ "synchronizeTitleAndSelectedItem",
+ "synchronizeWindowTitleWithDocumentName",
+ "synchronizeWithOtherClients",
+ "synchronizeWithServer",
+ "synonymTerminologyDictionary:",
+ "syntacticDiscipline",
+ "syntacticDisciplineLevel",
+ "syntacticPolicyChanged:",
+ "systemCharacterProperties",
+ "systemColorsDidChange:",
+ "systemDefaultPortNameServer",
+ "systemDeveloperDirectory",
+ "systemExtensions",
+ "systemExtensionsList",
+ "systemFontOfSize:",
+ "systemFontSize",
+ "systemLanguage",
+ "systemLanguageContext",
+ "systemLanguages",
+ "systemLibraryDirectory",
+ "systemStatusBar",
+ "systemTimeZone",
+ "systemVersion",
+ "tabKeyTraversesCells",
+ "tabState",
+ "tabStopType",
+ "tabStops",
+ "tabView",
+ "tabView:didSelectTabViewItem:",
+ "tabView:shouldSelectTabViewItem:",
+ "tabView:willSelectTabViewItem:",
+ "tabViewAdded",
+ "tabViewDidChangeNumberOfTabViewItems:",
+ "tabViewItemAtIndex:",
+ "tabViewItemAtPoint:",
+ "tabViewItems",
+ "tabViewRemoved",
+ "tabViewType",
+ "table",
+ "tableColor",
+ "tableColumnWithIdentifier:",
+ "tableColumns",
+ "tableDatas",
+ "tableDecorationSize",
+ "tableEnumerator",
+ "tableFor:",
+ "tableMatrixBox",
+ "tableStructureChanged",
+ "tableView",
+ "tableView:acceptDrop:row:dropOperation:",
+ "tableView:didClickTableColumn:",
+ "tableView:didDragTableColumn:",
+ "tableView:doCommandBySelector:",
+ "tableView:dragImageForRows:event:dragImageOffset:",
+ "tableView:mouseDownInHeaderOfTableColumn:",
+ "tableView:objectValueForTableColumn:row:",
+ "tableView:setObjectValue:forTableColumn:row:",
+ "tableView:shouldEditTableColumn:row:",
+ "tableView:shouldSelectRow:",
+ "tableView:shouldSelectTableColumn:",
+ "tableView:validateDrop:proposedRow:proposedDropOperation:",
+ "tableView:willDisplayCell:forTableColumn:row:",
+ "tableView:willStartDragWithEvent:",
+ "tableView:writeRows:toPasteboard:",
+ "tableViewAction:",
+ "tableViewColumnDidMove:",
+ "tableViewColumnDidResize:",
+ "tableViewDidEndDragging:",
+ "tableViewDidScroll:",
+ "tableViewDragWillEnd:deposited:",
+ "tableViewSelectionDidChange:",
+ "tableViewSelectionIsChanging:",
+ "tag",
+ "tagForItem:",
+ "tagWithRange:",
+ "tailIndent",
+ "takeColorFrom:",
+ "takeDoubleValueFrom:",
+ "takeFindStringFromSelection:",
+ "takeFloatValueFrom:",
+ "takeIntValueFrom:",
+ "takeObjectValueFrom:",
+ "takeOverAsSelectionOwner",
+ "takeSelectedTabViewItemFromSender:",
+ "takeSettingsFromAccount:",
+ "takeStoredValue:forKey:",
+ "takeStoredValuesFromDictionary:",
+ "takeStringValueFrom:",
+ "takeValue:forKey:",
+ "takeValue:forKeyPath:",
+ "takeValuesFromDictionary:",
+ "takesTitleFromPreviousColumn",
+ "tarCommand",
+ "target",
+ "targetAbstractName",
+ "targetAdditionalSourceDirectories",
+ "targetAllowableDebuggerNames",
+ "targetClass",
+ "targetClassForFault:",
+ "targetCommandLineArgumentsArray",
+ "targetDLLPaths",
+ "targetDisplayName",
+ "targetEnvironment",
+ "targetForAction:",
+ "targetForAction:to:from:",
+ "targetPath",
+ "targetPersistentState",
+ "targetPersistentStateObjectForKey:",
+ "targetSourceDirectories",
+ "targetSourceTree",
+ "targetUrl",
+ "targetUsesDebuggerNamed:",
+ "targetsFor:",
+ "taskDictionary",
+ "taskExitedNormally",
+ "taskName",
+ "tearOffMenuRepresentation",
+ "tearOffTitlebarHighlightColor",
+ "tearOffTitlebarShadowColor",
+ "template",
+ "temporaryAddressBookFromLDAPSearchResults:",
+ "temporaryAddressBookWithName:",
+ "temporaryAttributesAtCharacterIndex:effectiveRange:",
+ "terminate",
+ "terminate:",
+ "terminateForClient:",
+ "terminateNoConfirm",
+ "terminateTask",
+ "terminationStatus",
+ "test",
+ "testPart:",
+ "testStructArrayAtIndex:",
+ "text",
+ "textAlignment",
+ "textAlignmentForSelection",
+ "textAttributesForNegativeValues",
+ "textAttributesForPositiveValues",
+ "textBackgroundColor",
+ "textColor",
+ "textContainer",
+ "textContainerChangedGeometry:",
+ "textContainerChangedTextView:",
+ "textContainerForGlyphAtIndex:effectiveRange:",
+ "textContainerHeight",
+ "textContainerInset",
+ "textContainerOrigin",
+ "textContainerWidth",
+ "textContainers",
+ "textController",
+ "textDidBeginEditing:",
+ "textDidChange:",
+ "textDidEndEditing:",
+ "textEncoding",
+ "textFindingStringWithRangeMap:",
+ "textMergeWithLogging:",
+ "textObjectToSearchIn",
+ "textProc",
+ "textRangeForTokenRange:",
+ "textShouldBeginEditing:",
+ "textShouldEndEditing:",
+ "textStorage",
+ "textStorage:edited:range:changeInLength:invalidatedRange:",
+ "textStorageDidProcessEditing:",
+ "textStorageWillProcessEditing:",
+ "textStorageWithSize:",
+ "textStyleForFontTrait:shouldRemove:",
+ "textStyles",
+ "textView",
+ "textView:clickedOnCell:inRect:",
+ "textView:clickedOnCell:inRect:atIndex:",
+ "textView:clickedOnLink:",
+ "textView:clickedOnLink:atIndex:",
+ "textView:doCommandBySelector:",
+ "textView:doubleClickedOnCell:inRect:",
+ "textView:doubleClickedOnCell:inRect:atIndex:",
+ "textView:draggedCell:inRect:event:",
+ "textView:draggedCell:inRect:event:atIndex:",
+ "textView:shouldChangeTextInRange:replacementString:",
+ "textView:shouldReadSelectionFromPasteboard:type:result:",
+ "textView:willChangeSelectionFromCharacterRange:toCharacterRange:",
+ "textViewChangedFrame:",
+ "textViewClass",
+ "textViewDidChangeSelection:",
+ "textViewForBeginningOfSelection",
+ "textViewWidthFitsContent",
+ "texture",
+ "textureUrl",
+ "thickness",
+ "thicknessRequiredInRuler",
+ "thousandSeparator",
+ "thousandsSeparator",
+ "threadDictionary",
+ "tickMarkPosition",
+ "tickMarkValueAtIndex:",
+ "tightenKerning:",
+ "tile",
+ "timeInterval",
+ "timeIntervalSince1970",
+ "timeIntervalSinceDate:",
+ "timeIntervalSinceNow",
+ "timeIntervalSinceReferenceDate",
+ "timeZone",
+ "timeZoneDetail",
+ "timeZoneForSecondsFromGMT:",
+ "timeZoneWithAbbreviation:",
+ "timeZoneWithName:",
+ "timeZoneWithName:data:",
+ "timeout",
+ "timeoutOnSaveToProjectPath:",
+ "timerWithFireDate:target:selector:userInfo:",
+ "timerWithTimeInterval:invocation:repeats:",
+ "timerWithTimeInterval:target:selector:userInfo:repeats:",
+ "timersForMode:",
+ "timestamp",
+ "title",
+ "titleAlignment",
+ "titleBarFontOfSize:",
+ "titleButtonOfClass:",
+ "titleCell",
+ "titleColor",
+ "titleFont",
+ "titleForView:",
+ "titleFrameOfColumn:",
+ "titleHeight",
+ "titleOfColumn:",
+ "titleOfSelectedItem",
+ "titlePosition",
+ "titleRect",
+ "titleRectForBounds:",
+ "titleString",
+ "titleWidth",
+ "titleWidth:",
+ "titlebarRect",
+ "tmpNameFromPath:",
+ "tmpNameFromPath:extension:",
+ "to",
+ "toManyRelationshipKeys",
+ "toOneRelationshipKeys",
+ "toRecipients",
+ "tocHeaderData",
+ "tocSillyDateInt",
+ "toggle:",
+ "toggleContinuousSpellChecking:",
+ "toggleEditingCharacters:",
+ "toggleFrameConnected:",
+ "toggleHyphenation:",
+ "toggleMultiple:",
+ "togglePageBreaks:",
+ "togglePlatformInputSystem:",
+ "toggleRich:",
+ "toggleRuler:",
+ "toggleSelected:",
+ "toggleTableEditingMode:",
+ "toggleWidgetInView:withButtonID:action:",
+ "tokenCount",
+ "tokenIndex",
+ "tokenInfoAtIndex:",
+ "tokenRange",
+ "tokenRangeForTextRange:",
+ "tokenize",
+ "tokenizeUsing:",
+ "toolBarAction:",
+ "toolTip",
+ "toolTipColor",
+ "toolTipForCell:",
+ "toolTipForView:cell:",
+ "toolTipTextColor",
+ "toolTipsFontOfSize:",
+ "toolbar",
+ "toolbarButton",
+ "toolbarClass",
+ "toolbarConfiguration",
+ "toolbarController",
+ "toolbarResponder",
+ "toolbarStrings",
+ "tooltipStringForItem:",
+ "tooltipStringForString:",
+ "topAutoreleasePoolCount",
+ "topLevelObject",
+ "topLevelTableWithHeaderParent:imageParent:topMargin:",
+ "topMargin",
+ "topRenderingRoot",
+ "topTextView",
+ "topUndoObject",
+ "totalAutoreleasedObjects",
+ "totalCount",
+ "totalCount:andSize:",
+ "totalDiskSpace",
+ "totalWidthOfAllColumns",
+ "touchRegion:ofLength:",
+ "touched",
+ "trace",
+ "traceWithFlavor:priority:format:",
+ "traceWithFlavor:priority:format:arguments:",
+ "trackKnob:",
+ "trackLinkInRect:ofView:",
+ "trackMagnifierForPanel:",
+ "trackMarker:withMouseEvent:",
+ "trackMouse:adding:",
+ "trackMouse:inRect:ofView:atCharacterIndex:untilMouseUp:",
+ "trackMouse:inRect:ofView:untilMouseUp:",
+ "trackPagingArea:",
+ "trackRect",
+ "trackScrollButtons:",
+ "trackWithEvent:",
+ "trackWithEvent:inView:withDelegate:",
+ "trackerForSelection:",
+ "trackingConstraint",
+ "trackingConstraintKeyMask",
+ "trackingNumber",
+ "trailingBlockCharacterLengthWithMap:",
+ "trailingOffset",
+ "traitsOfFont:",
+ "transactionID",
+ "transferAgain:",
+ "transferSelectionToMailboxAtPath:deleteOriginals:",
+ "transferToMailbox:",
+ "transform",
+ "transform:",
+ "transformBezierPath:",
+ "transformPoint:",
+ "transformRect:",
+ "transformSize:",
+ "transformStruct",
+ "transformUsingAffineTransform:",
+ "translateFromKeys:toKeys:",
+ "translateOriginToPoint:",
+ "translateTo::",
+ "translateXBy:yBy:",
+ "transparentColor",
+ "transpose:",
+ "transposeWords:",
+ "trashCheckboxClicked:",
+ "trashMailboxName",
+ "trashMessageStoreCreatingIfNeeded:",
+ "trashMessageStorePath",
+ "traverseAtProject:data:",
+ "traverseProject:targetObject:targetSelector:userData:",
+ "traverseWithTarget:selector:context:",
+ "treatsFilePackagesAsDirectories",
+ "tree",
+ "trimWhitespace",
+ "trimWithCharactersInCFString:",
+ "truncateFileAtOffset:",
+ "tryLock",
+ "tryLockForReading",
+ "tryLockForWriting",
+ "tryLockWhenCondition:",
+ "tryToPerform:with:",
+ "turnOffKerning:",
+ "turnOffLigatures:",
+ "twiddleToHTMLTextFieldTextView",
+ "twiddleToNSTextView",
+ "type",
+ "typeChanged:",
+ "typeComboBoxChanged:",
+ "typeDescription",
+ "typeEnumerator",
+ "typeForArgumentWithName:",
+ "typeForKey:",
+ "typeFromFileExtension:",
+ "typeToUnixName:",
+ "types",
+ "typesFilterableTo:",
+ "typesetter",
+ "typesetterLaidOneGlyph:",
+ "typingAttributes",
+ "uid",
+ "unableToSetNilForKey:",
+ "unarchiveObjectWithData:",
+ "unarchiveObjectWithFile:",
+ "unarchiver:objectForReference:",
+ "uncacheDarkenedImage:",
+ "unchainContext",
+ "uncommentedAddress",
+ "uncommentedAddressList",
+ "uncommentedAddressRespectingGroups",
+ "undeleteLastDeletedMessages",
+ "undeleteMessage",
+ "undeleteMessages:",
+ "undeleteSelection",
+ "underline:",
+ "underlineGlyphRange:underlineType:lineFragmentRect:lineFragmentGlyphRange:containerOrigin:",
+ "underlinePosition",
+ "underlineThickness",
+ "undo",
+ "undo:",
+ "undoActionName",
+ "undoFieldToSlider",
+ "undoLevels",
+ "undoLevelsChanged:",
+ "undoManager",
+ "undoManagerDidBeginUndoGrouping:",
+ "undoManagerForTextView:",
+ "undoManagerForWindow:",
+ "undoMenuItemTitle",
+ "undoMenuTitleForUndoActionName:",
+ "undoNestedGroup",
+ "undoNotificationEnabled",
+ "undoRedo:",
+ "undoSliderToField",
+ "unescapedUnicodeString",
+ "unfocus:",
+ "unfocusView:",
+ "unfreeze:",
+ "unhide",
+ "unhide:",
+ "unhideAllApplications:",
+ "unhideApplication",
+ "unhideWithoutActivation",
+ "unionBitVector:",
+ "unionSet:",
+ "unionWithBitVector:",
+ "uniqueInstance:",
+ "uniqueKey:",
+ "uniquePath",
+ "uniquePathWithMaximumLength:",
+ "uniqueSpellDocumentTag",
+ "uniqueStateIdentifier",
+ "uniqueURL",
+ "uniquedAttributes",
+ "uniquedMarkerString",
+ "unixToTypeName:",
+ "unload",
+ "unlock",
+ "unlockFocus",
+ "unlockFocusInRect:",
+ "unlockForReading",
+ "unlockForWriting",
+ "unlockTopMostReader",
+ "unlockWithCondition:",
+ "unmarkText",
+ "unmountAndEjectDeviceAtPath:",
+ "unmounted:",
+ "unparse",
+ "unquotedAttributeStringValue",
+ "unquotedFromSpaceDataWithRange:",
+ "unquotedString",
+ "unreadCount",
+ "unreadCountChanged:",
+ "unreadCountForMailboxAtPath:",
+ "unregisterDragTypesForWindow:",
+ "unregisterDraggedTypes",
+ "unregisterImageRepClass:",
+ "unregisterIndexedStore:",
+ "unregisterMessageClass:",
+ "unregisterMessageClassForEncoding:",
+ "unregisterObjectWithServicePath:",
+ "unregisterServiceProviderNamed:",
+ "unrollTransaction",
+ "unscript:",
+ "unscriptRange:",
+ "unsignedCharValue",
+ "unsignedIntValue",
+ "unsignedLongLongValue",
+ "unsignedLongValue",
+ "unsignedShortValue",
+ "unwrapFromNode:adapting:",
+ "update",
+ "update:",
+ "updateAppendButtonState",
+ "updateAppleMenu:",
+ "updateAttachmentsFromPath:",
+ "updateBackground:",
+ "updateCell:",
+ "updateCellInside:",
+ "updateChangeCount:",
+ "updateCurGlyphOffset",
+ "updateDragTypeRegistration",
+ "updateDynamicServices:",
+ "updateEnabledState",
+ "updateEventCoalescing",
+ "updateFavoritesDestination:",
+ "updateFeedback",
+ "updateFileAttributesFromPath:",
+ "updateFileExtensions:",
+ "updateFilteredListsForMessagesAdded:reason:",
+ "updateFilteredListsForMessagesRemoved:reason:",
+ "updateFontPanel",
+ "updateFrame",
+ "updateFrameColors:",
+ "updateFromPath:",
+ "updateFromPrintInfo",
+ "updateFromSnapshot:",
+ "updateHeaderFields",
+ "updateHeartBeatState",
+ "updateInDock",
+ "updateInfo:parent:rootObject:",
+ "updateInputContexts",
+ "updateInsertionPointStateAndRestartTimer:",
+ "updateMailboxListing:",
+ "updateMap:forChangeInLength:",
+ "updateNameMap",
+ "updateNib",
+ "updateObject:",
+ "updateOptions",
+ "updateOptionsWithApplicationIcon",
+ "updateOptionsWithApplicationName",
+ "updateOptionsWithBackgroundImage",
+ "updateOptionsWithCopyright",
+ "updateOptionsWithCredits",
+ "updateOptionsWithProjectVersion",
+ "updateOptionsWithVersion",
+ "updatePageColorsPanel",
+ "updateProjects",
+ "updateRendering",
+ "updateRendering:",
+ "updateRequestServers:forUser:",
+ "updateRuler",
+ "updateScroller",
+ "updateSpellingPanelWithMisspelledWord:",
+ "updateSubmenu:",
+ "updateSwatch",
+ "updateTableHeaderToMatchCurrentSort",
+ "updateTextViewerToSelection",
+ "updateTitleControls",
+ "updateToggleWidget:",
+ "updateUI",
+ "updateUIOfTextField:withPath:",
+ "updateUserInfoToLatestValues",
+ "updateValidationButton:",
+ "updateWindowDirtyState:",
+ "updateWindows",
+ "updateWindowsItem:",
+ "updatedObjects",
+ "uppercaseLetterCharacterSet",
+ "uppercaseSelfWithLocale:",
+ "uppercaseString",
+ "uppercaseStringWithLanguage:",
+ "uppercaseWord:",
+ "uppercasedRetainedStringWithCharacters:length:",
+ "url",
+ "urlEncodedString",
+ "urlPathByAppendingComponent:",
+ "urlPathByDeletingLastComponent",
+ "urlPathRelativeToPath:",
+ "urlStringForLocation:inFrame:",
+ "urlVisited:",
+ "usableParts",
+ "useAllLigatures:",
+ "useDeferredFaultCreation",
+ "useDisabledEffectForState:",
+ "useFont:",
+ "useHighlightEffectForState:",
+ "useOptimizedDrawing:",
+ "useStandardKerning:",
+ "useStandardLigatures:",
+ "useStoredAccessor",
+ "usedRectForTextContainer:",
+ "usedRectIncludingFloaters",
+ "user",
+ "user:",
+ "userAddressBookWithName:",
+ "userAgent",
+ "userChoseTargetFile:",
+ "userData",
+ "userDefaultsChanged",
+ "userDefinedFaces",
+ "userEmail",
+ "userFacesChanged:",
+ "userFilteredHeaders",
+ "userFixedPitchFontOfSize:",
+ "userFontOfSize:",
+ "userFullName",
+ "userHomeDirectory",
+ "userInfo",
+ "userInfoForMailboxAtPath:",
+ "userInfoForMailboxAtPath:fetchIfNotCached:",
+ "userInfoForMailboxAtPath:fetchIfNotCached:refreshIfCached:",
+ "userIsTyping",
+ "userKeyEquivalent",
+ "userKeyEquivalentModifierMask",
+ "userName",
+ "userPresentableDescription",
+ "userPresentableDescriptionForObject:",
+ "userWantsIndexForStore",
+ "username",
+ "usesAddressLineBreaks",
+ "usesButtons",
+ "usesContextRelativeEncoding",
+ "usesDataSource",
+ "usesDistinct",
+ "usesEPSOnResolutionMismatch",
+ "usesFontPanel",
+ "usesItemFromMenu",
+ "usesNewLayout",
+ "usesRuler",
+ "usesScreenFonts",
+ "usesThreadedAnimation",
+ "usesUserKeyEquivalents",
+ "usesVectorMovement",
+ "uudecodedDataIntoFile:mode:",
+ "uuencodedDataWithFile:mode:",
+ "vCard",
+ "vCardAtFilteredIndex:",
+ "vCardAtIndex:",
+ "vCardFromEmailAddress:",
+ "vCardReferenceAtIndex:",
+ "vCardResolvingReference:",
+ "vCardWithFirstName:lastName:emailAddress:",
+ "vCardWithString:",
+ "vCardsMatchingString:",
+ "validAttributesForMarkedText",
+ "validForStartup",
+ "validRequestorForSendType:returnType:",
+ "validStartCharacter:",
+ "validateChangesForSave",
+ "validateDeletesUsingTable:",
+ "validateEditing",
+ "validateForDelete",
+ "validateForInsert",
+ "validateForSave",
+ "validateForUpdate",
+ "validateInspectedSelection",
+ "validateItem:",
+ "validateKeysWithRootClassDescription:",
+ "validateMenuItem:",
+ "validateMenuMatrix:withResponder:",
+ "validateObjectForDelete:",
+ "validateObjectForSave:",
+ "validatePath:ignore:",
+ "validateRename",
+ "validateRenameColor",
+ "validateRenameList",
+ "validateSelection",
+ "validateTable:withSelector:exceptionArray:continueAfterFailure:",
+ "validateTakeValue:forKeyPath:",
+ "validateToolBar",
+ "validateToolBarButton:",
+ "validateToolCluster",
+ "validateToolbarAction:",
+ "validateUI",
+ "validateUserInterfaceItem:",
+ "validateValue:forKey:",
+ "validateValuesInUI",
+ "validateVisibleColumns",
+ "validateWithMessageArray:itemArray:",
+ "validationDescription",
+ "validationErrors",
+ "validationExceptionWithFormat:",
+ "value",
+ "value:withObjCType:",
+ "valueAtIndex:inPropertyWithKey:",
+ "valueForAttribute:",
+ "valueForDirtyFlag:",
+ "valueForKey:",
+ "valueForKeyPath:",
+ "valueForProperty:",
+ "valueOfAttribute:changedFrom:to:",
+ "valueWithBytes:objCType:",
+ "valueWithNonretainedObject:",
+ "valueWithPoint:",
+ "valueWithPointer:",
+ "valueWithRange:",
+ "valueWithRect:",
+ "valueWithSize:",
+ "valuesForKeys:",
+ "valuesForKeys:object:",
+ "variableWithKey:",
+ "verboseVersion",
+ "verifyWithDelegate:",
+ "version",
+ "versionForClassName:",
+ "versionForClassNamed:",
+ "versionInfo",
+ "versionNb",
+ "versionString",
+ "verticalAlignPopupAction:",
+ "verticalAlignment",
+ "verticalLineScroll",
+ "verticalPageScroll",
+ "verticalPagination",
+ "verticalResizeCursor",
+ "verticalRulerView",
+ "verticalScroller",
+ "verticalSpace",
+ "view",
+ "view:stringForToolTip:point:userData:",
+ "viewBoundsChanged:",
+ "viewDidMoveToSuperview",
+ "viewDidMoveToWindow",
+ "viewForItem:",
+ "viewForPreferenceNamed:",
+ "viewFrameChanged:",
+ "viewHeight",
+ "viewSize",
+ "viewSizeChanged:",
+ "viewSource:",
+ "viewWillMoveToSuperview:",
+ "viewWillMoveToWindow:",
+ "viewWithTag:",
+ "viewedMessage:",
+ "viewingAttributes",
+ "viewsNeedDisplay",
+ "visibleFrame",
+ "visibleRect",
+ "visitedLinkColor",
+ "volatileDomainForName:",
+ "volatileDomainNames",
+ "volume",
+ "wait",
+ "waitForDataInBackgroundAndNotify",
+ "waitForDataInBackgroundAndNotifyForModes:",
+ "waitUntilDate:",
+ "waitUntilExit",
+ "walkOver",
+ "wantsDoubleBuffering",
+ "wantsMargin",
+ "wantsSynchronizedDeallocation",
+ "wantsToBeColor",
+ "wantsToDelayTextChangeNotifications",
+ "wantsToHandleMouseEvents",
+ "wantsToInterpretAllKeystrokes",
+ "wantsToTrackMouse",
+ "wantsToTrackMouseForEvent:",
+ "wantsToTrackMouseForEvent:inRect:ofView:atCharacterIndex:",
+ "warnIfDeleteMessages:",
+ "wasInterpolated",
+ "wasRepaired",
+ "wbMergeCells:",
+ "wbRemoveColumn:",
+ "wbRemoveRow:",
+ "wbSplitCells:",
+ "wbSplitCellsHorizontally:",
+ "wbSplitCellsVertically:",
+ "weightOfFont:",
+ "weightOfTag:",
+ "wellForRect:flipped:",
+ "whiteColor",
+ "whiteComponent",
+ "whitespaceAndNewlineCharacterSet",
+ "whitespaceCharacterSet",
+ "whitespaceDescription",
+ "widestOptionWidthForPopUp:",
+ "widgetInView:withButtonID:action:",
+ "width",
+ "widthAdjustLimit",
+ "widthForColumnAtIndex:returningWidthType:",
+ "widthOfString:",
+ "widthPopupAction:",
+ "widthString",
+ "widthTextfieldAction:",
+ "widthTracksTextView",
+ "widthsInvalid",
+ "willBeDisplayed",
+ "willCancelDelayedPerformWith:::",
+ "willChange",
+ "willDebugWhenLaunched",
+ "willEndCloseSheet:returnCode:contextInfo:",
+ "willFireDelayedPerform:",
+ "willForwardSelector:",
+ "willFreeOnWrite",
+ "willReadRelationship:",
+ "willRemoveSubview:",
+ "willRunOSPanel",
+ "willSaveProjectAtPath:client:",
+ "willScheduleDelayedPerform:with::::",
+ "willSetLineFragmentRect:forGlyphRange:usedRect:",
+ "willingnessToDecode:",
+ "windingRule",
+ "window",
+ "windowBackgroundColor",
+ "windowController",
+ "windowControllerDidLoadNib:",
+ "windowControllerWillLoadNib:",
+ "windowControllers",
+ "windowDidBecomeKey:",
+ "windowDidBecomeMain:",
+ "windowDidChangeScreen:",
+ "windowDidDeminiaturize:",
+ "windowDidExpose:",
+ "windowDidLoad",
+ "windowDidMiniaturize:",
+ "windowDidMove:",
+ "windowDidResignKey:",
+ "windowDidResignMain:",
+ "windowDidResize:",
+ "windowDidUpdate:",
+ "windowFrameAutosaveName",
+ "windowFrameColor",
+ "windowFrameOutlineColor",
+ "windowFrameTextColor",
+ "windowID",
+ "windowNibName",
+ "windowNibPath",
+ "windowNumber",
+ "windowShouldClose:",
+ "windowShouldZoom:toFrame:",
+ "windowTitle",
+ "windowTitleForDocumentDisplayName:",
+ "windowTitlebarLinesSpacingWidth",
+ "windowTitlebarLinesSpacingWidth:",
+ "windowTitlebarTitleLinesSpacingWidth",
+ "windowTitlebarTitleLinesSpacingWidth:",
+ "windowToDefaults:",
+ "windowWillClose:",
+ "windowWillLoad",
+ "windowWillMiniaturize:",
+ "windowWillMove:",
+ "windowWillResize:toSize:",
+ "windowWillReturnFieldEditor:toObject:",
+ "windowWillReturnUndoManager:",
+ "windowWillUseStandardFrame:defaultFrame:",
+ "windowWithWindowNumber:",
+ "windows",
+ "windowsMenu",
+ "wordMovementHandler",
+ "words",
+ "workQueue",
+ "worksWhenModal",
+ "wrapInNode:",
+ "wrapperExtensions",
+ "wrapperForAppleFileDataWithFileEncodingHint:",
+ "wrapperForBinHex40DataWithFileEncodingHint:",
+ "wraps",
+ "writablePasteboardTypes",
+ "writableTypes",
+ "write:",
+ "writeAlignedDataSize:",
+ "writeAttachment:",
+ "writeBOSArray:count:ofType:",
+ "writeBOSNumString:length:ofType:scale:",
+ "writeBOSString:length:",
+ "writeBaselineOffset:",
+ "writeBinaryObjectSequence:length:",
+ "writeBody",
+ "writeBytes:length:",
+ "writeChangesToDisk",
+ "writeCharacterAttributes:previousAttributes:",
+ "writeColor:foreground:",
+ "writeColorTable",
+ "writeColors",
+ "writeCommand:begin:",
+ "writeData:",
+ "writeData:length:",
+ "writeData:to:",
+ "writeDefaultsToDictionary:",
+ "writeDelayedInt:for:",
+ "writeDocument:pbtype:filename:",
+ "writeEPSInsideRect:toPasteboard:",
+ "writeEscapedUTF8String:",
+ "writeFd:",
+ "writeFile:",
+ "writeFileContents:",
+ "writeFileWrapper:",
+ "writeFont:",
+ "writeFontTable",
+ "writeGdbFile",
+ "writeGeneratedFiles",
+ "writeHeader",
+ "writeHyphenation",
+ "writeIconHeaderFile",
+ "writeInt:",
+ "writeKern:",
+ "writeLossyString:",
+ "writeMakeFile",
+ "writeMemory:",
+ "writeNewline",
+ "writePBProject",
+ "writePDFInsideRect:toPasteboard:",
+ "writePaperSize",
+ "writeParagraphStyle:",
+ "writePath:docInfo:errorHandler:remapContents:",
+ "writePostScriptWithLanguageEncodingConversion:",
+ "writePrintInfo",
+ "writePrintInfo:",
+ "writeProfilingDataToPath:",
+ "writeProperty:forKey:",
+ "writeRTF",
+ "writeRTFDToFile:atomically:",
+ "writeRange:ofLength:atOffset:",
+ "writeRoomForInt:",
+ "writeRtf:arg:",
+ "writeRtfEnriched",
+ "writeSelectionToPasteboard:type:",
+ "writeSelectionToPasteboard:types:",
+ "writeStyleSheetTable",
+ "writeSuperscript:",
+ "writeTargetPersistentStateForExecutable:",
+ "writeTargetPersistentStateToProject",
+ "writeText:isRTF:",
+ "writeToFile:",
+ "writeToFile:atomically:",
+ "writeToFile:atomically:updateFilenames:",
+ "writeToFile:ofType:",
+ "writeToFile:ofType:originalFile:saveOperation:",
+ "writeToPasteboard:",
+ "writeToPath:safely:",
+ "writeToURL:atomically:",
+ "writeToURL:ofType:",
+ "writeUnderlineStyle:",
+ "writeUpdatedMessageDataToDisk",
+ "writeValue:andLength:",
+ "writeValuesToDictionary:",
+ "writeWithBackupToFile:ofType:saveOperation:",
+ "xHeight",
+ "yank:",
+ "yankAndSelect:",
+ "yearOfCommonEra",
+ "years:months:days:hours:minutes:seconds:sinceDate:",
+ "yellowColor",
+ "yellowComponent",
+ "zero",
+ "zeroLengthSelectionAfterItem:",
+ "zeroLengthSelectionAfterPrologueOfNode:",
+ "zeroLengthSelectionAtEndOfConjointSelection:",
+ "zeroLengthSelectionAtEndOfSelection:",
+ "zeroLengthSelectionAtOrAfterLocation:rangeMap:",
+ "zeroLengthSelectionAtOrBeforeLocation:rangeMap:",
+ "zeroLengthSelectionAtStartOfConjointSelection:",
+ "zeroLengthSelectionAtStartOfSelection:",
+ "zeroLengthSelectionBeforeEpilogueOfNode:",
+ "zeroLengthSelectionBeforeItem:",
+ "zone",
+ "zoom:",
+ "zoomButton",
+};
+