]> git.saurik.com Git - apple/objc4.git/blob - runtime/objc-sel.m
objc4-208.tar.gz
[apple/objc4.git] / runtime / objc-sel.m
1 /*
2 * Copyright (c) 1999 Apple Computer, Inc. All rights reserved.
3 *
4 * @APPLE_LICENSE_HEADER_START@
5 *
6 * Portions Copyright (c) 1999 Apple Computer, Inc. All Rights
7 * Reserved. This file contains Original Code and/or Modifications of
8 * Original Code as defined in and that are subject to the Apple Public
9 * Source License Version 1.1 (the "License"). You may not use this file
10 * except in compliance with the License. Please obtain a copy of the
11 * License at http://www.apple.com/publicsource and read it before using
12 * this file.
13 *
14 * The Original Code and all software distributed under the License are
15 * distributed on an "AS IS" basis, WITHOUT WARRANTY OF ANY KIND, EITHER
16 * EXPRESS OR IMPLIED, AND APPLE HEREBY DISCLAIMS ALL SUCH WARRANTIES,
17 * INCLUDING WITHOUT LIMITATION, ANY WARRANTIES OF MERCHANTABILITY,
18 * FITNESS FOR A PARTICULAR PURPOSE OR NON- INFRINGEMENT. Please see the
19 * License for the specific language governing rights and limitations
20 * under the License.
21 *
22 * @APPLE_LICENSE_HEADER_END@
23 */
24
25 /*
26 * Utilities for registering and looking up selectors. The sole
27 * purpose of the selector tables is a registry whereby there is
28 * exactly one address (selector) associated with a given string
29 * (method name).
30 */
31
32 #include <objc/objc.h>
33 #include <CoreFoundation/CFSet.h>
34 #import "objc-private.h"
35
36 #define NUM_BUILTIN_SELS 13528
37 /* base-2 log of greatest power of 2 < NUM_BUILTIN_SELS */
38 #define LG_NUM_BUILTIN_SELS 13
39 extern const char * const _objc_builtin_selectors[NUM_BUILTIN_SELS];
40
41 static const char *_objc_empty_selector = "";
42
43 static SEL _objc_search_builtins(const char *key) {
44 int c, idx, lg = LG_NUM_BUILTIN_SELS;
45 const char *s;
46
47 #if defined(DUMP_SELECTORS)
48 if (NULL != key) printf("\t\"%s\",\n", key);
49 #endif
50 /* The builtin table contains only sels starting with '[A-z]' */
51 if (!key) return (SEL)0;
52 if ('\0' == *key) return (SEL)_objc_empty_selector;
53 if (*key < 'A' || 'z' < *key) return (SEL)0;
54 s = _objc_builtin_selectors[-1 + (1 << lg)];
55 c = _objc_strcmp(s, key);
56 if (c == 0) return (SEL)s;
57 idx = (c < 0) ? NUM_BUILTIN_SELS - (1 << lg) : -1;
58 while (--lg >= 0) {
59 s = _objc_builtin_selectors[idx + (1 << lg)];
60 c = _objc_strcmp(s, key);
61 if (c == 0) return (SEL)s;
62 if (c < 0) idx += (1 << lg);
63 }
64 return (SEL)0;
65 }
66
67 static OBJC_DECLARE_LOCK(_objc_selector_lock);
68 static CFMutableSetRef _objc_selectors = NULL;
69
70 static Boolean _objc_equal_selector(const void *v1, const void *v2) {
71 if (v1 == v2) return TRUE;
72 if ((!v1 && v2) || (v1 && !v2)) return FALSE;
73 return ((*(char *)v1 == *(char *)v2) && (0 == _objc_strcmp(v1, v2))) ? TRUE : FALSE;
74 }
75
76 static CFHashCode _objc_hash_selector(const void *v) {
77 if (!v) return 0;
78 return (CFHashCode)_objc_strhash(v);
79 }
80
81 const char *sel_getName(SEL sel) {
82 return sel ? (const char *)sel : "<null selector>";
83 }
84
85
86 BOOL sel_isMapped(SEL name) {
87 SEL result;
88 const void *value;
89
90 if (NULL == name) return NO;
91 result = _objc_search_builtins((const char *)name);
92 if ((SEL)0 != result) return YES;
93 OBJC_LOCK(&_objc_selector_lock);
94 if (_objc_selectors && CFSetGetValueIfPresent(_objc_selectors, name, &value)) {
95 result = (SEL)value;
96 }
97 OBJC_UNLOCK(&_objc_selector_lock);
98 return ((SEL)0 != (SEL)result) ? YES : NO;
99 }
100
101 static SEL __sel_registerName(const char *name, int copy) {
102 SEL result = 0;
103 const void *value;
104 if (NULL == name) return (SEL)0;
105 result = _objc_search_builtins(name);
106 if ((SEL)0 != result) return result;
107 OBJC_LOCK(&_objc_selector_lock);
108 if (!_objc_selectors || !CFSetGetValueIfPresent(_objc_selectors, name, &value)) {
109 if (!_objc_selectors) {
110 CFSetCallBacks cb = {0, NULL, NULL, NULL,
111 _objc_equal_selector, _objc_hash_selector};
112 _objc_selectors = CFSetCreateMutable(kCFAllocatorDefault, 0, &cb);
113 CFSetAddValue(_objc_selectors, (void *)NULL);
114 }
115 //if (copy > 1) printf("registering %s for sel_getUid\n",name);
116 value = copy ? strcpy(malloc(strlen(name) + 1), name) : name;
117 CFSetAddValue(_objc_selectors, (void *)value);
118 #if defined(DUMP_UNKNOWN_SELECTORS)
119 printf("\t\"%s\",\n", value);
120 #endif
121 }
122 result = (SEL)value;
123 OBJC_UNLOCK(&_objc_selector_lock);
124 return result;
125 }
126
127 SEL sel_registerName(const char *name) {
128 return __sel_registerName(name, 1);
129 }
130
131 SEL sel_registerNameNoCopy(const char *name) {
132 return __sel_registerName(name, 0);
133 }
134
135 // 2001/1/24
136 // the majority of uses of this function (which used to return NULL if not found)
137 // did not check for NULL, so, in fact, never return NULL
138 //
139 SEL sel_getUid(const char *name) {
140 return __sel_registerName(name, 2);
141 }
142
143 /* Last update: cjk - 16 October 2000
144 * To construct this list, I enabled the code in the search function which
145 * is marked DUMP_SELECTORS, and launched a few apps with stdout redirected
146 * to files in /tmp, and ran the files through this script:
147 * cat file1 file2 file3 | sort -u > result
148 *
149 * Then I hand-edited the result file to clean it up. To do updates, I've
150 * just dumped the selectors that end up in the side CFSet (see the macro
151 * DUMP_UNKNOWN_SELECTORS).
152 *
153 * This left me with 13528 selectors, which was nicely close to but under
154 * 2^14 for the binary search.
155 */
156 static const char * const _objc_builtin_selectors[NUM_BUILTIN_SELS] = {
157 "AMPMDesignation",
158 "ASCIIByteSet",
159 "ASCIICharacterSet",
160 "BMPRepresentation",
161 "DIBRepresentation",
162 "DLLPaths",
163 "DPSContext",
164 "EPSOperationWithView:insideRect:toData:",
165 "EPSOperationWithView:insideRect:toData:printInfo:",
166 "EPSOperationWithView:insideRect:toPath:printInfo:",
167 "EPSRepresentation",
168 "IBYellowColor",
169 "IBeamCursor",
170 "IMAPMessage",
171 "IMAPStore",
172 "Message",
173 "MessageFlags",
174 "MessageStore",
175 "NSArray",
176 "NSDate",
177 "NSMutableArray",
178 "NSObject",
179 "NSString",
180 "OSIconTypesList",
181 "OSInitialBuildToolList",
182 "OSList",
183 "OSPrefixesList",
184 "PDFOperationWithView:insideRect:toData:",
185 "PDFOperationWithView:insideRect:toData:printInfo:",
186 "PDFOperationWithView:insideRect:toPath:printInfo:",
187 "PDFRepresentation",
188 "PICTRepresentation",
189 "QTMovie",
190 "RTF",
191 "RTFD",
192 "RTFDFileWrapper",
193 "RTFDFileWrapperFromRange:documentAttributes:",
194 "RTFDFromRange:",
195 "RTFDFromRange:documentAttributes:",
196 "RTFFromRange:",
197 "RTFFromRange:documentAttributes:",
198 "TIFFRepresentation",
199 "TIFFRepresentationOfImageRepsInArray:",
200 "TIFFRepresentationOfImageRepsInArray:usingCompression:factor:",
201 "TIFFRepresentationUsingCompression:factor:",
202 "TOCMessageFromMessage:",
203 "URL",
204 "URL:resourceDataDidBecomeAvailable:",
205 "URL:resourceDidFailLoadingWithReason:",
206 "URLFromPasteboard:",
207 "URLHandle:resourceDataDidBecomeAvailable:",
208 "URLHandle:resourceDidFailLoadingWithReason:",
209 "URLHandleClassForURL:",
210 "URLHandleResourceDidBeginLoading:",
211 "URLHandleResourceDidCancelLoading:",
212 "URLHandleResourceDidFinishLoading:",
213 "URLHandleResourceLoadCancelled:",
214 "URLHandleUsingCache:",
215 "URLRelativeToBaseURL:",
216 "URLResourceDidCancelLoading:",
217 "URLResourceDidFinishLoading:",
218 "URLWithString:",
219 "URLWithString:relativeToURL:",
220 "URLs",
221 "URLsFromRunningOpenPanel",
222 "UTF8String",
223 "_AEDesc",
224 "_BMPRepresentation:",
225 "_CFResourceSpecifier",
226 "_CGSadjustWindows",
227 "_CGSinsertWindow:withPriority:",
228 "_CGSremoveWindow:",
229 "_DIBRepresentation",
230 "_RTFDFileWrapper",
231 "_RTFWithSelector:range:documentAttributes:",
232 "_TOCMessageForMessage:",
233 "_URL",
234 "__matrix",
235 "__numberWithString:type:",
236 "__swatchColors",
237 "_abbreviationForAbsoluteTime:",
238 "_abortLength:offset:",
239 "_aboutToDisptachEvent",
240 "_absoluteAdvancementForGlyph:",
241 "_absoluteBoundingRectForGlyph:",
242 "_absoluteURLPath",
243 "_acceptCurrentCompletion",
244 "_acceptableRowAboveKeyInVisibleRect:",
245 "_acceptableRowAboveRow:minRow:",
246 "_acceptableRowAboveRow:tryBelowPoint:",
247 "_acceptableRowBelowKeyInVisibleRect:",
248 "_acceptableRowBelowRow:maxRow:",
249 "_acceptableRowBelowRow:tryAbovePoint:",
250 "_acceptsMarkedText",
251 "_accountBeingViewed",
252 "_accountContainingEmailAddress:matchingAddress:fullUserName:",
253 "_accountWithPath:",
254 "_acquireLockFile:",
255 "_actOnKeyDown:",
256 "_actionCellInitWithCoder:",
257 "_activate",
258 "_activateHelpModeBasedOnEvent:",
259 "_activateServer",
260 "_activateWindows",
261 "_addAttachedList:withName:",
262 "_addBindingsToDictionary:",
263 "_addCell:atIndex:",
264 "_addColor:",
265 "_addCornerDirtyRectForRect:list:count:",
266 "_addCpuType:andSubType:andSize:",
267 "_addCurrentDirectoryToRecents",
268 "_addCursorRect:cursor:forView:",
269 "_addDragTypesTo:",
270 "_addDrawerWithView:",
271 "_addEntryNamed:",
272 "_addFeature:toBoxes:andButtons:",
273 "_addFrameworkDependenciesToArray:",
274 "_addHeartBeatClientView:",
275 "_addImage:named:",
276 "_addInstance:",
277 "_addInternalRedToTextAttributesOfNegativeValues",
278 "_addItem:toTable:",
279 "_addItemWithName:owner:",
280 "_addItemsToSpaButtonFromArray:enabled:",
281 "_addListItemsToArray:",
282 "_addMessageDatasToBeAppendedLater:",
283 "_addMessageToMap:",
284 "_addMessagesToIndex:",
285 "_addMultipleToTypingAttributes:",
286 "_addNewFonts:",
287 "_addObject:forKey:",
288 "_addObject:withName:",
289 "_addObjectToList:",
290 "_addObserver:notificationNamesAndSelectorNames:object:onlyIfSelectorIsImplemented:",
291 "_addOneRepFrom:toRep:",
292 "_addPath:forVariant:dir:table:",
293 "_addPathSegment:point:",
294 "_addPathsListsToList:keep:table:doingExtras:",
295 "_addPrintFiltersToPopUpButton:",
296 "_addRecipientsForKey:toArray:",
297 "_addRepsFrom:toRep:",
298 "_addScriptsFromLibrarySubFolders:toMenu:",
299 "_addSpellingAttributeForRange:",
300 "_addSubview:",
301 "_addThousandSeparators:withBuffer:",
302 "_addThousandSeparatorsToFormat:withBuffer:",
303 "_addToFavorites:",
304 "_addToFontCollection:",
305 "_addToFontFavorites:",
306 "_addToGroups:",
307 "_addToTypingAttributes:value:",
308 "_addWindow:",
309 "_addedTab:atIndex:",
310 "_addressBookChanged:",
311 "_addressBookConfigurationChanged:",
312 "_adjustCharacterIndicesForRawGlyphRange:byDelta:",
313 "_adjustControls:andSetColor:",
314 "_adjustDynamicDepthLimit",
315 "_adjustFocusRingSize:",
316 "_adjustFontSize",
317 "_adjustForGrowBox",
318 "_adjustLength",
319 "_adjustMovieToView",
320 "_adjustPathForRoot:",
321 "_adjustPort",
322 "_adjustSelectionForItemEntry:numberOfRows:",
323 "_adjustToMode",
324 "_adjustWidth:ofEditor:",
325 "_adjustWidthBy:",
326 "_adjustWindowToScreen",
327 "_aggregateArrayOfEvents:withSignatureTag:",
328 "_aggregatedEvents:withSignatureTag:class:",
329 "_alignCoords",
330 "_alignedTitleRectWithRect:",
331 "_allFrameworkDependencies",
332 "_allSubclassDescriptionsForClassDescrition:",
333 "_allocAndInitPrivateIvars",
334 "_allocAuxiliary:",
335 "_allocProjectNameForProjNum:",
336 "_allocString:",
337 "_allowsContextMenus",
338 "_allowsTearOffs",
339 "_altContents",
340 "_alternateDown::::",
341 "_analyze",
342 "_animateSheet",
343 "_animationIdler:",
344 "_animationThread",
345 "_announce",
346 "_anticipateRelease",
347 "_appHasOpenNSWindow",
348 "_appIcon",
349 "_appWillFinishLaunching:",
350 "_appendAddedHeaderKey:value:toData:",
351 "_appendArcSegmentWithCenter:radius:angle1:angle2:",
352 "_appendCString:",
353 "_appendEntry:",
354 "_appendEvent:",
355 "_appendHeaderKey:value:toData:",
356 "_appendKey:option:value:inKeyNode:",
357 "_appendMessage:toFile:andTableOfContents:",
358 "_appendMessages:unsuccessfulOnes:mboxName:tableOfContents:",
359 "_appendRequiredType:",
360 "_appendStringInKeyNode:key:value:",
361 "_appendStrings:",
362 "_appleScriptComponentInstanceOpeningIfNeeded:",
363 "_appleScriptConnectionDidClose",
364 "_applicationDidBecomeActive",
365 "_applicationDidLaunch:",
366 "_applicationDidResignActive",
367 "_applicationDidTerminate:",
368 "_applicationWillLaunch:",
369 "_apply:context:",
370 "_applyMarkerSettingsFromParagraphStyle:toCharacterRange:",
371 "_applyValues:context:",
372 "_applyValues:toObject:",
373 "_appropriateWindowForDocModalPanel",
374 "_aquaColorVariantChanged",
375 "_archiveToFile:",
376 "_argument",
377 "_argumentInfoAtIndex:",
378 "_argumentNameForAppleEventCode:",
379 "_argumentTerminologyDictionary:",
380 "_arrayByTranslatingAEList:",
381 "_arrayOfIMAPFlagsForFlags:",
382 "_asIconHasAlpha",
383 "_assertSafeMultiThreadedAccess:",
384 "_assertSafeMultiThreadedReadAccess:",
385 "_assignObjectIds",
386 "_atsFontID",
387 "_attachColorList:systemList:",
388 "_attachSheetWindow:",
389 "_attachToSupermenuView:",
390 "_attachedCell",
391 "_attachedSheet",
392 "_attachedSupermenuView",
393 "_attachmentFileWrapperDescription:",
394 "_attachmentSizesRun",
395 "_attributeTerminologyDictionary:",
396 "_attributedStringForDrawing",
397 "_attributedStringForEditing",
398 "_attributedStringValue:invalid:",
399 "_attributesAllKeys",
400 "_attributesAllValues",
401 "_attributesAllocated",
402 "_attributesAreEqualToAttributesInAttributedString:",
403 "_attributesCount",
404 "_attributesDealloc",
405 "_attributesDictionary",
406 "_attributesInit",
407 "_attributesInitWithCapacity:",
408 "_attributesInitWithDictionary:copyItems:",
409 "_attributesKeyEnumerator",
410 "_attributesObjectEnumerator",
411 "_attributesObjectForKey:",
412 "_attributesRemoveObjectForKey:",
413 "_attributesSetObject:forKey:",
414 "_attributes_fastAllKeys",
415 "_autoExpandItem:",
416 "_autoPositionMask",
417 "_autoResizeState",
418 "_autoSaveNameWithPrefix",
419 "_autoSizeView:::::",
420 "_autoscrollDate",
421 "_autoscrollDelay",
422 "_autoscrollForDraggingInfo:timeDelta:",
423 "_auxStorage",
424 "_availableFontSetNames",
425 "_avoidsActivation",
426 "_awakeFromPlist:",
427 "_backgroundColor",
428 "_backgroundFetchCompleted",
429 "_backgroundFileLoadCompleted:",
430 "_backgroundImage",
431 "_backgroundTransparent",
432 "_backingCGSFont",
433 "_backingType",
434 "_barberImage:",
435 "_beginDraggingColumn:",
436 "_beginHTMLChangeForMarkedText",
437 "_beginListeningForApplicationStatusChanges",
438 "_beginListeningForDeviceStatusChanges",
439 "_beginMark",
440 "_beginProcessingMultipleMessages",
441 "_beginScrolling",
442 "_beginUnarchivingPrintInfo",
443 "_bestRepresentation:device:bestWidth:checkFlag:",
444 "_bitBlitSourceRect:toDestinationRect:",
445 "_blinkCaret:",
446 "_blockHeartBeat:",
447 "_blueControlTintColor",
448 "_bodyWasDecoded:",
449 "_bodyWasEncoded:",
450 "_bodyWillBeDecoded:",
451 "_bodyWillBeEncoded:",
452 "_bodyWillBeForwarded:",
453 "_borderInset",
454 "_borderView",
455 "_bottomFrameRect",
456 "_bottomLeftFrameRect",
457 "_bottomLeftResizeCursor",
458 "_bottomRightFrameRect",
459 "_bottomRightResizeCursor",
460 "_boundingRectForGlyphRange:inTextContainer:fast:fullLineRectsOnly:",
461 "_boundsForContentSubviews",
462 "_brightColorFromPoint:fullBrightness:",
463 "_buildCache",
464 "_buildCursor:cursorData:",
465 "_buildIMAPAppendDataForMessage:",
466 "_bulletCharacter",
467 "_bulletStringForString:",
468 "_bumpSelectedItem:",
469 "_bundleForClassPresentInAppKit:",
470 "_bundleLoaded",
471 "_button",
472 "_buttonBezelColors",
473 "_buttonCellInitWithCoder:",
474 "_buttonImageSource",
475 "_buttonType",
476 "_buttonWidth",
477 "_bytesAreVM",
478 "_cacheMessageBodiesAndUpdateIndex:",
479 "_cacheMessageBodiesAsynchronously:",
480 "_cacheMessageBodiesToDisk:",
481 "_cacheRepresentation:",
482 "_cacheRepresentation:stayFocused:",
483 "_cacheSimpleChild",
484 "_cacheUserKeyEquivalentInfo",
485 "_cachedGlobalWindowNum",
486 "_cachedHTMLString",
487 "_calcAndSetFilenameTitle",
488 "_calcApproximateBytesRepresented",
489 "_calcBoxSize:buttons:",
490 "_calcFrameOfColumns",
491 "_calcHeights:num:margin:operation:helpedBy:",
492 "_calcMarginSize:operation:",
493 "_calcNumVisibleColumnsAndColumnSize",
494 "_calcNumericIndicatorSizeWithUnitAbbreviation:",
495 "_calcOutlineColumnWidth",
496 "_calcRowsAndColumnsInView:boxSize:numBoxes:rows:columns:",
497 "_calcScrollArrowHeight",
498 "_calcTextRect:",
499 "_calcTrackRect:andAdjustRect:",
500 "_calcWidths:num:margin:operation:helpedBy:",
501 "_calculatePageRectsWithOperation:pageSize:layoutAssuredComplete:",
502 "_calculateTotalScaleForPrintingWithOperation:",
503 "_calibratedColorOK",
504 "_callImplementor:context:chars:glyphs:stringBuffer:font:",
505 "_canAcceptRichText",
506 "_canBecomeDefaultButtonCell",
507 "_canChangeRulerMarkers",
508 "_canDrawOutsideLineHeight",
509 "_canDrawOutsideOfItsBounds",
510 "_canHide",
511 "_canImportGraphics",
512 "_canOptimizeDrawing",
513 "_canUseCompositing",
514 "_canUseKeyEquivalentForMenuItem:",
515 "_cancelAutoExpandTimer",
516 "_cancelEvent:",
517 "_cancelKey:",
518 "_cancelPerformSelectors",
519 "_cancelRootEvent:",
520 "_capitalizedKeyForKey:",
521 "_capitalizedStringWithFlags:",
522 "_captureInput",
523 "_captureVisibleIntoLiveResizeCache",
524 "_caseCopyAux::flags:",
525 "_caseCopyAux:flags:",
526 "_cellContentRectForUsedSize:inFrame:",
527 "_cellForRow:browser:browserColumn:",
528 "_cellFrame",
529 "_cellFurthestFrom:andCol:",
530 "_cellInitWithCoder:",
531 "_centerForCFCenter:",
532 "_centerInnerBounds:",
533 "_centerScanPoint:",
534 "_centerTitle:inRect:",
535 "_centeredScrollRectToVisible:forceCenter:",
536 "_cfBundle",
537 "_cfCenter",
538 "_cfNumberType",
539 "_cfTypeID",
540 "_cffireDate",
541 "_cffireTime",
542 "_cgsEventRecord",
543 "_cgsEventTime",
544 "_cgsevent",
545 "_changeAllDrawersKeyState",
546 "_changeDictionaries:",
547 "_changeDisplayToMessage:",
548 "_changeDrawerKeyState",
549 "_changeFontList:",
550 "_changeIntAttribute:by:range:",
551 "_changeJustMain",
552 "_changeKeyAndMainLimitedOK:",
553 "_changeKeyState",
554 "_changeLanguage:",
555 "_changeReadStatusTo:",
556 "_changeSelectionWithEvent:",
557 "_changeSpellingFromMenu:",
558 "_changeSpellingToWord:",
559 "_changeWasDone:",
560 "_changeWasRedone:",
561 "_changeWasUndone:",
562 "_changed:",
563 "_changingSelectionWithKeyboard",
564 "_charRangeIsHighlightOptimizable:fromOldCharRange:",
565 "_characterCannotBeRendered:",
566 "_characterRangeCurrentlyInAndAfterContainer:",
567 "_characterRangeForPoint:inRect:ofView:",
568 "_charsetForStringEncoding:",
569 "_checkFile:container:",
570 "_checkForFat:",
571 "_checkForMessageClear:",
572 "_checkForSimpleTrackingMode",
573 "_checkForTerminateAfterLastWindowClosed:",
574 "_checkHeader",
575 "_checkInName:onHost:andPid:forUser:",
576 "_checkInSizeBuffer",
577 "_checkLoaded:rect:highlight:",
578 "_checkNewMail:",
579 "_checkOutColumnOrigins",
580 "_checkOutColumnWidths",
581 "_checkOutRowHeights",
582 "_checkOutRowOrigins",
583 "_checkSpellingForRange:excludingRange:",
584 "_checkType:",
585 "_child",
586 "_childEvent",
587 "_childSatisfyingTestSelector:withObject:afterItem:",
588 "_childSatisfyingTestSelector:withObject:beforeItem:",
589 "_chooseApplicationSheetDidEnd:returnCode:contextInfo:",
590 "_chooseBrowserItem:",
591 "_chooseDir:andTable:for:as:",
592 "_chooseFace:",
593 "_chooseFamily:",
594 "_chooseGuess:",
595 "_choosePrintFilter:",
596 "_chooseSize:",
597 "_chosenSpellServer:",
598 "_chunkAndFindMisspelledWordInString:language:learnedDictionaries:wordCount:usingSpellServer:",
599 "_classDescriptionForAppleEventCode:",
600 "_classDescriptionForName:inSuite:",
601 "_classTerminologyDictionary",
602 "_cleanUpStaleAttachments",
603 "_cleanupAndAuthenticate:sequence:conversation:invocation:raise:",
604 "_cleanupHelpForQuit",
605 "_clearCellFrame",
606 "_clearChangedThisTransaction:",
607 "_clearControlTintColor",
608 "_clearCurrentAttachmentSettings",
609 "_clearDirtyRectsForTree",
610 "_clearDocFontsUsed",
611 "_clearDragMargins",
612 "_clearEditingTextView:",
613 "_clearFocusForView",
614 "_clearKeyCell",
615 "_clearLastLoadedDateAndFontSet",
616 "_clearModalWindowLevel",
617 "_clearMouseTracking",
618 "_clearMouseTrackingForCell:",
619 "_clearPageFontsUsed",
620 "_clearPressedButtons",
621 "_clearRectsFromCharacterIndex:",
622 "_clearSelectedCell",
623 "_clearSheetFontsUsed",
624 "_clearSpellingForRange:",
625 "_clearTemporaryAttributes",
626 "_clearTemporaryAttributesForCharacterRange:changeInLength:",
627 "_clearTrackingRects",
628 "_clickedCharIndex",
629 "_clientConnectionDied:",
630 "_clientImageMapURLStringForLocation:inFrame:",
631 "_clientsCreatingIfNecessary:",
632 "_clipViewAncestor",
633 "_cloneFont:withFlag:",
634 "_close",
635 "_close:",
636 "_closeButtonOrigin",
637 "_closeDocumentsStartingWith:shouldClose:closeAllContext:",
638 "_closeSheet:andMoveParent:",
639 "_collapseAllAutoExpandedItems",
640 "_collapseAutoExpandedItems:",
641 "_collapseButtonOrigin",
642 "_collapseItem:collapseChildren:clearExpandState:",
643 "_collapseItemEntry:collapseChildren:clearExpandState:",
644 "_collectLinkChildren:into:parentPath:",
645 "_collectMainChildren:into:parentInode:parentPath:",
646 "_colorByTranslatingRGBColor:",
647 "_colorForHexNumber:",
648 "_colorForName:",
649 "_colorFromPoint:",
650 "_colorListNamed:forDeviceType:",
651 "_colorWellAcceptedColor:",
652 "_colorWellCommonAwake",
653 "_colorizedImage:color:",
654 "_columnAtLocation:",
655 "_columnClosestToColumn:whenMoved:",
656 "_columnRangeForDragImage",
657 "_columnSeparationWidth",
658 "_commandDescriptionForAppleEventClass:andEventCode:",
659 "_commandTerminologyDictionary",
660 "_commonAwake",
661 "_commonBeginModalSessionForWindow:relativeToWindow:modalDelegate:didEndSelector:contextInfo:",
662 "_commonFontInit",
663 "_commonInit",
664 "_commonInitFrame:styleMask:backing:defer:",
665 "_commonInitIvarBlock",
666 "_commonInitState",
667 "_commonNewScroll:",
668 "_commonSecureTextFieldInit",
669 "_compactMessageAtIndex:",
670 "_compare::checkCase:",
671 "_compareDuration:",
672 "_compareWidthWithSuperview",
673 "_compatibility_canCloseDocumentWithDelegate:shouldCloseSelector:contextInfo:",
674 "_compatibility_doSavePanelSave:delegate:didSaveSelector:contextInfo:",
675 "_compatibility_shouldCloseWindowController:delegate:shouldCloseSelector:contextInfo:",
676 "_compatibleWithRulebookVersion:",
677 "_complete:",
678 "_completeName:",
679 "_completeNoRecursion:",
680 "_completeRefaultingOfGID:object:",
681 "_componentsSeparatedBySet:",
682 "_composite:delta:fromRect:toPoint:",
683 "_compositeAndUnlockCachedImage",
684 "_compositeImage",
685 "_compositePointInRuler",
686 "_compositeToPoint:fromRect:operation:fraction:",
687 "_compositeToPoint:operation:fraction:",
688 "_compressIfNeeded",
689 "_computeBounds",
690 "_computeDisplayedLabelForRect:",
691 "_computeDisplayedSizeOfString:",
692 "_computeExecutablePath",
693 "_computeInv",
694 "_computeMinimumDisplayedLabel",
695 "_computeMinimumDisplayedLabelForWidth:",
696 "_computeMinimumDisplayedLabelSize",
697 "_computeNominalDisplayedLabelSize",
698 "_computeParams",
699 "_computeSynchronizationStatus",
700 "_concatInvertToAffineTransform:",
701 "_concreteFontInit",
702 "_concreteFontInit:",
703 "_concreteInputContextClass",
704 "_configureAsMainMenu",
705 "_configureAsSeparatorItem",
706 "_configureCell:forItemAtIndex:",
707 "_configureComposeWindowForType:message:",
708 "_configureSoundPopup",
709 "_configureTornOffMessageWindowForMessage:",
710 "_confirmSaveSheetDidEnd:returnCode:contextInfo:",
711 "_confirmSize:",
712 "_conflictsDirectlyWithTextStyleFromArray:",
713 "_conflictsIndirectlyWithTextStyleFromArray:",
714 "_conformsToProtocolNamed:",
715 "_consistencyCheck:",
716 "_consistencyError:startAtZeroError:cacheError:inconsistentBlockError:",
717 "_constrainPoint:withEvent:",
718 "_constructDeletedList",
719 "_containedInSingleColumnClipView",
720 "_containerDescription",
721 "_containerObservesTextViewFrameChanges",
722 "_containerTextViewFrameChanged:",
723 "_containsChar:",
724 "_containsCharFromSet:",
725 "_containsColorForTextAttributesOfNegativeValues",
726 "_containsIdenticalObjectsInArray:",
727 "_containsPath:",
728 "_containsString:",
729 "_contentToFrameMaxXWidth",
730 "_contentToFrameMaxXWidth:",
731 "_contentToFrameMaxYHeight",
732 "_contentToFrameMaxYHeight:",
733 "_contentToFrameMinXWidth",
734 "_contentToFrameMinXWidth:",
735 "_contentToFrameMinYHeight",
736 "_contentToFrameMinYHeight:",
737 "_contentView",
738 "_contentViewBoundsChanged:",
739 "_contents",
740 "_contextAuxiliary",
741 "_contextMenuEvent",
742 "_contextMenuImpl",
743 "_contextMenuTarget",
744 "_contextMenuTargetForEvent:",
745 "_controlColor",
746 "_controlMenuKnownAbsent:",
747 "_controlTintChanged:",
748 "_convertDataToString:",
749 "_convertPersistentItem:",
750 "_convertPoint:fromAncestor:",
751 "_convertPoint:toAncestor:",
752 "_convertPointFromSuperview:test:",
753 "_convertPointToSuperview:",
754 "_convertRect:fromAncestor:",
755 "_convertRect:toAncestor:",
756 "_convertRectFromSuperview:test:",
757 "_convertRectToSuperview:",
758 "_convertStringToData:",
759 "_convertToChildArray",
760 "_convertToNSRect:",
761 "_convertToQDRect:",
762 "_convertToText:",
763 "_copyDataFrom:",
764 "_copyDescription",
765 "_copyDevice:",
766 "_copyDir:dst:dstDir:name:nameLen:exists:isNFS:srcTail:dstTail:bomInode:",
767 "_copyDragCursor",
768 "_copyFile:dst:dstDir:name:isNFS:cpuTypes:",
769 "_copyFromDir:toDir:srcTail:dstTail:dirBomInode:dstDirExisted:",
770 "_copyLink:dst:dstDir:name:isNFS:",
771 "_copyMutableSetFromToManyArray:",
772 "_copyToFaxPanelPageMode:firstPage:lastPage:",
773 "_copyToTree:fromCursor:toCursor:",
774 "_copyToUnicharBuffer:saveLength:",
775 "_correct:",
776 "_correctGrammarGroups:andRules:",
777 "_correctGroups:inArray:",
778 "_count",
779 "_countDisplayedDescendantsOfItem:",
780 "_countForArray:",
781 "_countLinksTo:",
782 "_countUnreadAndDeleted",
783 "_counterpart",
784 "_coveredCharSet",
785 "_crackPoint:",
786 "_crackRect:",
787 "_createAuxData",
788 "_createBackingStore",
789 "_createCachedImage:",
790 "_createCells",
791 "_createColumn:",
792 "_createImage:::",
793 "_createImpl:",
794 "_createKeyValueBindingForKey:name:bindingType:",
795 "_createLock:",
796 "_createMainBodyPart",
797 "_createMenuMapLock",
798 "_createMovieController",
799 "_createNewFolderAtPath:",
800 "_createNewMailboxAtPath:",
801 "_createOptionBoxes:andButtons:",
802 "_createPartFromFileWrapper:",
803 "_createPartFromHTMLAttachment:",
804 "_createPartFromTextAttachment:",
805 "_createPattern",
806 "_createPatternFromRect:",
807 "_createPopUpMenu",
808 "_createPrinter:includeUnavailable:",
809 "_createScrollViewAndWindow",
810 "_createStatusItemControlInWindow:",
811 "_createStatusItemWindow",
812 "_createSubstringWithRange:",
813 "_createSurface",
814 "_createWakeupPort",
815 "_creteCachedImageLockIfNeeded",
816 "_crosshairCursor",
817 "_currentActivation",
818 "_currentAttachmentIndex",
819 "_currentAttachmentRect",
820 "_currentClient",
821 "_currentColorIndex",
822 "_currentSelection",
823 "_cursorRectCursor",
824 "_cycleFreeSpace",
825 "_darkBlueColor",
826 "_dataSourceRespondsToWriteDragRows",
827 "_dataSourceSetValue:forColumn:row:",
828 "_dataSourceValueForColumn:row:",
829 "_deactivate",
830 "_deactivateWindows",
831 "_deallocAuxiliary",
832 "_deallocCursorRects",
833 "_deallocHardCore:",
834 "_debugLoggingLevel",
835 "_decimalIsNotANumber:",
836 "_decimalPoint",
837 "_declareExtraTypesForTypeArray:",
838 "_decodeAndRecordObjectWithCoder:",
839 "_decodeByte",
840 "_decodeDepth",
841 "_decodeHeaderKey:fromData:offset:",
842 "_decodeHeaderKeysFromData:",
843 "_decodeMatrixWithCoder:",
844 "_decodeNewPtr:label:usingTable:lastLabel:atCursor:",
845 "_decodeWithoutNameWithCoder:",
846 "_decompressIfNeeded",
847 "_deepDescription",
848 "_deepDescriptionsWithPrefix:prefixUnit:targetArray:",
849 "_deepRootLevelEventsFromEvents:intoArray:",
850 "_defaultButtonCycleTime",
851 "_defaultButtonIndicatorFrameForRect:",
852 "_defaultEditingContextNowInitialized:",
853 "_defaultFontSet",
854 "_defaultGlyphForChar:",
855 "_defaultKnobColor",
856 "_defaultPathForKey:withFallbackKey:defaultValue:",
857 "_defaultPathToRouteMessagesTo",
858 "_defaultPrinterIsFax:",
859 "_defaultProgressIndicatorColor",
860 "_defaultSelectedKnobColor",
861 "_defaultSelectionColor",
862 "_defaultSharedEditingContext",
863 "_defaultSharedEditingContextWasInitialized:",
864 "_defaultTableHeaderReverseSortImage",
865 "_defaultTableHeaderSortImage",
866 "_defaultType",
867 "_delayedUpdateSwatch:",
868 "_delegate:handlesKey:",
869 "_delegateValidation:object:uiHandled:",
870 "_delegateWillDisplayCell:forColumn:row:",
871 "_delegateWillDisplayOutlineCell:forColumn:row:",
872 "_deleteAllCharactersFromSet:",
873 "_deleteAttachments:",
874 "_deleteBack:flatteningStructures:",
875 "_deleteDictionaries:",
876 "_deleteFontCollection:",
877 "_deleteMessages",
878 "_deleteRow:atIndex:givingSizeToIndex:",
879 "_demoteLeader:newLeader:",
880 "_descStringForFont:",
881 "_descriptionFileName",
882 "_descriptorByTranslatingArray:desiredDescriptorType:",
883 "_descriptorByTranslatingColor:desiredDescriptorType:",
884 "_descriptorByTranslatingNumber:desiredDescriptorType:",
885 "_descriptorByTranslatingString:desiredDescriptorType:",
886 "_descriptorByTranslatingTextStorage:desiredDescriptorType:",
887 "_deselectAll",
888 "_deselectAllExcept::andDraw:",
889 "_deselectColumn:",
890 "_deselectRowRange:",
891 "_deselectsWhenMouseLeavesDuringDrag",
892 "_desiredKeyEquivalent",
893 "_desiredKeyEquivalentModifierMask",
894 "_destinationStorePathForMessage:",
895 "_destroyRealWindow:",
896 "_destroyRealWindowIfNotVisible:",
897 "_destroyStream",
898 "_destroyWakeupPort",
899 "_detachFromLabelledItem",
900 "_detachSheetWindow",
901 "_detectTrackingMenuChangeWithScreenPoint:",
902 "_determineDropCandidateForDragInfo:",
903 "_deviceClosePath",
904 "_deviceCurveToPoint:controlPoint1:controlPoint2:",
905 "_deviceLineToPoint:",
906 "_deviceMoveToPoint:",
907 "_dictionary",
908 "_dictionaryByTranslatingAERecord:",
909 "_dictionaryForPropertyList:",
910 "_dictionaryWithNamedObjects",
911 "_didChange",
912 "_didEndCloseSheet:returnCode:closeContext:",
913 "_didMountDeviceAtPath:",
914 "_didNSOpenOrPrint",
915 "_didUnmountDeviceAtPath:",
916 "_dimmedImage:",
917 "_direction",
918 "_directoryPathForNode:context:",
919 "_dirtyFlags",
920 "_dirtyRect",
921 "_dirtyRectUncoveredFromOldDocFrame:byNewDocFrame:",
922 "_disableCompositing",
923 "_disableEnablingKeyEquivalentForDefaultButtonCell",
924 "_disableMovedPosting",
925 "_disablePosting",
926 "_disableResizedPosting",
927 "_disableSecurity:",
928 "_disableSelectionPosting",
929 "_discardCursorRectsForView:",
930 "_discardEventsWithMask:eventTime:",
931 "_discardTrackingRect:",
932 "_displayChanged",
933 "_displayFilteredResultsRespectingSortOrder:showList:",
934 "_displayName",
935 "_displayName:",
936 "_displayRectIgnoringOpacity:isVisibleRect:rectIsVisibleRectForView:",
937 "_displaySomeWindowsIfNeeded:",
938 "_displayStringForFont:",
939 "_displayedLabel",
940 "_disposeBackingStore",
941 "_disposeMovieController",
942 "_disposeSurface",
943 "_disposeTextObjects",
944 "_distanceForVerticalArrowKeyMovement",
945 "_doAnimation",
946 "_doAttachDrawer",
947 "_doAutoscroll:",
948 "_doAutoscrolling",
949 "_doAutoselectEdge",
950 "_doCloneInReceiver:withInsertionContainer:key:index:",
951 "_doCloseDrawer",
952 "_doCommandBySelector:forInputManager:",
953 "_doCompletionWindowPlacement:",
954 "_doDetachDrawer",
955 "_doExpansion:",
956 "_doHide",
957 "_doImageDragUsingRows:event:pasteboard:source:slideBack:",
958 "_doInvokeServiceIn:msg:pb:userData:error:unhide:",
959 "_doLayoutTabs:",
960 "_doLayoutWithFullContainerStartingAtGlyphIndex:nextGlyphIndex:",
961 "_doListCommand::",
962 "_doMailViewerResizing",
963 "_doModalLoop:peek:",
964 "_doMoveInReceiver:withInsertionContainer:key:index:",
965 "_doOpenDrawer",
966 "_doOpenFile:ok:tryTemp:",
967 "_doOpenUntitled",
968 "_doOptimizedLayoutStartingAtGlyphIndex:forSoftLayoutHole:inTextContainer:lineLimit:nextGlyphIndex:",
969 "_doOrderWindow:relativeTo:findKey:",
970 "_doOrderWindow:relativeTo:findKey:forCounter:force:",
971 "_doOrderWindow:relativeTo:findKey:forCounter:force:isModal:",
972 "_doPageArea:finishPage:helpedBy:pageLabel:",
973 "_doPositionDrawer",
974 "_doPositionDrawerAndSize:parentFrame:",
975 "_doPositionDrawerAndSize:parentFrame:stashSize:",
976 "_doPostedModalLoopMsg:",
977 "_doPreview:",
978 "_doPrintFile:ok:",
979 "_doRemoveDrawer",
980 "_doResizeDrawerWithDelta:fromFrame:",
981 "_doRotationOnly",
982 "_doScroller:",
983 "_doScroller:hitPart:multiplier:",
984 "_doSetAccessoryView:topView:bottomView:oldView:",
985 "_doSetParentWindow:",
986 "_doSlideDrawerWithDelta:",
987 "_doSomeBackgroundLayout",
988 "_doStartDrawer",
989 "_doStopDrawer",
990 "_doTiming",
991 "_doUidFetch:withRange:processResultsUsingSelector:expect:destFile:keepInMemory:intoArray:",
992 "_doUidFetch:withRange:processResultsUsingSelector:expect:intoArray:",
993 "_doUnhideWithoutActivation",
994 "_doUpdateServicesMenu:",
995 "_doUserParagraphStyleLineHeight:fixed:",
996 "_doUserPathWithOp:",
997 "_docController:shouldTerminate:",
998 "_document",
999 "_document:shouldClose:contextInfo:",
1000 "_documentClassNames",
1001 "_documentWindow",
1002 "_doesOwnRealWindow",
1003 "_doesRule:containExpression:inHeaders:caseSensitive:",
1004 "_doneTyping:",
1005 "_dosetTitle:andDefeatWrap:",
1006 "_dotPrefix:suffix:",
1007 "_doubleClickedList:",
1008 "_doubleHit:",
1009 "_dragCanBeginFromVerticalMouseMotion",
1010 "_dragFile:fromRect:slideBack:event:showAsModified:",
1011 "_dragImageSize",
1012 "_dragLocalSource",
1013 "_dragShouldBeginFromMouseDown:",
1014 "_dragUntilMouseUp:accepted:",
1015 "_drawAnimationStep",
1016 "_drawBackgroundForGlyphRange:atPoint:parameters:",
1017 "_drawBorder:inRect:",
1018 "_drawBottomFrameRect:",
1019 "_drawBottomLeftFrameRect:",
1020 "_drawBottomRightFrameRect:",
1021 "_drawCellAt::insideOnly:",
1022 "_drawCenteredVerticallyInRect:",
1023 "_drawColumn:",
1024 "_drawColumnHeaderRange:",
1025 "_drawColumnSeparatorsInRect:",
1026 "_drawContents:faceColor:textColor:inView:",
1027 "_drawDefaultButtonIndicatorWithFrame:inView:",
1028 "_drawDialogSides:",
1029 "_drawDone:success:",
1030 "_drawDragImageInRect:",
1031 "_drawDropHighlight",
1032 "_drawDropHighlightBetweenUpperRow:andLowerRow:atOffset:",
1033 "_drawDropHighlightOffScreenIndicatorPointingLeftAtOffset:",
1034 "_drawDropHighlightOffScreenIndicatorPointingUp:atOffset:",
1035 "_drawDropHighlightOnRow:",
1036 "_drawEndCapInRect:",
1037 "_drawFrame",
1038 "_drawFrame:",
1039 "_drawFrameInterior:clip:",
1040 "_drawFrameRects:",
1041 "_drawFrameShadowAndFlushContext:",
1042 "_drawFromRect:toRect:operation:alpha:compositing:",
1043 "_drawGlyphsForGlyphRange:atPoint:parameters:",
1044 "_drawGrowBoxWithClip:",
1045 "_drawHeaderFillerInRect:",
1046 "_drawHeaderOfColumn:",
1047 "_drawKeyViewOutline:",
1048 "_drawKeyboardFocusRingWithFrame:",
1049 "_drawKeyboardFocusRingWithFrame:inView:",
1050 "_drawKeyboardUILoop",
1051 "_drawLeftFrameRect:",
1052 "_drawMatrix",
1053 "_drawMenuFrame:",
1054 "_drawMiniWindow:",
1055 "_drawNumericIndicator",
1056 "_drawOptimizedRectFills",
1057 "_drawProgressArea",
1058 "_drawRect:clip:",
1059 "_drawRect:liveResizeCacheCoveredArea:",
1060 "_drawRect:withOpaqueAncestor:",
1061 "_drawRemainderArea",
1062 "_drawRepresentation:",
1063 "_drawResizeIndicators:",
1064 "_drawRightFrameRect:",
1065 "_drawStandardPopUpBorderWithFrame:inView:",
1066 "_drawTabViewItem:inRect:",
1067 "_drawThemeBackground",
1068 "_drawThemeContents:highlighted:inView:",
1069 "_drawThemePopUpBorderWithFrame:inView:withBezel:",
1070 "_drawThemeProgressArea:",
1071 "_drawThemeTab:inRect:",
1072 "_drawTitleBar:active:",
1073 "_drawTitleStringIn:withColor:",
1074 "_drawTitlebar:",
1075 "_drawTitlebarLines:inRect:clippedByRect:",
1076 "_drawTitlebarPattern:inRect:clippedByRect:forKey:alignment:",
1077 "_drawTitledFrame:",
1078 "_drawTopFrameRect:",
1079 "_drawTopLeftFrameRect:",
1080 "_drawTopRightFrameRect:",
1081 "_drawViewBackgroundInRect:",
1082 "_drawWinTab:inRect:tabColor:shadowColor:",
1083 "_drawWindowsGaugeRects:",
1084 "_drawerIsOpen",
1085 "_drawerTransform",
1086 "_drawerVelocity",
1087 "_drawingLastColumn",
1088 "_drawingSubthreadWillDie:",
1089 "_drawsBackground",
1090 "_dumpBitmapRepresentation:",
1091 "_dumpBookSegments",
1092 "_dumpGlobalResources:",
1093 "_dumpLocalizedResources:",
1094 "_dumpSetRepresentation:",
1095 "_dynamicColorsChanged:",
1096 "_editing",
1097 "_editorResized",
1098 "_ejectRemovableDevice:",
1099 "_enable:service:",
1100 "_enableCompositing",
1101 "_enableEnablingKeyEquivalentForDefaultButtonCell",
1102 "_enableItems",
1103 "_enableLeaf:container:",
1104 "_enableLogging:",
1105 "_enableMovedPosting",
1106 "_enablePosting",
1107 "_enableResizedPosting",
1108 "_enableSecurity:",
1109 "_enableSelectionPostingAndPost",
1110 "_encodeByte:",
1111 "_encodeDepth:",
1112 "_encodeDictionary:forKey:",
1113 "_encodeMapTable:forTypes:withCoder:",
1114 "_encodeObjects:forKey:",
1115 "_encodeValue:forKey:",
1116 "_encodeWithoutNameWithCoder:",
1117 "_encodedHeadersIncludingFromSpace:",
1118 "_encodedValuesForControls:",
1119 "_encodingCantBeStoredInEightBitCFString",
1120 "_encodingForHFSAttachments",
1121 "_endCompletion:",
1122 "_endDragging",
1123 "_endHTMLChange",
1124 "_endHTMLChangeForMarkedText",
1125 "_endListeningForApplicationStatusChanges",
1126 "_endListeningForDeviceStatusChanges",
1127 "_endLiveResize",
1128 "_endLiveResizeForAllDrawers",
1129 "_endMyEditing",
1130 "_endOfParagraphAtIndex:",
1131 "_endProcessingMultipleMessages",
1132 "_endRunMethod",
1133 "_endScrolling",
1134 "_endTabWidth",
1135 "_endUnarchivingPrintInfo",
1136 "_enqueueEndOfEventNotification",
1137 "_ensureCapacity:",
1138 "_ensureLayoutCompleteToEndOfCharacterRange:",
1139 "_ensureMinAndMaxSizesConsistentWithBounds",
1140 "_enteredTrackingRect",
1141 "_entriesAreAcceptable",
1142 "_enumModuleComplete:",
1143 "_enumerateForMasking:data:",
1144 "_eoDeallocHackMethod",
1145 "_eoNowMultiThreaded:",
1146 "_errorStringForResponse:forCommand:",
1147 "_eventDelegate",
1148 "_eventDescriptionForEventType:",
1149 "_eventHandlerForEventClass:andEventID:",
1150 "_eventInTitlebar:",
1151 "_eventRef",
1152 "_eventRelativeToWindow:",
1153 "_eventWithCGSEvent:",
1154 "_exchangeDollarInString:withString:",
1155 "_existsForArray:",
1156 "_exit",
1157 "_exitedTrackingRect",
1158 "_expand",
1159 "_expandItemEntry:expandChildren:",
1160 "_expandPanel:",
1161 "_expandRep:",
1162 "_exportLinkRec:",
1163 "_extendedCharRangeForInvalidation:editedCharRange:",
1164 "_extraWidthForCellHeight:",
1165 "_fastAllKeys",
1166 "_fastCStringContents",
1167 "_fastDotPathString",
1168 "_fastHighlightGlyphRange:withinSelectedGlyphRange:",
1169 "_favoritesChanged:",
1170 "_fetchColorTable:",
1171 "_fetchCommandForMessageSkeletons",
1172 "_fetchSectionUsingCommand:forUid:destFile:keepInMemory:",
1173 "_fetchUnreadCounts:children:",
1174 "_fetchUserInfoForMailboxAtPath:",
1175 "_fileButtonOrigin",
1176 "_fileExtensions",
1177 "_fileOperation:source:destination:files:",
1178 "_fileOperationCompleted:",
1179 "_filenameEncodingHint",
1180 "_filenameFromSubject:inDirectory:ofType:",
1181 "_fillBackground:withAlternateColor:",
1182 "_fillBuffer",
1183 "_fillFloatArray:",
1184 "_fillGlyphHoleAtIndex:desiredNumberOfCharacters:",
1185 "_fillGrayRect:with:",
1186 "_fillLayoutHoleAtIndex:desiredNumberOfLines:",
1187 "_fillSizeFields:convertToPoints:",
1188 "_fillSizesForAttributes:withTextStorage:startingWithOffset:",
1189 "_fillSpellCheckerPopupButton:",
1190 "_fillsClipViewHeight",
1191 "_fillsClipViewWidth",
1192 "_filterTypes",
1193 "_finalScrollingOffsetFromEdge",
1194 "_finalSlideLocation",
1195 "_finalize",
1196 "_findButtonImageForState:",
1197 "_findCoercerFromClass:toClass:",
1198 "_findColorListNamed:forDeviceType:",
1199 "_findColorNamed:inList:startingAtIndex:searchingBackward:usingLocalName:ignoreCase:substring:",
1200 "_findDictOrBitmapSetNamed:",
1201 "_findDragTargetFrom:",
1202 "_findFirstOne::",
1203 "_findFont:size:matrix:flag:",
1204 "_findMisspelledWordInString:language:learnedDictionaries:wordCount:countOnly:",
1205 "_findNext:",
1206 "_findNextOrPrev:",
1207 "_findParentWithLevel:beginingAtItem:childEncountered:",
1208 "_findRemovableDevices:",
1209 "_findSystemImageNamed:",
1210 "_findTableViewUnderView:",
1211 "_findTypeForPropertyListDecoding:",
1212 "_findWindowUsingCache:",
1213 "_findWindowUsingDockItemRef:",
1214 "_finishHitTracking:",
1215 "_finishMessagingClients:",
1216 "_finishPrintFilter:filter:",
1217 "_finishedMakingConnections",
1218 "_firstHighlightedCell",
1219 "_firstPassGlyphRangeForBoundingRect:inTextContainer:hintGlyphRange:okToFillHoles:",
1220 "_firstPassGlyphRangeForBoundingRect:inTextContainer:okToFillHoles:",
1221 "_firstSelectableRow",
1222 "_firstSelectableRowInMatrix:inColumn:",
1223 "_firstTextViewChanged",
1224 "_fixCommandAlphaShifts",
1225 "_fixHeaderAndCornerViews",
1226 "_fixKeyViewForView:",
1227 "_fixSelectionAfterChangeInCharacterRange:changeInLength:",
1228 "_fixSharedData",
1229 "_fixStringForShell",
1230 "_fixTargetsForMenu:",
1231 "_fixTitleUI:",
1232 "_fixup:numElements:",
1233 "_flattenTypingStyles:useMatch:",
1234 "_floating",
1235 "_flushAEDesc",
1236 "_flushAllMessageData",
1237 "_flushAndAlign:",
1238 "_flushCurrentEdits",
1239 "_flushNotificationQueue",
1240 "_focusFromView:withThread:",
1241 "_focusInto:withClip:",
1242 "_focusOnCache:",
1243 "_focusRingFrameForFrame:",
1244 "_fondID",
1245 "_fontCollectionWithName:",
1246 "_fontFamilyFromCanonicalFaceArray:",
1247 "_fontInfoServerDied:",
1248 "_fontSetWithName:",
1249 "_fontStyleName:",
1250 "_fontWithName:scale:skew:oblique:translation:",
1251 "_fontWithName:size:matrix:",
1252 "_forNode:processProject:",
1253 "_forceArchsToDisk",
1254 "_forceClassInitialization",
1255 "_forceDisplayToBeCorrectForViewsWithUnlaidGlyphs",
1256 "_forceEditingCharacters:",
1257 "_forceFixAttributes",
1258 "_forceFlushWindowToScreen",
1259 "_forceLoadSuites:",
1260 "_forceReloadFavorites",
1261 "_forceSetColor:",
1262 "_forceUserInit",
1263 "_forget:",
1264 "_forgetData:",
1265 "_forgetDependentBoldCopy",
1266 "_forgetDependentFixedCopy",
1267 "_forgetDependentItalicCopy",
1268 "_forgetDependentUnderlineCopy",
1269 "_forgetObjectWithGlobalID:",
1270 "_forgetSpellingFromMenu:",
1271 "_forgetWord:inDictionary:",
1272 "_formHit:",
1273 "_formMethodForValue:",
1274 "_formatObjectValue:invalid:",
1275 "_forwardMessage",
1276 "_frameDidDrawTitle",
1277 "_frameDocumentWithHTMLString:url:",
1278 "_frameOfColumns",
1279 "_frameOfOutlineCellAtRow:",
1280 "_freeCache:",
1281 "_freeClients",
1282 "_freeDirTable:",
1283 "_freeEnumerator:",
1284 "_freeImage",
1285 "_freeLength:offset:",
1286 "_freeNode:",
1287 "_freeNodes",
1288 "_freeOldPrinterInfo",
1289 "_freePostings",
1290 "_freeRepresentation:",
1291 "_freeServicesMenu:",
1292 "_fromScreenCommonCode:",
1293 "_fullDescription:",
1294 "_fullLabel",
1295 "_fullPathForService:",
1296 "_fullUpdateOfIndex",
1297 "_gatherFocusStateInto:upTo:withThread:",
1298 "_gaugeImage:",
1299 "_genBaseMatrix",
1300 "_generatePSCodeHelpedBy:operation:",
1301 "_generateTextStorage",
1302 "_genericDragCursor",
1303 "_getAppleShareVolumes",
1304 "_getBracketedStringFromBuffer:",
1305 "_getBrowser:browserColumn:",
1306 "_getBytesAsData:maxLength:filledLength:encoding:allowLossyConversion:range:remainingRange:",
1307 "_getCacheWindow:andRect:forRep:",
1308 "_getCharactersAsStringInRange:",
1309 "_getContents:",
1310 "_getContents:andLength:",
1311 "_getConvertedDataForType:",
1312 "_getConvertedDataFromPasteboard:",
1313 "_getCounterpart",
1314 "_getCursorBitmap",
1315 "_getData:encoding:",
1316 "_getDocInfoForKey:",
1317 "_getDrawingRow:andCol:",
1318 "_getEightBitRGBMeshedBitmap:rowBytes:extraSample:reverseScanLines:removeAlpha:",
1319 "_getFSRefForApplicationName:",
1320 "_getFSRefForPath:",
1321 "_getFSRefForServiceName:",
1322 "_getFSSpecForPath:",
1323 "_getFatInfo:forPath:",
1324 "_getFatInfoFromMachO:fileDesc:",
1325 "_getFocusRingFrame",
1326 "_getGaugeFrame",
1327 "_getGlobalWindowNumber:andRect:forRepresentation:",
1328 "_getGlyphIndex:forWindowPoint:pinnedPoint:preferredTextView:partialFraction:",
1329 "_getHiddenList",
1330 "_getLocalPoint:",
1331 "_getMatchingRow:forString:inMatrix:startingAtRow:prefixMatch:caseSensitive:",
1332 "_getMessageSummaries",
1333 "_getNewMailInAccountMenuItem",
1334 "_getNodeForKey:inTable:",
1335 "_getOrCreatePathsListFor:dir:table:",
1336 "_getPartStruct:numberOfParts:withInnerBounds:",
1337 "_getPosition:",
1338 "_getPositionFromServer",
1339 "_getPrinterList:",
1340 "_getProgressFrame",
1341 "_getRemainderFrame",
1342 "_getReply",
1343 "_getRidOfCacheAndMarkYourselfAsDirty",
1344 "_getRow:andCol:ofCell:atRect:",
1345 "_getRow:column:nearPoint:",
1346 "_getServiceMenuEntryInfo:menuName:itemName:enabled:",
1347 "_getSize:",
1348 "_getSum:ofFile:",
1349 "_getTextColor:backgroundColor:",
1350 "_getTiffImage:ownedBy:",
1351 "_getTiffImage:ownedBy:asImageRep:",
1352 "_getUndoManager:",
1353 "_getValue:forKey:",
1354 "_getValue:forObj:",
1355 "_getValue:forType:",
1356 "_getValuesWithName:andAttributes:",
1357 "_getVolumes:",
1358 "_getWindowCache:add:",
1359 "_giveUpFirstResponder:",
1360 "_globalIDChanged:",
1361 "_globalIDForLocalObject:",
1362 "_globalWindowNum",
1363 "_glyphAtIndex:characterIndex:glyphInscription:isValidIndex:",
1364 "_glyphDescription",
1365 "_glyphDrawsOutsideLineHeight:",
1366 "_glyphGenerator",
1367 "_glyphIndexForCharacterIndex:startOfRange:okToFillHoles:",
1368 "_glyphInfoAtIndex:",
1369 "_glyphRangeForBoundingRect:inTextContainer:fast:okToFillHoles:",
1370 "_glyphRangeForCharacterRange:actualCharacterRange:okToFillHoles:",
1371 "_goneMultiThreaded",
1372 "_goneSingleThreaded",
1373 "_gotoFavorite:",
1374 "_grammarTableKey",
1375 "_graphiteControlTintColor",
1376 "_gray136Color",
1377 "_gray170Color",
1378 "_gray204Color",
1379 "_gray221Color",
1380 "_grestore",
1381 "_growBoxRect",
1382 "_growCachedRectArrayToSize:",
1383 "_gsave",
1384 "_guaranteeMinimumWidth:",
1385 "_guess:",
1386 "_handCursor",
1387 "_handleActivityEnded",
1388 "_handleClickOnURLString:",
1389 "_handleCommand:",
1390 "_handleCursorUpdate:",
1391 "_handleError:delta:fromRect:toPoint:",
1392 "_handleInvalidPath:",
1393 "_handleMessage:from:socket:",
1394 "_handleMouseUpWithEvent:",
1395 "_handleNewActivity:",
1396 "_handleSpecialAppleEvent:withReplyEvent:",
1397 "_handleText:",
1398 "_hasActiveAppearance",
1399 "_hasActiveControls",
1400 "_hasAttributedStringValue",
1401 "_hasBezelBorder",
1402 "_hasCursorRects",
1403 "_hasCursorRectsForView:",
1404 "_hasCustomColor",
1405 "_hasDefaultButtonIndicator",
1406 "_hasEditableCell",
1407 "_hasImage",
1408 "_hasImageMap",
1409 "_hasParameter:forKeyword:",
1410 "_hasSeparateArrows",
1411 "_hasShadow",
1412 "_hasSourceFile:context:",
1413 "_hasTabs",
1414 "_hasTitle",
1415 "_hasWindowRef",
1416 "_hasgState",
1417 "_hashMarkDictionary",
1418 "_hashMarkDictionaryForDocView:measurementUnitToBoundsConversionFactor:stepUpCycle:stepDownCycle:minimumHashSpacing:minimumLabelSpacing:",
1419 "_hashMarkDictionaryForDocumentView:measurementUnitName:",
1420 "_headerCellRectOfColumn:",
1421 "_headerCellSizeOfColumn:",
1422 "_headerData",
1423 "_headerIdentifiersForKey:",
1424 "_headerLevelForMarker:",
1425 "_headerSizeOfColumn:",
1426 "_headerValueForKey:",
1427 "_headerValueForKey:fromData:",
1428 "_headersRequiredForRouting",
1429 "_heartBeatBufferWindow",
1430 "_heartBeatThread:",
1431 "_hello:",
1432 "_helpBundleForObject:",
1433 "_helpKeyForObject:",
1434 "_helpWindow",
1435 "_hide",
1436 "_hideAllDrawers",
1437 "_hideDropShadow",
1438 "_hideHODWindow",
1439 "_hideMenu:",
1440 "_hideSheet",
1441 "_hideStatus",
1442 "_highlightCell:atRow:column:andDraw:",
1443 "_highlightColor",
1444 "_highlightColumn:clipRect:",
1445 "_highlightRow:clipRect:",
1446 "_highlightTabColor",
1447 "_highlightTextColor",
1448 "_highlightsWithHighlightRect",
1449 "_hints",
1450 "_hitTest:dragTypes:",
1451 "_horizontalAdjustmentForItalicAngleAtHeight:",
1452 "_horizontalResizeCursor",
1453 "_horizontalScrollerSeparationHeight",
1454 "_hostWithHostEntry:",
1455 "_hostWithHostEntry:name:",
1456 "_hoverAreaIsSameAsLast:",
1457 "_htmlDocumentClass",
1458 "_htmlString",
1459 "_htmlTree",
1460 "_html_findString:selectedRange:options:wrap:",
1461 "_iconRef",
1462 "_ignore:",
1463 "_ignoreClick:",
1464 "_ignoreSpellingFromMenu:",
1465 "_image",
1466 "_imageCellWithState:",
1467 "_imageForDragAndDropCharRange:withOrigin:",
1468 "_imageFromItemTitle:",
1469 "_imageFromNewResourceLocation:",
1470 "_imageNamed:",
1471 "_imageRectWithRect:",
1472 "_imageSizeWithSize:",
1473 "_imagesFromIcon:inApp:zone:",
1474 "_imagesHaveAlpha",
1475 "_imagesWithData:zone:",
1476 "_immutableStringCharacterSetWithArray:",
1477 "_impl",
1478 "_importLinkRec:",
1479 "_inLiveResize",
1480 "_inResize:",
1481 "_inTSMPreProcess",
1482 "_includeObject:container:",
1483 "_incorporateMailFromIncoming",
1484 "_index",
1485 "_indexOfAttachment:",
1486 "_indexOfFirstGlyphInTextContainer:okToFillHoles:",
1487 "_indexOfMessageWithUid:startingIndex:endingIndex:",
1488 "_indexOfPopupItemForLanguage:",
1489 "_indexValueForListItem:",
1490 "_indicatePrefix:",
1491 "_indicatorImage",
1492 "_indicatorImageForCellHeight:",
1493 "_infoForFile:inColumn:isDir:isAutomount:info:",
1494 "_init",
1495 "_initAllFamBrowser",
1496 "_initAsDefault:",
1497 "_initCollectionBrowser",
1498 "_initContent:styleMask:backing:defer:contentView:",
1499 "_initContent:styleMask:backing:defer:counterpart:",
1500 "_initContent:styleMask:backing:defer:screen:contentView:",
1501 "_initData",
1502 "_initFavoritesBrowser",
1503 "_initFavoritesList:",
1504 "_initFlippableViewCacheLock",
1505 "_initFocusSelection",
1506 "_initFontSetMatrix:withNames:",
1507 "_initFromGlobalWindow:inRect:",
1508 "_initFromGlobalWindow:inRect:styleMask:",
1509 "_initInStatusBar:withLength:withPriority:",
1510 "_initInfoDictionary",
1511 "_initJobVars",
1512 "_initLocks",
1513 "_initNominalMappings",
1514 "_initPaperNamePopUp",
1515 "_initPathView",
1516 "_initPrior298WithCoder:",
1517 "_initPrior299WithCoder:",
1518 "_initPrivData",
1519 "_initRegion:ofLength:atAddress:",
1520 "_initRemoteWithSignature:",
1521 "_initServicesMenu:",
1522 "_initSubviews",
1523 "_initSubviewsForBodyDocument",
1524 "_initSubviewsForFramesetDocument",
1525 "_initSubviewsForRawDocument",
1526 "_initThreeColumnBrowser",
1527 "_initUnitsPopUp",
1528 "_initWithArray:",
1529 "_initWithAttributedString:isRich:",
1530 "_initWithCGSEvent:eventRef:",
1531 "_initWithContentSize:preferredEdge:",
1532 "_initWithDIB:",
1533 "_initWithData:",
1534 "_initWithData:charsetHint:",
1535 "_initWithData:fileType:",
1536 "_initWithData:tiff:imageNumber:",
1537 "_initWithDataOfUnknownEncoding:",
1538 "_initWithDictionary:",
1539 "_initWithDictionary:defaults:",
1540 "_initWithEnd:offset:affinity:",
1541 "_initWithHostEntry:name:",
1542 "_initWithIconRef:includeThumbnail:",
1543 "_initWithImageReader:",
1544 "_initWithImpl:uniquedFileName:docInfo:imageData:parentWrapper:",
1545 "_initWithItems:",
1546 "_initWithMessage:sender:subject:dateReceived:",
1547 "_initWithName:",
1548 "_initWithName:fromPath:forDeviceType:lazy:",
1549 "_initWithName:host:process:bundle:serverClass:keyBindings:",
1550 "_initWithName:propertyList:",
1551 "_initWithParagraphStyle:",
1552 "_initWithPickers:",
1553 "_initWithPlist:",
1554 "_initWithRTFSelector:argument:documentAttributes:",
1555 "_initWithRetainedCFSocket:protocolFamily:socketType:protocol:",
1556 "_initWithSelectionTree:",
1557 "_initWithSet:",
1558 "_initWithSharedBitmap:rect:",
1559 "_initWithSharedKitWindow:rect:",
1560 "_initWithSize:depth:separate:alpha:allowDeep:",
1561 "_initWithStart:offset:affinity:",
1562 "_initWithStart:offset:end:offset:affinity:",
1563 "_initWithStartRoot:index:endRoot:index:",
1564 "_initWithThemeType:",
1565 "_initWithURLFunnel:options:documentAttributes:",
1566 "_initWithWindow:",
1567 "_initWithWindowNumber:",
1568 "_initWithoutAEDesc",
1569 "_initialOffset",
1570 "_initialize:::",
1571 "_initializeArchiverMappings",
1572 "_initializeMenu:target:selector:",
1573 "_initializePanel:path:name:relativeToWindow:",
1574 "_initializeRegisteredDefaults",
1575 "_initializeUserInfoDict",
1576 "_inputClientChangedStatus:inputClient:",
1577 "_inputManagerInNextScript:",
1578 "_insert:projNum:keyBuf:",
1579 "_insertGlyphs:elasticAttributes:count:atGlyphIndex:characterIndex:",
1580 "_insertItemInSortedOrderWithTitle:action:keyEquivalent:",
1581 "_insertNodesForAttributes:underNode:",
1582 "_insertObject:withGlobalID:",
1583 "_insertObjectInSortOrder:",
1584 "_insertProject:",
1585 "_insertStatusItemWindow:withPriority:",
1586 "_insertText:forInputManager:",
1587 "_insertionGlyphIndexForDrag:",
1588 "_insertionOrder",
1589 "_insertionPointDisabled",
1590 "_insetRect:",
1591 "_inspectedHTMLView",
1592 "_installOpenRecentsMenu",
1593 "_installRulerAccViewForParagraphStyle:ruler:enabled:",
1594 "_instantiateProjectNamed:inDirectory:appendProjectExtension:",
1595 "_intValue",
1596 "_internalFontList",
1597 "_internalIndicesOfObjectsByEvaluatingWithContainer:count:",
1598 "_internalThreadId",
1599 "_intersectsBitVectorMaybeCompressed:",
1600 "_invalidLabelSize",
1601 "_invalidate",
1602 "_invalidateBlinkTimer:",
1603 "_invalidateCache",
1604 "_invalidateConnectionsAsNecessary:",
1605 "_invalidateDictionary:newTime:",
1606 "_invalidateDisplayIfNeeded",
1607 "_invalidateFocus",
1608 "_invalidateGStatesForTree",
1609 "_invalidateGlyphsForCharacterRange:editedCharacterRange:changeInLength:actualCharacterRange:",
1610 "_invalidateGlyphsForExtendedCharacterRange:changeInLength:",
1611 "_invalidateImageTypeCaches",
1612 "_invalidateInsertionPoint",
1613 "_invalidateLayoutForExtendedCharacterRange:isSoft:",
1614 "_invalidateLiveResizeCachedImage",
1615 "_invalidateMatrices",
1616 "_invalidateObject:withGlobalID:",
1617 "_invalidateObjectWithGlobalID:",
1618 "_invalidateObjectsWithGlobalIDs:",
1619 "_invalidateTabsCache",
1620 "_invalidateTimers",
1621 "_invalidateTitleCellSize",
1622 "_invalidateTitleCellWidth",
1623 "_invalidateUsageForTextContainersInRange:",
1624 "_invalidatedAllObjectsInStore:",
1625 "_invalidatedAllObjectsInSubStore:",
1626 "_invertedIndex",
1627 "_invokeActionByKeyForCurrentlySelectedItem",
1628 "_invokeEditorNamed:forItem:",
1629 "_isAbsolute",
1630 "_isActivated",
1631 "_isAncestorOf:",
1632 "_isAnimatingDefaultCell",
1633 "_isButtonBordered",
1634 "_isCString",
1635 "_isCached",
1636 "_isCanonEncoding",
1637 "_isClosable",
1638 "_isCtrlAltForHelpDesired",
1639 "_isDaylightSavingTimeForAbsoluteTime:",
1640 "_isDeactPending",
1641 "_isDeadkey",
1642 "_isDecomposable",
1643 "_isDefaultFace",
1644 "_isDefaultFavoritesObject:inContainer:",
1645 "_isDialog",
1646 "_isDocWindow",
1647 "_isDoingHide",
1648 "_isDoingOpenFile",
1649 "_isDoingUnhide",
1650 "_isDraggable",
1651 "_isDrawingToHeartBeatWindow",
1652 "_isEditing",
1653 "_isEditingTextView:",
1654 "_isEmptyMovie",
1655 "_isEnabled",
1656 "_isEventProcessingDisabled",
1657 "_isFakeFixedPitch",
1658 "_isFatFile:size:",
1659 "_isFaxTypeString:",
1660 "_isFilePackage:",
1661 "_isFilePackageExtension:",
1662 "_isFirstResponderASubview",
1663 "_isFontUnavailable:",
1664 "_isGrabber",
1665 "_isHidden",
1666 "_isImageCache",
1667 "_isImagedByWindowServer",
1668 "_isInUse",
1669 "_isInsideImageMapForEvent:inFrame:",
1670 "_isInternalFontName:",
1671 "_isKeyWindow",
1672 "_isLicensedForFeature:",
1673 "_isLink:",
1674 "_isLoaded",
1675 "_isMenuMnemonicString:",
1676 "_isMiniaturizable",
1677 "_isPoint:inDragZoneOfRow:",
1678 "_isPrintFilterDeviceDependent:",
1679 "_isRecyclable",
1680 "_isResizable",
1681 "_isReturnStructInRegisters",
1682 "_isRuleValid:",
1683 "_isRunningAppModal",
1684 "_isRunningDocModal",
1685 "_isRunningModal",
1686 "_isRunningOnAppKitThread",
1687 "_isScriptingEnabled",
1688 "_isScrolling",
1689 "_isSettingMarkedText",
1690 "_isSheet",
1691 "_isTerminating",
1692 "_isThreadedAnimationLooping",
1693 "_isUpdated",
1694 "_isUsedByCell",
1695 "_isUtility",
1696 "_isValid",
1697 "_isViewingMessage",
1698 "_isVisibleUsingCache:",
1699 "_itemAdded:",
1700 "_itemChanged:",
1701 "_itemForView:",
1702 "_itemHit:",
1703 "_itemInStatusBar:withLength:withPriority:",
1704 "_itemRemoved:",
1705 "_itemsFromRows:",
1706 "_ivars",
1707 "_justOrderOut",
1708 "_keyArray",
1709 "_keyBindingManager",
1710 "_keyBindingMonitor",
1711 "_keyEquivalentGlyphWidth",
1712 "_keyEquivalentModifierMask:matchesModifierFlags:",
1713 "_keyEquivalentModifierMaskMatchesModifierFlags:",
1714 "_keyEquivalentSizeWithFont:",
1715 "_keyEquivalentUniquingDescriptionForMenu:",
1716 "_keyForAppleEventCode:",
1717 "_keyListForKeyNode:",
1718 "_keyPath:",
1719 "_keyRowOrSelectedRowOfMatrix:inColumn:",
1720 "_keyWindow",
1721 "_keyboardFocusRingFrameForRect:",
1722 "_keyboardIsOldNeXT",
1723 "_keyboardModifyRow:column:withEvent:",
1724 "_keyboardUIActionForEvent:",
1725 "_kitNewObjectSetVersion:",
1726 "_kitOldObjectSetVersion:",
1727 "_kludgeScrollBarForColumn:",
1728 "_knowsPagesFirst:last:",
1729 "_kvcMapForClass:",
1730 "_labelCell",
1731 "_labelRectForTabRect:forItem:",
1732 "_langList",
1733 "_lastDragDestinationOperation",
1734 "_lastDraggedEventFollowing:",
1735 "_lastDraggedOrUpEventFollowing:",
1736 "_lastEventRecordTime",
1737 "_lastKeyView",
1738 "_lastLeftHit",
1739 "_lastOnScreenContext",
1740 "_lastRightHit",
1741 "_launchLDAPQuery:",
1742 "_launchPrintFilter:file:deviceDependent:",
1743 "_launchService:andWait:",
1744 "_launchSpellChecker:",
1745 "_layoutBoxesOnView:boxSize:boxes:buttons:rows:columns:",
1746 "_layoutTabs",
1747 "_ldapScope",
1748 "_leading",
1749 "_learn:",
1750 "_learnOrForgetOrInvalidate:word:dictionary:language:ephemeral:",
1751 "_learnSpellingFromMenu:",
1752 "_learnWord:inDictionary:",
1753 "_leftEdgeOfSelection:hasGlyphRange:",
1754 "_leftFrameRect",
1755 "_leftGroupRect",
1756 "_lengthForSize:",
1757 "_lightBlueColor",
1758 "_lightWeightRecursiveDisplayInRect:",
1759 "_lightYellowColor",
1760 "_lineFragmentDescription:",
1761 "_link:toBuddy:",
1762 "_linkDragCursor",
1763 "_listingForPath:listAllChildren:",
1764 "_liveResizeCachedImage",
1765 "_liveResizeCachedImageIsValid",
1766 "_loadActiveTable:",
1767 "_loadAllEmailAddresses",
1768 "_loadAllFamiliesBrowser:",
1769 "_loadAttributes",
1770 "_loadBundle",
1771 "_loadBundles",
1772 "_loadBundlesFromPath:",
1773 "_loadColFamilies:",
1774 "_loadColorLists",
1775 "_loadColorSyncFrameworkIfNeeded",
1776 "_loadColors",
1777 "_loadData",
1778 "_loadDeadKeyData",
1779 "_loadFaces",
1780 "_loadFamilies",
1781 "_loadFamiliesFromDict:",
1782 "_loadFontFiles",
1783 "_loadFontSets",
1784 "_loadHTMLFrameworkIfNeeded",
1785 "_loadHTMLMessage:",
1786 "_loadHTMLString",
1787 "_loadImageFromTIFF:imageNumber:",
1788 "_loadImageInfoFromTIFF:",
1789 "_loadImageWithName:",
1790 "_loadKeyboardBindings",
1791 "_loadMailAccounts",
1792 "_loadMailboxCacheForMailboxesAtPath:listAllChildren:",
1793 "_loadMailboxListingIntoCache:attributes:withPrefix:",
1794 "_loadMatrix:withElements:makeLeaves:",
1795 "_loadMessageIntoTextView",
1796 "_loadNibFile:nameTable:withZone:ownerBundle:",
1797 "_loadPanelAccessoryNib",
1798 "_loadPickerBundlesIn:expectLibraryLayout:",
1799 "_loadRecentsIfNecessary",
1800 "_loadSeenFileFromDisk",
1801 "_loadServersList",
1802 "_loadServicesMenuData",
1803 "_loadSizes",
1804 "_loadSpecialPathsForSortingChildMailboxes",
1805 "_loadSuitesForExistingBundles",
1806 "_loadSuitesForLoadedBundle:",
1807 "_loadSystemScreenColorList",
1808 "_loadTextView",
1809 "_loadTypeObject:",
1810 "_loadedCellAtRow:column:inMatrix:",
1811 "_localObjectForGlobalID:",
1812 "_localizedColorListName",
1813 "_localizedKeyForKey:language:",
1814 "_localizedNameForColorWithName:",
1815 "_localizedNameForListOrColorNamed:",
1816 "_localizedTypeString:",
1817 "_locationForPopUpMenuWithFrame:",
1818 "_locationOfColumn:",
1819 "_locationOfPoint:",
1820 "_locationOfRow:",
1821 "_lockCachedImage",
1822 "_lockFirstResponder",
1823 "_lockFocusNoRecursion",
1824 "_lockFocusOnRep:",
1825 "_lockForReading",
1826 "_lockForWriting",
1827 "_lockName",
1828 "_lockQuickDrawPort",
1829 "_lockUnlockCachedImage:",
1830 "_lockViewHierarchyForDrawing",
1831 "_lockViewHierarchyForDrawingWithExceptionHandler:",
1832 "_lockViewHierarchyForModification",
1833 "_logUnavailableFont:",
1834 "_longLongValue",
1835 "_lookingBackward:fromPosition:inNode:seesWhitespace:whichIsASpaceCharacter:",
1836 "_lookingBackwardSeesWhitespace:whichIsASpaceCharacter:",
1837 "_lookingForwardSeesWhitespace:whichIsASpaceCharacter:",
1838 "_lookup:",
1839 "_loopHit:row:col:",
1840 "_magnify:",
1841 "_mailboxNameForAccountRelativePath:",
1842 "_mailboxNameForName:",
1843 "_mainStatusChanged:",
1844 "_mainWindow",
1845 "_maintainCell",
1846 "_makeCellForMenuItemAtIndex:",
1847 "_makeCursors",
1848 "_makeDictionaryWithCapacity:",
1849 "_makeDownCellKey",
1850 "_makeEditable::::",
1851 "_makeEnumFor:withMode:",
1852 "_makeHODWindowsPerform:",
1853 "_makeKeyNode:inKeyNode:",
1854 "_makeLeftCellKey",
1855 "_makeMiniView",
1856 "_makeModalWindowsPerform:",
1857 "_makeNewFontCollection:",
1858 "_makeNewListFrom:",
1859 "_makeNewSizeLegal:",
1860 "_makeNextCellKey",
1861 "_makeNextCellOrViewKey",
1862 "_makePathEnumFor:withMode:andInode:",
1863 "_makePathEnumForMasking:inode:",
1864 "_makePreviousCellKey",
1865 "_makePreviousCellOrViewKey",
1866 "_makeRightCellKey",
1867 "_makeRootNode",
1868 "_makeScalePopUpButton",
1869 "_makeSelfMutable",
1870 "_makeSpecialFontName:size:matrix:bit:",
1871 "_makeTable:inNode:",
1872 "_makeUpCellKey",
1873 "_makingFirstResponderForMouseDown",
1874 "_mapActiveTableAt:",
1875 "_markEndOfEvent:",
1876 "_markEndWithLastEvent:",
1877 "_markSelectionIsChanging",
1878 "_markSelfAsDirtyForBackgroundLayout:",
1879 "_markUsedByCell",
1880 "_markerAreaRect",
1881 "_markerForHeaderLevel:",
1882 "_markerHitTest:",
1883 "_masterPathFor:",
1884 "_matchesCharacter:",
1885 "_matchesTextStyleFromArray:",
1886 "_maxRuleAreaRect",
1887 "_maxTitlebarTitleRect",
1888 "_maxWidth",
1889 "_maxXBorderRect",
1890 "_maxXResizeRect",
1891 "_maxXTitlebarBorderThickness",
1892 "_maxXTitlebarButtonsWidth",
1893 "_maxXTitlebarDecorationMinWidth",
1894 "_maxXTitlebarDragWidth",
1895 "_maxXTitlebarLinesRectWithTitleCellRect:",
1896 "_maxXTitlebarResizeRect",
1897 "_maxXWindowBorderWidth",
1898 "_maxXWindowBorderWidth:",
1899 "_maxXmaxYResizeRect",
1900 "_maxXminYResizeRect",
1901 "_maxYBorderRect",
1902 "_maxYResizeRect",
1903 "_maxYTitlebarDragHeight",
1904 "_maxYmaxXResizeRect",
1905 "_maxYminXResizeRect",
1906 "_maybeScrollMenu",
1907 "_maybeSubstitutePopUpButton",
1908 "_mboxData",
1909 "_measuredContents",
1910 "_menu",
1911 "_menuBarShouldSpanScreen",
1912 "_menuCellInitWithCoder:",
1913 "_menuChanged",
1914 "_menuDidSendAction:",
1915 "_menuImpl",
1916 "_menuItemDictionaries",
1917 "_menuName",
1918 "_menuPanelInitWithCoder:",
1919 "_menuScrollAmount",
1920 "_menuScrollingOffset",
1921 "_menuWillSendAction:",
1922 "_menusWithName:",
1923 "_mergeEntry:at:",
1924 "_mergeFromBom:usingListOfPathsLists:",
1925 "_mergeFromTable:toDir:toTable:",
1926 "_mergeGlyphHoles",
1927 "_mergeLayoutHoles",
1928 "_mergeObject:withChanges:",
1929 "_mergeValue:forKey:",
1930 "_mergeVariantListsIntoTree:",
1931 "_messageBeingViewed",
1932 "_messageForUid:",
1933 "_messageSetForNumbers:",
1934 "_messageSetForRange:",
1935 "_mightHaveSpellingAttributes",
1936 "_minLinesWidthWithSpace",
1937 "_minParentWindowContentSize",
1938 "_minSize",
1939 "_minSizeForDrawers",
1940 "_minXBorderRect",
1941 "_minXLocOfOutlineColumn",
1942 "_minXResizeRect",
1943 "_minXTitleOffset",
1944 "_minXTitlebarBorderThickness",
1945 "_minXTitlebarButtonsWidth",
1946 "_minXTitlebarDecorationMinWidth",
1947 "_minXTitlebarDecorationMinWidth:",
1948 "_minXTitlebarDragWidth",
1949 "_minXTitlebarLinesRectWithTitleCellRect:",
1950 "_minXTitlebarResizeRect",
1951 "_minXWindowBorderWidth",
1952 "_minXWindowBorderWidth:",
1953 "_minXmaxYResizeRect",
1954 "_minXminYResizeRect",
1955 "_minYBorderRect",
1956 "_minYResizeRect",
1957 "_minYWindowBorderHeight",
1958 "_minYWindowBorderHeight:",
1959 "_minYmaxXResizeRect",
1960 "_minYminXResizeRect",
1961 "_miniaturizedOrCanBecomeMain",
1962 "_minimizeToDock",
1963 "_minimumSizeNeedForTabItemLabel:",
1964 "_mkdirs:",
1965 "_modifySelectionWithEvent:onColumn:",
1966 "_monitorKeyBinding:flags:",
1967 "_monitorStoreForChanges",
1968 "_mostCompatibleCharset:",
1969 "_mouseActivationInProgress",
1970 "_mouseDownListmode:",
1971 "_mouseDownNonListmode:",
1972 "_mouseDownSimpleTrackingMode:",
1973 "_mouseHit:row:col:",
1974 "_mouseInGroup:",
1975 "_mouseLoop::::::",
1976 "_mouseMoved:",
1977 "_moveCursor",
1978 "_moveDown:",
1979 "_moveDownAndModifySelection:",
1980 "_moveDownWithEvent:",
1981 "_moveGapAndMergeWithBlockRange:",
1982 "_moveGapToBlockIndex:",
1983 "_moveInDirection:",
1984 "_moveLeftWithEvent:",
1985 "_moveParent:andOpenSheet:",
1986 "_moveRightWithEvent:",
1987 "_moveUp:",
1988 "_moveUpAndModifySelection:",
1989 "_moveUpWithEvent:",
1990 "_movieIdle",
1991 "_mutableCopyFromSnapshot",
1992 "_mutableParagraphStyle",
1993 "_mutableStringClass",
1994 "_mutate",
1995 "_mutateTabStops",
1996 "_name",
1997 "_nameForPaperSize:",
1998 "_nameOfDictionaryForDocumentTag:",
1999 "_needRedrawOnWindowChangedKeyState",
2000 "_needToThinForArchs:numArchs:",
2001 "_needsDisplayfromColumn:",
2002 "_needsDisplayfromRow:",
2003 "_needsOutline",
2004 "_needsToUseHeartBeatWindow",
2005 "_nestedEventsOfClass:type:",
2006 "_newButtonOfClass:withNormalIconNamed:alternateIconNamed:action:",
2007 "_newChangesFromInvalidatingObjectsWithGlobalIDs:",
2008 "_newColorName:",
2009 "_newData:",
2010 "_newDictionary:",
2011 "_newDictionaryForProperties",
2012 "_newDocumentWithHTMLString:",
2013 "_newFirstResponderAfterResigning",
2014 "_newFolder:",
2015 "_newImageName:",
2016 "_newLazyIconRefRepresentation:ofSize:",
2017 "_newLazyRepresentation:::",
2018 "_newList:",
2019 "_newListName:",
2020 "_newNode:",
2021 "_newObjectForPath:",
2022 "_newReplicatePath:ref:atPath:ref:operation:fileMap:handler:",
2023 "_newRepresentation:",
2024 "_newScroll:",
2025 "_newSubstringFromRange:zone:",
2026 "_newSubstringWithRange:zone:",
2027 "_newUncommittedChangesForObject:",
2028 "_newUncommittedChangesForObject:fromSnapshot:",
2029 "_newWithName:fromPath:forDeviceType:",
2030 "_nextEvent",
2031 "_nextEventAfterHysteresisFromPoint:",
2032 "_nextInputManagerInScript:",
2033 "_nextReferenceName",
2034 "_nextToken",
2035 "_nextValidChild:ofParent:",
2036 "_nextValidChildLink:ofParent:",
2037 "_nextValidChildObject:ofParentInode:andParentPath:",
2038 "_nextValidChildPath:ofParentInode:andParentPath:childInode:isDirectory:",
2039 "_nextValidChildPath:ofParentInode:andParentPath:childInode:isDirectory:isFile:",
2040 "_nibName",
2041 "_noVerticalAutosizing",
2042 "_nominalChars",
2043 "_nominalGlyphs",
2044 "_nominalSizeNeedForTabItemLabel:",
2045 "_normalListmodeDown::::",
2046 "_noteLengthAndSelectedRange:",
2047 "_notifyEdited:range:changeInLength:invalidatedRange:",
2048 "_notifyIM:withObject:",
2049 "_numberByTranslatingNumericDescriptor:",
2050 "_numberOfGlyphs",
2051 "_numberOfNominalMappings",
2052 "_numberOfTitlebarLines",
2053 "_numberStringForValueObject:withBuffer:andNegativeFlag:",
2054 "_numericIndicatorCell",
2055 "_nxeventTime",
2056 "_obeysHiddenBit",
2057 "_objectBasedChangeInfoForGIDInfo:",
2058 "_objectForPropertyList:",
2059 "_objectInSortedArrayWithName:",
2060 "_objectValue:forString:",
2061 "_objectWithName:",
2062 "_objectsChangedInStore:",
2063 "_objectsChangedInSubStore:",
2064 "_objectsForPropertyList:",
2065 "_objectsFromParenthesizedString:spacesSeparateItems:intoArray:",
2066 "_objectsInitializedInSharedContext:",
2067 "_observeUndoManagerNotifications",
2068 "_offset",
2069 "_okToDisplayFeature:",
2070 "_oldFirstResponderBeforeBecoming",
2071 "_oldPlaceWindow:",
2072 "_oldSignaturesPath",
2073 "_onDevicePathOfPaths:",
2074 "_open",
2075 "_open:",
2076 "_open:fromImage:withName:",
2077 "_openDictionaries:",
2078 "_openDrawer",
2079 "_openDrawerOnEdge:",
2080 "_openFile:",
2081 "_openFile:withApplication:asService:andWait:andDeactivate:",
2082 "_openFileWithoutUI:",
2083 "_openFileWrapper:atPath:withAppSpec:",
2084 "_openList:",
2085 "_openList:fromFile:",
2086 "_openRegion:ofLength:atAddress:",
2087 "_openUntitled",
2088 "_openUserFavorites",
2089 "_openVersionOfIndexPath:",
2090 "_openableFileExtensions",
2091 "_operationInfo",
2092 "_optimizeHighlightForCharRange:charRange:fullSelectionCharRange:oldSelectionFullCharRange:",
2093 "_optimizeOk:directPath:",
2094 "_optimizedRectFill:gray:",
2095 "_orderFrontHelpWindow",
2096 "_orderFrontModalWindow:relativeToWindow:",
2097 "_orderFrontRelativeToWindow:",
2098 "_orderOutAndCalcKeyWithCounter:",
2099 "_orderOutHelpWindow",
2100 "_orderOutHelpWindowAfterEventMask:",
2101 "_orderOutRelativeToWindow:",
2102 "_orderedWindowsWithPanels:",
2103 "_originPointInRuler",
2104 "_ownedByPopUp",
2105 "_ownerChanged",
2106 "_owningPopUp",
2107 "_packedGlyphs:range:length:",
2108 "_pageDownWithEvent:",
2109 "_pageUpWithEvent:",
2110 "_pagesPerSheetFromLayoutList",
2111 "_panelInitWithCoder:",
2112 "_parseArchivedList:",
2113 "_parseCompilerDescription:into:",
2114 "_parseCompilersDescriptions",
2115 "_parseGenericFetchResponse:expect:",
2116 "_parseMenuString:menuName:itemName:",
2117 "_parseMessageSkeleton:expect:",
2118 "_parsePantoneLikeList:fileName:",
2119 "_parseParenthesizedStringUsingScanner:spacesSeparateItems:intoArray:",
2120 "_parseReleaseTwoList:",
2121 "_parseReturnedLine:containsLiteral:",
2122 "_pasteItems:",
2123 "_pasteboardWithName:",
2124 "_path:matchesPattern:",
2125 "_pathForResource:ofType:inDirectory:forRegion:",
2126 "_pathTo:",
2127 "_pathsForResourcesOfType:inDirectory:forRegion:",
2128 "_patternListFromListOfPathsLists:",
2129 "_pendFlagsChangedUids:trueFlags:falseFlags:",
2130 "_pendingActCount",
2131 "_performDragFromMouseDown:",
2132 "_persistentStateKey",
2133 "_pickedButton:",
2134 "_pickedJobFeatureButton:",
2135 "_pickedOptions:",
2136 "_pinDocRect",
2137 "_pixelFormatAuxiliary",
2138 "_placeEntry:at:",
2139 "_placeHelpWindowNear:",
2140 "_placement",
2141 "_plainFontNameForFont:",
2142 "_plainString",
2143 "_platformExitInformation",
2144 "_playSelectedSound",
2145 "_plistRepresentation",
2146 "_pmPageFormat",
2147 "_pmPrintSession",
2148 "_pmPrintSettings",
2149 "_pointForTopOfBeginningOfCharRange:",
2150 "_pointFromColor:",
2151 "_pointInPicker:",
2152 "_popAccountMailbox",
2153 "_popState",
2154 "_popUpButton",
2155 "_popUpButtonCellInstances",
2156 "_popUpContextMenu:withEvent:forView:",
2157 "_popUpItemAction:",
2158 "_popUpMenuCurrentlyInvokingAction",
2159 "_popUpMenuWithEvent:forView:",
2160 "_portNumber",
2161 "_position",
2162 "_positionAllDrawers",
2163 "_positionSheetOnRect:",
2164 "_positionWindow",
2165 "_posixPathComponentsWithPath:",
2166 "_postAsapNotificationsForMode:",
2167 "_postAtStart:",
2168 "_postAtStartCore:",
2169 "_postBoundsChangeNotification",
2170 "_postCheckpointNotification",
2171 "_postColumnDidMoveNotificationFromColumn:toColumn:",
2172 "_postColumnDidResizeNotificationWithOldWidth:",
2173 "_postEventHandling",
2174 "_postFrameChangeNotification",
2175 "_postIdleNotificationsForMode:",
2176 "_postInit",
2177 "_postInitWithCoder:signature:valid:wireSignature:target:selector:argCount:",
2178 "_postInvalidCursorRects",
2179 "_postItemDidCollapseNotification:",
2180 "_postItemDidExpandNotification:",
2181 "_postItemWillCollapseNotification:",
2182 "_postItemWillExpandNotification:",
2183 "_postMailAccountsHaveChanged",
2184 "_postNotificationWithMangledName:object:userInfo:",
2185 "_postSelectionDidChangeNotification",
2186 "_postSelectionIsChangingAndMark:",
2187 "_postSubthreadEvents",
2188 "_postWindowNeedsDisplay",
2189 "_postingDisabled",
2190 "_potentialMaxSize",
2191 "_potentialMinSize",
2192 "_preEventHandling",
2193 "_preInitSetMatrix:fontSize:",
2194 "_preInitWithCoder:signature:valid:wireSignature:target:selector:argCount:",
2195 "_preciseDuration",
2196 "_preciseDurationWithoutSubevents",
2197 "_preferredOrderForFetchingMessageBodies:",
2198 "_preferredRowsToDisplay",
2199 "_prefersTrackingWhenDisabled",
2200 "_preflightSelection:",
2201 "_prepareEventGrouping",
2202 "_prepareHelpWindow:locationHint:",
2203 "_preparePrintStream",
2204 "_prepareSavePanel",
2205 "_prepareToMessageClients",
2206 "_previousNextTab:loop:",
2207 "_primitiveInvalidateDisplayForGlyphRange:",
2208 "_primitiveSetNextKeyView:",
2209 "_primitiveSetPreviousKeyView:",
2210 "_printAndPaginateWithOperation:helpedBy:",
2211 "_printFile:",
2212 "_printFontCollection",
2213 "_printNode:context:",
2214 "_printPackagePath",
2215 "_printPagesWithOperation:helpedBy:",
2216 "_printerWithType:",
2217 "_prior299InitObject:withCoder:",
2218 "_processDeletedObjects",
2219 "_processEndOfEventNotification:",
2220 "_processEndOfEventObservers:",
2221 "_processGlobalIDChanges:",
2222 "_processHeaders",
2223 "_processInitializedObjectsInSharedContext:",
2224 "_processKeyboardUIKey:",
2225 "_processNeXTMailAttachmentHeaders:",
2226 "_processNewData:",
2227 "_processNotificationQueue",
2228 "_processObjectStoreChanges:",
2229 "_processOwnedObjectsUsingChangeTable:deleteTable:",
2230 "_processRecentChanges",
2231 "_processRequest:",
2232 "_processRequest:named:usingPasteboard:",
2233 "_processResponseFromSelectCommand:forMailbox:errorMessage:",
2234 "_processSynchronizedDeallocation",
2235 "_procid",
2236 "_promoteGlyphStoreToFormat:",
2237 "_promptUserForPassword",
2238 "_promulgateSelection:",
2239 "_propagateDirtyRectsToOpaqueAncestors",
2240 "_propertyDictionaryForKey:",
2241 "_propertyDictionaryInitializer",
2242 "_propertyList",
2243 "_provideAllPromisedData",
2244 "_provideNewViewFor:initialViewRequest:",
2245 "_provideTotalScaleFactorForPrintOperation:",
2246 "_pruneEventTree:",
2247 "_pullsDown",
2248 "_pushSet:",
2249 "_pushState",
2250 "_qualifierArrayFromDictionary:",
2251 "_queueRequestForThread:invocation:conversation:sequence:coder:",
2252 "_radioHit:row:col:",
2253 "_raiseIfNotLicencedForFeature:message:",
2254 "_randomUnsignedLessThan:",
2255 "_rangeByEstimatingAttributeFixingForRange:",
2256 "_rangeByTrimmingWhitespaceFromRange:",
2257 "_rangeForMoveDownFromRange:verticalDistance:desiredDistanceIntoContainer:selectionAffinity:",
2258 "_rangeForMoveUpFromRange:verticalDistance:desiredDistanceIntoContainer:selectionAffinity:",
2259 "_rangeOfPrefixFittingWidth:withAttributes:",
2260 "_rangeOfPrefixFittingWidth:withFont:",
2261 "_rangeOfSuffixFittingWidth:withAttributes:",
2262 "_rangeOfSuffixFittingWidth:withFont:",
2263 "_ranges",
2264 "_rawAddColor:key:",
2265 "_rawDefaultGlyphForChar:",
2266 "_rawKeyEquivalent",
2267 "_rawKeyEquivalentModifierMask",
2268 "_rawSetSelectedIndex:",
2269 "_readAndRetainFileNamed:makeCompact:",
2270 "_readArgument:dataStream:",
2271 "_readArguments:dataStream:",
2272 "_readAttribute:dataStream:",
2273 "_readAttributes:",
2274 "_readBasicMetricsForSize:allowFailure:",
2275 "_readBytesIntoStringOrData:length:",
2276 "_readClass:",
2277 "_readClassesInSuite:dataStream:",
2278 "_readColorIntoRange:fromPasteboard:",
2279 "_readCommand:dataStream:",
2280 "_readCommands:dataStream:suiteID:",
2281 "_readElement:dataStream:",
2282 "_readElements:",
2283 "_readFilenamesIntoRange:fromPasteboard:",
2284 "_readFilesystemForChildrenAtFullPath:",
2285 "_readFontIntoRange:fromPasteboard:",
2286 "_readImageIntoRange:fromPasteboard:",
2287 "_readLine",
2288 "_readLineIntoDataOrString:",
2289 "_readMultilineResponseWithMaxSize:intoMutableData:",
2290 "_readPersistentExpandItems",
2291 "_readPersistentTableColumns",
2292 "_readPluralNameForCode:fromDict:dataStream:",
2293 "_readRTFDIntoRange:fromPasteboard:",
2294 "_readRTFIntoRange:fromPasteboard:",
2295 "_readRecord",
2296 "_readResponseRange:isContinuation:",
2297 "_readRulerIntoRange:fromPasteboard:",
2298 "_readStringIntoRange:fromPasteboard:",
2299 "_readSuites:",
2300 "_readSynonym:inSuite:dataStream:",
2301 "_readSynonymsInSuite:dataStream:",
2302 "_readUntilResultCodeForCommandNumber:",
2303 "_readVersion0:",
2304 "_realCloneFont:withFlag:",
2305 "_realControlTint",
2306 "_realControlTintForView:",
2307 "_realCopyPSCodeInside:helpedBy:",
2308 "_realCreateContext",
2309 "_realDestroyContext",
2310 "_realDoModalLoop:peek:",
2311 "_realDraggingDelegate",
2312 "_realHeartBeatThreadContext",
2313 "_realPrintPSCode:helpedBy:doPanel:forFax:",
2314 "_realPrintPSCode:helpedBy:doPanel:forFax:preloaded:",
2315 "_reallocColors:",
2316 "_reallyChooseGuess:",
2317 "_reallyDoOrderWindow:relativeTo:findKey:forCounter:force:isModal:",
2318 "_reallySave:",
2319 "_reallyUpdateTextViewerToSelection",
2320 "_reattachSubviews:",
2321 "_rebuildOrUpdateServicesMenu:",
2322 "_rebuildTableOfContentsSynchronously",
2323 "_recacheButtonColors",
2324 "_recacheLabelText",
2325 "_recacheLabelledItem",
2326 "_recalculateTitleWidth",
2327 "_recalculateUsageForTextContainerAtIndex:",
2328 "_receiveHandlerRef",
2329 "_recentDocumentsLimit",
2330 "_recentFolders",
2331 "_reconfigureAnimationState:",
2332 "_rectArrayForRange:withinSelectionRange:rangeIsCharRange:singleRectOnly:fullLineRectsOnly:inTextContainer:rectCount:rangeWithinContainer:glyphsDrawOutsideLines:",
2333 "_rectForAttachment:",
2334 "_rectOfColumnRange:",
2335 "_rectOfRowRange:",
2336 "_rectToDisplayForItemAtIndex:",
2337 "_rectValueByTranslatingQDRectangle:",
2338 "_rectsForBounds:",
2339 "_recurWithContext:chars:glyphs:stringBuffer:font:",
2340 "_recursiveBreakKeyViewLoop",
2341 "_recursiveDisplayAllDirtyWithLockFocus:visRect:",
2342 "_recursiveDisplayRectIfNeededIgnoringOpacity:isVisibleRect:rectIsVisibleRectForView:topView:",
2343 "_recursiveEnableItems",
2344 "_recursiveFindDefaultButtonCell",
2345 "_recursiveSetDefaultKeyViewLoop",
2346 "_recursivelyAddItemsInMenu:toTable:",
2347 "_recursivelyRemoveFullPath:",
2348 "_recursivelyRemoveItemsInMenu:fromTable:",
2349 "_redirectedHandle",
2350 "_redisplayFromRow:",
2351 "_reflectDocumentViewBoundsChange",
2352 "_reflectFont:",
2353 "_refresh:",
2354 "_refreshAfterAddingAddressBook:",
2355 "_refreshArchInfo",
2356 "_refreshWindows",
2357 "_regionsArray",
2358 "_registerAllDrawersForDraggedTypesIfNeeded",
2359 "_registerBundleForNotifications",
2360 "_registerClearStateWithUndoManager",
2361 "_registerDragTypes:",
2362 "_registerDragTypesIfNeeded",
2363 "_registerForApplicationNotifications",
2364 "_registerForCompletion:",
2365 "_registerForStoreNotifications",
2366 "_registerMailtoHandler:",
2367 "_registerMenuForKeyEquivalentUniquing:",
2368 "_registerMenuItemForKeyEquivalentUniquing:",
2369 "_registerServicesMenu:withSendTypes:andReturnTypes:addToList:",
2370 "_registerSynonym:forClassName:inSuite:",
2371 "_registerUndoObject:",
2372 "_registerUnitWithName:abbreviation:unitToPointsConversionFactor:stepUpCycle:stepDownCycle:",
2373 "_registerWithDock",
2374 "_registerWithDockIfNeeded",
2375 "_registrationDictionaryForUnitNamed:",
2376 "_relativeURLPath",
2377 "_releaseEvents",
2378 "_releaseInput",
2379 "_releaseKVCMaps",
2380 "_releaseLiveResizeCachedImage",
2381 "_releaseUndoManager",
2382 "_releaseWireCount:",
2383 "_reloadChildrenOfFolderAtPath:",
2384 "_reloadFontInfoIfNecessary:",
2385 "_remainingString",
2386 "_remove:",
2387 "_remove:andAddMultipleToTypingAttributes:",
2388 "_removeAFileWithPath:cursor:maskFunction:maskData:",
2389 "_removeAlignmentOnChildren",
2390 "_removeAllDrawersImmediately:",
2391 "_removeAllItemsInGetNewMailInAccountMenu",
2392 "_removeBottom",
2393 "_removeButtons",
2394 "_removeColor:",
2395 "_removeCursorRect:cursor:forView:",
2396 "_removeFrameUsingName:domain:",
2397 "_removeFromFontCollection",
2398 "_removeFromFontCollection:",
2399 "_removeFromFontFavorites:",
2400 "_removeFromGroups:",
2401 "_removeFromKeyViewLoop",
2402 "_removeFromLinkGroup:",
2403 "_removeFromWindowsMenu:",
2404 "_removeFullPath:",
2405 "_removeHardLinkWithPath:cursor:",
2406 "_removeHeartBeartClientView:",
2407 "_removeHelpKeyForObject:",
2408 "_removeHiddenWindow:",
2409 "_removeInstance:",
2410 "_removeInternalRedFromTextAttributesOfNegativeValues",
2411 "_removeItem:fromTable:",
2412 "_removeItemsFromMenu:start:stop:",
2413 "_removeLeaf:",
2414 "_removeLeftoverIndexFiles",
2415 "_removeLeftoversFromSeenFileUsingIDs:",
2416 "_removeLink:",
2417 "_removeLinkGroupContaining:",
2418 "_removeLinkLeaf:links:",
2419 "_removeList:",
2420 "_removeLockFile:",
2421 "_removeMainLeaf:",
2422 "_removeMessagesFromIndex:",
2423 "_removeNextPointersToMe",
2424 "_removeNotifications",
2425 "_removeObserver:notificationNamesAndSelectorNames:object:",
2426 "_removeObserversForCompletion:",
2427 "_removeOrRename:",
2428 "_removeParentsForStyles:useMatch:",
2429 "_removePreviousPointersToMe",
2430 "_removeRectAtIndex:",
2431 "_removeRectForAttachment:",
2432 "_removeSoundMenuItems",
2433 "_removeSpellingAttributeForRange:",
2434 "_removeStaleFilesFromCacheDirectory",
2435 "_removeStaleItem:",
2436 "_removeStatusItemWindow:",
2437 "_removeSubview:",
2438 "_removeToolTip",
2439 "_removeTrackingRect",
2440 "_removeUsingListOfPathsLists:",
2441 "_removeWindow:",
2442 "_removeWindowFromCache:",
2443 "_rename:",
2444 "_rename:as:",
2445 "_renameCollectionComplete:",
2446 "_renameColor:",
2447 "_renameFavoriteComplete:",
2448 "_renameFontCollection:",
2449 "_renameFontFavorite:",
2450 "_renameList:",
2451 "_renderPrintInfo:faxing:showPanels:",
2452 "_renderStaleItems",
2453 "_renderedImage",
2454 "_renewDisplay",
2455 "_reorderColumn:withEvent:",
2456 "_repeatMultiplier:",
2457 "_repeatTime",
2458 "_replaceAccessoryView:with:topView:bottomView:",
2459 "_replaceAllAppearancesOfString:withString:",
2460 "_replaceChild:withChildren:",
2461 "_replaceFirstAppearanceOfString:withString:",
2462 "_replaceLastAppearanceOfString:withString:",
2463 "_replaceObject:",
2464 "_replaceObject:forKey:",
2465 "_replaceObject:withObject:",
2466 "_replaceStringOfLastLoadedMessage:newUid:",
2467 "_replaceWithItem:addingStyles:removingStyles:",
2468 "_replicate:",
2469 "_replicatePath:atPath:operation:fileMap:handler:",
2470 "_replyMessageToAll:",
2471 "_replySequenceNumber:ok:",
2472 "_replyToLaunch",
2473 "_replyToOpen:",
2474 "_requestNotification",
2475 "_requiresCacheWithAlpha:",
2476 "_reserved",
2477 "_reset",
2478 "_resetAllChanges",
2479 "_resetAllChanges:",
2480 "_resetAllDrawersDisableCounts",
2481 "_resetAllDrawersPostingCounts",
2482 "_resetAllMessages",
2483 "_resetAttachedMenuPositions",
2484 "_resetCachedValidationState",
2485 "_resetCursorRects",
2486 "_resetDisableCounts",
2487 "_resetDragMargins",
2488 "_resetFreeSpace",
2489 "_resetIncrementalSearchBuffer",
2490 "_resetIncrementalSearchOnFailure",
2491 "_resetLastLoadedDate",
2492 "_resetMainBrowser:",
2493 "_resetMeasuredCell",
2494 "_resetOpacity:",
2495 "_resetPostingCounts",
2496 "_resetScreens",
2497 "_resetTitleFont",
2498 "_resetTitleWidths",
2499 "_resetToDefaultState",
2500 "_resetToolTipIfNecessary",
2501 "_resignCurrentEditor",
2502 "_resize:",
2503 "_resizeAccordingToTextView:",
2504 "_resizeAllCaches",
2505 "_resizeColumn:withEvent:",
2506 "_resizeDeltaFromPoint:toEvent:",
2507 "_resizeEditedCellWithOldSize:",
2508 "_resizeFromEdge",
2509 "_resizeHeight:",
2510 "_resizeImage",
2511 "_resizeOutlineColumn",
2512 "_resizeSelectedTabViewItem",
2513 "_resizeSubviewsFromIndex:",
2514 "_resizeTextViewForTextContainer:",
2515 "_resizeView",
2516 "_resizeWindowWithMaxHeight:",
2517 "_resizeWithDelta:fromFrame:beginOperation:endOperation:",
2518 "_resizedImage:",
2519 "_resolveHelpKeyForObject:",
2520 "_resolveTypeAlias:",
2521 "_resortMailboxPathsBecauseSpecialMailboxPathsChanged",
2522 "_resortMailboxPathsInMapTable:",
2523 "_responderInitWithCoder:",
2524 "_responseValueFromResponse:key:",
2525 "_responsibleDelegateForSelector:",
2526 "_restoreCursor",
2527 "_restoreDefaults",
2528 "_restoreGUIView",
2529 "_restoreHTMLString:",
2530 "_restoreHTMLTree:",
2531 "_restoreInitialMenuPosition",
2532 "_restoreModalWindowLevel",
2533 "_restoreMode",
2534 "_restorePreviewView",
2535 "_restoreRawView",
2536 "_restoreSplitPos",
2537 "_restoreTornOffMenus",
2538 "_resultCodeFromResponse:",
2539 "_retainCountForObjectWithGlobalID:",
2540 "_retainedAbsoluteURL",
2541 "_retainedBitmapRepresentation",
2542 "_retainedFragment",
2543 "_retainedHost",
2544 "_retainedNetLocation",
2545 "_retainedParameterString",
2546 "_retainedPassword",
2547 "_retainedQuery",
2548 "_retainedRelativeURLPath",
2549 "_retainedScheme",
2550 "_retainedUser",
2551 "_retrieveNewMessages",
2552 "_retrieveNewMessagesInUIDRange:intoArray:statusFormat:",
2553 "_returnToSenderSheetDidEnd:returnCode:contextInfo:",
2554 "_returnValue",
2555 "_reverseCompare:",
2556 "_revert:",
2557 "_revertPanel:didConfirm:contextInfo:",
2558 "_revertToOldRowSelection:fromRow:toRow:",
2559 "_rightEdgeOfSelection:hasGlyphRange:",
2560 "_rightFrameRect",
2561 "_rightGroupRect",
2562 "_rightMouseUpOrDown:",
2563 "_rightmostResizableColumn",
2564 "_rootLevelEvents",
2565 "_rotationForGlyphAtIndex:effectiveRange:",
2566 "_routeMessagesIndividually",
2567 "_rowEntryForChild:ofParent:",
2568 "_rowEntryForItem:",
2569 "_rowEntryForRow:",
2570 "_ruleAreaRect",
2571 "_rulerAccView",
2572 "_rulerAccViewAlignmentAction:",
2573 "_rulerAccViewFixedLineHeightAction:",
2574 "_rulerAccViewIncrementLineHeightAction:",
2575 "_rulerAccessoryViewAreaRect",
2576 "_rulerOrigin",
2577 "_rulerline::last:",
2578 "_runAccountDetailPanelForAccount:",
2579 "_runAlertPanelInMainThreadWithInfo:",
2580 "_runArrayHoldingAttributes",
2581 "_runInitBook:",
2582 "_runModal:forDirectory:file:relativeToWindow:",
2583 "_runModalForDirectory:file:relativeToWindow:",
2584 "_runModalForDirectory:file:relativeToWindow:modalDelegate:didEndSelector:contextInfo:",
2585 "_runPanels:withUI:faxFlag:preloaded:",
2586 "_runPasswordPanelInMainThreadWithInfo:",
2587 "_runSignatureDetailPanelForSignature:",
2588 "_runningDocModal",
2589 "_saveAllEnumeration:",
2590 "_saveAsIntoFile:",
2591 "_saveDefaults",
2592 "_saveDefaultsToDictionary:",
2593 "_saveFrameUsingName:domain:",
2594 "_saveInitialMenuPosition",
2595 "_saveList:",
2596 "_saveMode",
2597 "_savePanelDidEnd:returnCode:contextInfo:",
2598 "_savePanelSheetDidEnd:returnCode:contextInfo:",
2599 "_saveSplitPos",
2600 "_saveTornOffMenus",
2601 "_saveUserFavorites",
2602 "_saveVisibleFrame",
2603 "_savedMode",
2604 "_savedVisibleFrame",
2605 "_scanBodyResponseFromScanner:",
2606 "_scanDecimal:into:",
2607 "_scanForDuplicateInodes",
2608 "_scanImages",
2609 "_scanIntFromScanner:",
2610 "_scanMessageFlagsFromScanner:",
2611 "_scanToEnrichedString:scanner:",
2612 "_scheduleAutoExpandTimerForItem:",
2613 "_screenChanged:",
2614 "_screenRectContainingPoint:",
2615 "_scriptsMenuItemAction:",
2616 "_scrollArrowHeight",
2617 "_scrollColumnToLastVisible:",
2618 "_scrollColumnToVisible:private:",
2619 "_scrollColumnsRightBy:",
2620 "_scrollDown:",
2621 "_scrollInProgress",
2622 "_scrollPageInDirection:",
2623 "_scrollPoint:fromView:",
2624 "_scrollRangeToVisible:forceCenter:",
2625 "_scrollRectToVisible:fromView:",
2626 "_scrollRowToCenter:",
2627 "_scrollTo:",
2628 "_scrollToEnd:",
2629 "_scrollToMatchContentView",
2630 "_scrollUp:",
2631 "_scrollWheelMultiplier",
2632 "_scrollingDirectionAndDeltas:",
2633 "_scrollingMenusAreEnabled",
2634 "_searchForImageNamed:",
2635 "_searchForSoundNamed:",
2636 "_searchForSystemImageNamed:",
2637 "_searchMenu:forItemMatchingPath:",
2638 "_secondsFromGMTForAbsoluteTime:",
2639 "_seemsToBeVertical",
2640 "_segmentIndexForElementIndex:",
2641 "_selectCell:dirOk:",
2642 "_selectCell:inColumn:",
2643 "_selectCellIfNeeded",
2644 "_selectCellIfRequired",
2645 "_selectColorNamed:startingAtListNumber:andIndex:searchingBackward:usingLocalName:ignoreCase:substring:",
2646 "_selectColumnRange:byExtendingSelection:",
2647 "_selectEntryAt:",
2648 "_selectFaxByName:",
2649 "_selectFirstEnabledCell",
2650 "_selectFirstKeyView",
2651 "_selectFromFavoritesList:",
2652 "_selectItemBestMatching:",
2653 "_selectKeyCellAtRow:column:",
2654 "_selectMessages:scrollIfNeeded:",
2655 "_selectNextCellKeyStartingAtRow:column:",
2656 "_selectNextItem",
2657 "_selectOrEdit:inView:target:editor:event:start:end:",
2658 "_selectPreviousItem",
2659 "_selectRange::::",
2660 "_selectRectRange::",
2661 "_selectRowRange::",
2662 "_selectRowRange:byExtendingSelection:",
2663 "_selectSizeIfNecessary:",
2664 "_selectTabWithDraggingInfo:",
2665 "_selectTextOfCell:",
2666 "_selected",
2667 "_selectedItems",
2668 "_selectedPrintFilter",
2669 "_selectionContainsMessagesWithDeletedStatusEqualTo:",
2670 "_selectionContainsMessagesWithReadStatusEqualTo:",
2671 "_selfBoundsChanged",
2672 "_sendAction:to:row:column:",
2673 "_sendActionAndNotification",
2674 "_sendActionFrom:",
2675 "_sendChangeWithUserInfo:",
2676 "_sendClientMessage:arg1:arg2:",
2677 "_sendCommand:length:argument:trailer:",
2678 "_sendCommand:withArgument:",
2679 "_sendCommand:withArguments:",
2680 "_sendData",
2681 "_sendDataSourceWriteDragRows:toPasteboard:",
2682 "_sendDelegateDidClickColumn:",
2683 "_sendDelegateDidDragColumn:",
2684 "_sendDelegateDidMouseDownInHeader:",
2685 "_sendDoubleActionToCellAt:",
2686 "_sendFileExtensionData:length:",
2687 "_sendFinishLaunchingNotification",
2688 "_sendInvalidateCursorRectsMessageToWindow:",
2689 "_sendMailboxCommand:withArguments:errorMessage:",
2690 "_sendOrEnqueueNotification:selector:",
2691 "_sendPortMessageWithComponent:msgID:timeout:",
2692 "_sendRedisplayMessageToWindow:",
2693 "_sendRequestServerData:length:",
2694 "_sendString:",
2695 "_senderIsInvalid:",
2696 "_sendingSocketForPort:",
2697 "_serverConnectionDied:",
2698 "_serverDied:",
2699 "_servicesMenuIsVisible",
2700 "_set:",
2701 "_setAEDesc:",
2702 "_setAcceptsFirstMouse:",
2703 "_setAcceptsFirstResponder:",
2704 "_setActivationState:",
2705 "_setAggregateTag:",
2706 "_setAllowsTearOffs:",
2707 "_setAltContents:",
2708 "_setApplicationIconImage:setDockImage:",
2709 "_setArgFrame:",
2710 "_setArgumentName:forAppleEventCode:",
2711 "_setAsSystemColor",
2712 "_setAttributedDictionaryClass:",
2713 "_setAttributes:newValues:range:",
2714 "_setAutoPositionMask:",
2715 "_setAutoResizeDocView:",
2716 "_setAutoscrollDate:",
2717 "_setAvoidsActivation:",
2718 "_setBackgroundColor:",
2719 "_setBackgroundTransparent:",
2720 "_setBlockCapacity:",
2721 "_setBulletCharacter:",
2722 "_setBundle:forClassPresentInAppKit:",
2723 "_setBundleForHelpSearch:",
2724 "_setButtonBordered:",
2725 "_setButtonImageSource:",
2726 "_setButtonImages",
2727 "_setButtonType:adjustingImage:",
2728 "_setCacheDockItemRef:forWindow:",
2729 "_setCacheWindowNum:forWindow:",
2730 "_setCapitalizedKey:forKey:",
2731 "_setCaseConversionFlags",
2732 "_setCellFrame:",
2733 "_setClassDescription",
2734 "_setClassDescription:",
2735 "_setClassDescription:forAppleEventCode:",
2736 "_setClassName:forSynonymAppleEventCode:inSuite:",
2737 "_setCloseEnabled:",
2738 "_setCommandDescription:forAppleEventClass:andEventCode:",
2739 "_setConcreteFontClass:",
2740 "_setConsistencyCheckingEnabled:superCheckEnabled:",
2741 "_setContainer:",
2742 "_setContainerObservesTextViewFrameChanges:",
2743 "_setContentRect:",
2744 "_setContents:",
2745 "_setContextMenuEvent:",
2746 "_setContextMenuTarget:",
2747 "_setControlTextDelegateFromOld:toNew:",
2748 "_setControlView:",
2749 "_setControlsEnabled:",
2750 "_setConvertedData:forType:pboard:generation:inItem:",
2751 "_setConvertedData:pboard:generation:inItem:",
2752 "_setCopy:",
2753 "_setCopyrightSymbolText:",
2754 "_setCopyrightText:",
2755 "_setCounterpart:",
2756 "_setCtrlAltForHelpDesired:",
2757 "_setCurrImageName:",
2758 "_setCurrListName:",
2759 "_setCurrentActivation:",
2760 "_setCurrentAttachmentRect:index:",
2761 "_setCurrentClient:",
2762 "_setCurrentEvent:",
2763 "_setCurrentlyEditing:",
2764 "_setCursor:forChildrenOfInode:",
2765 "_setCursor:forChildrenOfPath:",
2766 "_setCursor:forPath:",
2767 "_setCursorForPath:keyBuf:",
2768 "_setData:encoding:",
2769 "_setDataSource:",
2770 "_setDecimalSeparatorNoConsistencyCheck:",
2771 "_setDefaultBool:forKey:",
2772 "_setDefaultButtonCycleTime:",
2773 "_setDefaultButtonIndicatorNeedsDisplay",
2774 "_setDefaultFloat:forKey:",
2775 "_setDefaultInt:forKey:",
2776 "_setDefaultKeyViewLoop",
2777 "_setDefaultObject:forKey:",
2778 "_setDefaultPrinter:isFax:",
2779 "_setDefaultRedColor:",
2780 "_setDelegate:",
2781 "_setDeselectsWhenMouseLeavesDuringDrag:",
2782 "_setDeviceButtons:",
2783 "_setDirectory:",
2784 "_setDisplayableSampleText:forFamily:",
2785 "_setDistanceForVerticalArrowKeyMovement:",
2786 "_setDocViewFromRead:",
2787 "_setDocument:",
2788 "_setDocumentDictionaryName:",
2789 "_setDocumentEdited:",
2790 "_setDragRef:",
2791 "_setDraggingMarker:",
2792 "_setDrawerTransform:",
2793 "_setDrawerVelocity:",
2794 "_setDrawingToHeartBeatWindow:",
2795 "_setDrawsBackground:",
2796 "_setEditingTextView:",
2797 "_setEnabled:",
2798 "_setEventDelegate:",
2799 "_setEventRef:",
2800 "_setExportSpecialFonts:",
2801 "_setExtraRefCount:",
2802 "_setFallBackInitialFirstResponder:",
2803 "_setFilterTypes:",
2804 "_setFinalSlideLocation:",
2805 "_setFirstColumnTitle:",
2806 "_setFloatingPointFormat:left:right:",
2807 "_setFocusForView:withFrame:withInset:",
2808 "_setFocusNeedsDisplay",
2809 "_setFont:forCell:",
2810 "_setFontPanel:",
2811 "_setForceActiveControls:",
2812 "_setForceFixAttributes:",
2813 "_setForm:select:ok:",
2814 "_setFrame:",
2815 "_setFrameCommon:display:stashSize:",
2816 "_setFrameFromString:",
2817 "_setFrameNeedsDisplay:",
2818 "_setFrameSavedUsingTitle:",
2819 "_setFrameUsingName:domain:",
2820 "_setFreesObjectRecords:",
2821 "_setGlyphGenerator:",
2822 "_setGroupIdentifier:",
2823 "_setHasEditingIvars:",
2824 "_setHasShadow:",
2825 "_setHelpCursor:",
2826 "_setHelpKey:forObject:",
2827 "_setHidden:",
2828 "_setHidesOnDeactivateInCache:forWindow:",
2829 "_setHorizontallyCentered:",
2830 "_setIconRef:",
2831 "_setImage:",
2832 "_setIndicatorImage:",
2833 "_setInsertionPointDisabled:",
2834 "_setIsDefaultFace:",
2835 "_setIsGrabber:",
2836 "_setIsInUse:",
2837 "_setJavaClassesLoaded",
2838 "_setKey:forAppleEventCode:",
2839 "_setKeyBindingMonitor:",
2840 "_setKeyCellAtRow:column:",
2841 "_setKeyCellFromBottom",
2842 "_setKeyCellFromTop",
2843 "_setKeyCellNeedsDisplay",
2844 "_setKeyWindow:",
2845 "_setKeyboardFocusRingNeedsDisplay",
2846 "_setKnobThickness:usingInsetRect:",
2847 "_setLang:",
2848 "_setLastDragDestinationOperation:",
2849 "_setLastGuess:",
2850 "_setLayoutListFromPagesPerSheet:",
2851 "_setLeaksContextUponChange:",
2852 "_setLength:ofStatusItemWindow:",
2853 "_setMailAccounts:",
2854 "_setMainMenu:",
2855 "_setMainWindow:",
2856 "_setMarkedText:selectedRange:forInputManager:",
2857 "_setMarker:",
2858 "_setMenuClassName:",
2859 "_setMenuName:",
2860 "_setMinSize:",
2861 "_setMiniImageInDock",
2862 "_setModalInCache:forWindow:",
2863 "_setModifiers:",
2864 "_setMouseActivationInProgress:",
2865 "_setMouseDownFlags:",
2866 "_setMouseEnteredGroup:entered:",
2867 "_setMouseMovedEventsEnabled:",
2868 "_setMouseTrackingForCell:",
2869 "_setMouseTrackingInRect:ofView:",
2870 "_setName:",
2871 "_setNeedsDisplay:",
2872 "_setNeedsDisplayForColumn:draggedDelta:",
2873 "_setNeedsDisplayForDropCandidateItem:childIndex:mask:",
2874 "_setNeedsDisplayForDropCandidateRow:operation:mask:",
2875 "_setNeedsDisplayForTabViewItem:",
2876 "_setNeedsDisplayInColumn:",
2877 "_setNeedsDisplayInColumn:row:",
2878 "_setNeedsDisplayInRow:column:",
2879 "_setNeedsToExpand:",
2880 "_setNeedsToUpdateIndex",
2881 "_setNeedsToUseHeartBeatWindow:",
2882 "_setNeedsZoom:",
2883 "_setNetPathsDisabled:",
2884 "_setNextEvent:",
2885 "_setNextKeyBindingManager:",
2886 "_setNoVerticalAutosizing:",
2887 "_setNumVisibleColumns:",
2888 "_setObject:",
2889 "_setObject:forBothSidesOfRelationshipWithKey:",
2890 "_setOneShotIsDelayed:",
2891 "_setOnlineStateOfAllAccountsTo:",
2892 "_setOpenRecentMenu:",
2893 "_setOptionValues",
2894 "_setOrderDependency:",
2895 "_setOwnedByPopUp:",
2896 "_setOwnsRealWindow:",
2897 "_setPPDInfoInPrinter",
2898 "_setPageGenerationOrder:",
2899 "_setPageNumber:inControl:",
2900 "_setParent:",
2901 "_setParentWindow:",
2902 "_setPath:forFramework:usingDictionary:",
2903 "_setPatternFromRect:",
2904 "_setPmPageFormat:",
2905 "_setPmPrintSettings:",
2906 "_setPostsFocusChangedNotifications:",
2907 "_setPressedTabViewItem:",
2908 "_setPullsDown:",
2909 "_setRTFDFileWrapper:",
2910 "_setRawSelection:view:",
2911 "_setReceiveHandlerRef:",
2912 "_setRecentDocumentsLimit:",
2913 "_setRect:forAttachment:",
2914 "_setRecyclable:",
2915 "_setRepresentationListCache:",
2916 "_setRepresentedFilename:",
2917 "_setRootNode:",
2918 "_setRotatedFromBase:",
2919 "_setRotatedOrScaledFromBase:",
2920 "_setRotation:forGlyphAtIndex:",
2921 "_setRotationLeft:andRight:",
2922 "_setScroller:",
2923 "_setSelected:isOriginalValue:",
2924 "_setSelectedAddressInfo:",
2925 "_setSelectedCell:",
2926 "_setSelectedCell:atRow:column:",
2927 "_setSelection:inspection:",
2928 "_setSelectionFromPasteboard:",
2929 "_setSelectionRange::",
2930 "_setSelectionString:",
2931 "_setSenderOrReceiverIfSenderIsMe",
2932 "_setSharedDocumentController:",
2933 "_setSheet:",
2934 "_setShowAlpha:andForce:",
2935 "_setShowingModalFrame:",
2936 "_setShowsAllDrawing:",
2937 "_setSingleWindowMode:",
2938 "_setSizeType:",
2939 "_setSound:",
2940 "_setSoundFile:",
2941 "_setStore:",
2942 "_setStringInKeyNode:key:value:",
2943 "_setStringListInKeyNode:key:list:len:",
2944 "_setSubmenu:",
2945 "_setSuiteName:forAppleEventCode:",
2946 "_setSuperview:",
2947 "_setSuppressAutoenabling:",
2948 "_setSuppressScrollToVisible:",
2949 "_setSurface:",
2950 "_setSwap:",
2951 "_setSynonymTable:inSuite:",
2952 "_setTabRect:",
2953 "_setTabState:",
2954 "_setTabView:",
2955 "_setTarget:",
2956 "_setTargetFramework:",
2957 "_setTempHidden:",
2958 "_setTextAttributeParaStyleNeedsRecalc",
2959 "_setTextFieldStringValue:",
2960 "_setTextShadow",
2961 "_setTextShadow:",
2962 "_setThousandSeparatorNoConsistencyCheck:",
2963 "_setThreadName:",
2964 "_setTitle:",
2965 "_setTitle:ofColumn:",
2966 "_setTitleNeedsDisplay",
2967 "_setToolTip:forView:cell:rect:owner:userData:",
2968 "_setTrackingHandlerRef:",
2969 "_setTrackingRect:inside:owner:userData:",
2970 "_setTrackingRects",
2971 "_setUIConstraints:",
2972 "_setUpAccessoryViewWithEditorTypes:exportableTypes:selectedType:enableExportable:",
2973 "_setUpAppKitCoercions",
2974 "_setUpAppKitTranslations",
2975 "_setUpDefaultTopLevelObject",
2976 "_setUpFoundationCoercions",
2977 "_setUpFoundationTranslations",
2978 "_setUpOperation:helpedBy:",
2979 "_setUpTrackingRect",
2980 "_setUpdated:",
2981 "_setUseSimpleTrackingMode:",
2982 "_setUsesATSGlyphGenerator:",
2983 "_setUsesFastJavaBundleSetup:",
2984 "_setUsesNoLeading:",
2985 "_setUsesQuickdraw:",
2986 "_setUsesToolTipsWhenTruncated:",
2987 "_setUtilityWindow:",
2988 "_setVerticallyCentered:",
2989 "_setVisible:",
2990 "_setVisibleInCache:forWindow:",
2991 "_setWantsToBeOnMainScreen:",
2992 "_setWin32MouseActivationInProgress:",
2993 "_setWindow:",
2994 "_setWindowContextForCurrentThread:",
2995 "_setWindowFrameForPopUpAttachingToRect:onScreen:preferredEdge:popUpSelectedItem:",
2996 "_setWindowNumber:",
2997 "_setWithCopyOfDictionary:defaults:",
2998 "_setWithOffset:",
2999 "_setWords:inDictionary:",
3000 "_setupAccountType:hostname:username:password:emailAddress:",
3001 "_setupAllFamFrame",
3002 "_setupAttachmentEncodingHints",
3003 "_setupColumnsForTableView",
3004 "_setupConnections",
3005 "_setupCursor",
3006 "_setupDefaultRecipients:",
3007 "_setupFromDefaults",
3008 "_setupInitialState",
3009 "_setupOpenPanel",
3010 "_setupOutlineView",
3011 "_setupPreviewFrame",
3012 "_setupSeparatorSizes:",
3013 "_setupSortRules",
3014 "_setupSplitView",
3015 "_setupSurfaceAndStartSpinning",
3016 "_setupTextView:",
3017 "_setupToolBar",
3018 "_setupUI",
3019 "_shadowTabColorAtIndex:",
3020 "_shapeMenuPanel",
3021 "_shareTextStorage",
3022 "_sharedData",
3023 "_sharedLock",
3024 "_sharedSecureFieldEditor",
3025 "_sharedTextCell",
3026 "_sheetAnimationVelocity",
3027 "_shiftDown::::",
3028 "_shortNameFor:",
3029 "_shouldAddNodeForProject:",
3030 "_shouldAllowAutoCollapseItemsDuringDragsDefault",
3031 "_shouldAllowAutoExpandItemsDuringDragsDefault",
3032 "_shouldAttemptDroppingAsChildOfLeafItems",
3033 "_shouldAutoscrollForDraggingInfo:",
3034 "_shouldCallCompactWhenClosing",
3035 "_shouldChangeComponentMessageFlags",
3036 "_shouldDispatch:invocation:sequence:coder:",
3037 "_shouldDrawTwoBitGray",
3038 "_shouldForceShiftModifierWithKeyEquivalent:",
3039 "_shouldHaveBlinkTimer",
3040 "_shouldHideDisclosureTriangle",
3041 "_shouldLiveResizeUseCachedImage",
3042 "_shouldOpenDespiteLock:",
3043 "_shouldPowerOff",
3044 "_shouldRepresentFilename",
3045 "_shouldRequireAutoCollapseOutlineAfterDropsDefault",
3046 "_shouldSetHighlightToFlag:",
3047 "_shouldShowFirstResponderForCell:",
3048 "_shouldTerminate",
3049 "_shouldTerminateWithDelegate:shouldTerminateSelector:",
3050 "_shouldUseHTMLView",
3051 "_showAccountDetailForAccountBeingEdited",
3052 "_showBorder",
3053 "_showCompletionListWindow:",
3054 "_showDragError:forFilename:",
3055 "_showDrawRect:",
3056 "_showDropShadow",
3057 "_showGUIView:",
3058 "_showKeyboardUILoop",
3059 "_showMailboxesPanel",
3060 "_showMessage:",
3061 "_showSelectedLineInField",
3062 "_showSelectedLineRespectingSortOrder:",
3063 "_showSignatureDetailForAccountBeingEdited",
3064 "_showStatus:",
3065 "_showToolTip",
3066 "_showsAllDrawing",
3067 "_shutDrawer",
3068 "_signatureValid",
3069 "_simpleDeleteGlyphsInRange:",
3070 "_simpleDescription",
3071 "_simpleInsertGlyph:atGlyphIndex:characterIndex:elastic:",
3072 "_simpleRepresentedItem",
3073 "_singleWindowMode",
3074 "_singleWindowModeButtonOrigin",
3075 "_size",
3076 "_sizeAllDrawers",
3077 "_sizeAllDrawersToScreenWithRect:",
3078 "_sizeAllDrawersWithRect:",
3079 "_sizeDownIfPossible",
3080 "_sizeLastColumnToFitIfNecessary",
3081 "_sizeOfTitlebarFileButton",
3082 "_sizePanelTo:duration:",
3083 "_sizeSet",
3084 "_sizeStatus",
3085 "_sizeToFitIfNecessary",
3086 "_sizeToFitText",
3087 "_sizeToScreenWithRect:",
3088 "_sizeType",
3089 "_sizeWithRect:",
3090 "_sizeWithSize:",
3091 "_sizeWithSize:attributes:",
3092 "_slideWithDelta:beginOperation:endOperation:",
3093 "_smallEncodingGlyphIndexForCharacterIndex:startOfRange:okToFillHoles:",
3094 "_sortChildMailboxPaths:",
3095 "_sortMessageList:usingAttributes:",
3096 "_sortRulesFromArray:usingFullPaths:",
3097 "_sortedObjectNames:",
3098 "_sound",
3099 "_specialControlView",
3100 "_specialServicesMenuUpdate",
3101 "_spellServers",
3102 "_spellingGuessesForRange:",
3103 "_splitKey:intoGlobalKey:andLanguage:",
3104 "_spoolFile:",
3105 "_standardFrame",
3106 "_standardPaperNames",
3107 "_standardizedStorePath:",
3108 "_startAnimationWithThread:",
3109 "_startDraggingUpdates",
3110 "_startDrawingThread:",
3111 "_startHeartBeating",
3112 "_startHitTracking:",
3113 "_startLDAPSearch",
3114 "_startLiveResize",
3115 "_startLiveResizeForAllDrawers",
3116 "_startMessageClearCheck:",
3117 "_startMove",
3118 "_startMovieIdleIfNeeded",
3119 "_startRegion:ofLength:atAddress:",
3120 "_startRunMethod",
3121 "_startSheet",
3122 "_startSound",
3123 "_startTearingOffWithScreenPoint:",
3124 "_stashOrigin:",
3125 "_stashedOrigin",
3126 "_statusItemWithLength:withPriority:",
3127 "_statusMessageForMessage:current:total:",
3128 "_stopAnimation",
3129 "_stopAnimationWithWait:",
3130 "_stopDraggingUpdates",
3131 "_stopFadingTimer",
3132 "_stopLDAPSearch",
3133 "_stopMonitoringStoreForChanges",
3134 "_stopTearingOff",
3135 "_stringByResolvingSymlinksInPathUsingCache:",
3136 "_stringByStandardizingPathAllowingSlash:",
3137 "_stringByStandardizingPathUsingCache:",
3138 "_stringByTranslatingAliasDescriptor:",
3139 "_stringByTranslatingChar:",
3140 "_stringByTranslatingFSSpecDescriptor:",
3141 "_stringByTranslatingInternationalText:",
3142 "_stringByTranslatingStyledText:",
3143 "_stringForEditing",
3144 "_stringForHTMLEncodedStringTolerant:",
3145 "_stringForMessage:",
3146 "_stringRepresentation",
3147 "_stringSearchParametersForListingViews",
3148 "_stringToWrite",
3149 "_stringWithSavedFrame",
3150 "_stringWithSeparator:atFrequency:",
3151 "_stringWithStrings:",
3152 "_stringWithUnsigned:",
3153 "_stripAttachmentCharactersFromAttributedString:",
3154 "_stripAttachmentCharactersFromString:",
3155 "_stripExteriorBreaks",
3156 "_stripInteriorBreaks",
3157 "_structureHash",
3158 "_subImageFocus",
3159 "_subclassManagesData",
3160 "_subeventsOfClass:type:array:",
3161 "_subsetDescription",
3162 "_substituteFontName:flag:",
3163 "_subtractColor:",
3164 "_subviewResized:",
3165 "_subviews",
3166 "_successfulControlsWithButton:",
3167 "_suggestGuessesForWord:inLanguage:",
3168 "_suiteNameForAppleEventCode:",
3169 "_sumThinFile:offset:size:",
3170 "_summationRectForFont",
3171 "_superviewClipViewFrameChanged:",
3172 "_superviewUsesOurURL",
3173 "_surface",
3174 "_surfaceBounds",
3175 "_surfaceDidComeBack:",
3176 "_surfaceWillGoAway:",
3177 "_surrogateFontName:",
3178 "_surroundValueInString:withLength:andBuffer:",
3179 "_switchImage:andUpdateColor:",
3180 "_switchInitialFirstResponder:lastKeyView:",
3181 "_switchPanes:",
3182 "_switchToHTMLView",
3183 "_switchToNSTextView",
3184 "_switchToPlatformInput:",
3185 "_switchView:",
3186 "_switchView:with:initialFirstResponder:lastKeyView:",
3187 "_symbolForGetPS2ColorSpace",
3188 "_synchronizeAccountWithServer:",
3189 "_synchronizeGetNewMailMenuIfNeeded",
3190 "_synchronizeMailboxListWithFileSystem",
3191 "_synchronizeMenu:atIndex:toPath:fromAccount:",
3192 "_synchronizeMenuOfAllMailboxes:startingFromPath:",
3193 "_synchronizeMenusStartingFromPath:",
3194 "_synchronizeSubmenu:toPath:fromAccount:",
3195 "_synchronizeTextView:",
3196 "_synonymTableInSuite:",
3197 "_synonymTerminologyDictionaryForCode:inSuite:",
3198 "_synonymsInSuite:",
3199 "_systemColorChanged:",
3200 "_systemColorsChanged:",
3201 "_tabHeight",
3202 "_tabRect",
3203 "_tabViewWillRemoveFromSuperview",
3204 "_tabVueResizingRect",
3205 "_takeApplicationMenuIfNeeded:",
3206 "_takeColorFrom:andSendAction:",
3207 "_takeColorFromAndSendActionIfContinuous:",
3208 "_takeColorFromDoAction:",
3209 "_target",
3210 "_targetFramework",
3211 "_targetState",
3212 "_taskNowMultiThreaded:",
3213 "_tempHide:relWin:",
3214 "_tempHideHODWindow",
3215 "_tempUnhideHODWindow",
3216 "_temporaryFilename:",
3217 "_termWindowIfOwner",
3218 "_terminate",
3219 "_terminate:",
3220 "_terminateSendShould:",
3221 "_terminologyRegistry",
3222 "_terminologyRegistryForSuite:",
3223 "_testWithComparisonOperator:object1:object2:",
3224 "_textAttributes",
3225 "_textContainerDealloc",
3226 "_textDimColor",
3227 "_textHighlightColor",
3228 "_textLength",
3229 "_textMerge:",
3230 "_textStorageChanged:",
3231 "_textViewOwnsTextStorage",
3232 "_thinForArchs:",
3233 "_thinForArchs:numArchs:",
3234 "_thousandChar",
3235 "_threadContext",
3236 "_threadName",
3237 "_threadWillExit:",
3238 "_tile:",
3239 "_tileTitlebar",
3240 "_tileViews",
3241 "_titleCellHeight",
3242 "_titleCellHeight:",
3243 "_titleCellSize",
3244 "_titleCellSizeForTitle:styleMask:",
3245 "_titleIsRepresentedFilename",
3246 "_titleRectForTabViewItem:",
3247 "_titleSizeWithSize:",
3248 "_titleWidth",
3249 "_titlebarHeight",
3250 "_titlebarHeight:",
3251 "_titlebarTitleRect",
3252 "_toggleFrameAutosaveEnabled:",
3253 "_toggleLogging",
3254 "_toggleRichSheetDidEnd:returnCode:contextInfo:",
3255 "_topFrameRect",
3256 "_topLeftFrameRect",
3257 "_topLeftResizeCursor",
3258 "_topMenuView",
3259 "_topRightFrameRect",
3260 "_topRightResizeCursor",
3261 "_totalMinimumTabsWidthWithOverlap:",
3262 "_totalNominalTabsWidthWithOverlap:",
3263 "_totalOffsetsForItem:",
3264 "_totalTabsWidth:overlap:",
3265 "_trackAttachmentClick:characterIndex:glyphIndex:attachmentCell:",
3266 "_trackMouse:",
3267 "_trackingHandlerRef",
3268 "_transferWindowOwnership",
3269 "_transparency",
3270 "_traverseAtProject:withData:",
3271 "_traverseProject:withInfo:",
3272 "_traverseToSubmenu",
3273 "_traverseToSupermenu",
3274 "_treeHasDragTypes",
3275 "_trimDownEventTreeTo:",
3276 "_trimKeepingArchs:keepingLangs:fromBom:",
3277 "_trimRecord",
3278 "_trimWithCharacterSet:",
3279 "_trueName",
3280 "_tryDrop:dropItem:dropChildIndex:",
3281 "_tryDrop:dropRow:dropOperation:",
3282 "_tryToBecomeServer",
3283 "_tryToOpenOrPrint:isPrint:",
3284 "_typeDictForType:",
3285 "_typeOfPrintFilter:",
3286 "_types",
3287 "_typesForDocumentClass:includeEditors:includeViewers:includeExportable:",
3288 "_typesetterIsBusy",
3289 "_uidsForMessages:",
3290 "_umask",
3291 "_unarchivingPrintInfo",
3292 "_under",
3293 "_underlineIsOn",
3294 "_undoManagerCheckpoint:",
3295 "_undoRedoTextOperation:",
3296 "_undoStack",
3297 "_undoUpdate:",
3298 "_unformattedAttributedStringValue:",
3299 "_unhide",
3300 "_unhideAllDrawers",
3301 "_unhideHODWindow",
3302 "_unhideSheet",
3303 "_unhookSubviews",
3304 "_unionBitVectorMaybeCompressed:",
3305 "_uniqueNameForNewSubdocument:",
3306 "_uniquePrinterObject:includeUnavailable:",
3307 "_uniqueTypeObject:",
3308 "_unitsForClientLocation:",
3309 "_unitsForRulerLocation:",
3310 "_unlocalizedPaperName:",
3311 "_unlock",
3312 "_unlockFirstResponder",
3313 "_unlockFocusNoRecursion",
3314 "_unlockQuickDrawPort",
3315 "_unlockViewHierarchyForDrawing",
3316 "_unlockViewHierarchyForModification",
3317 "_unmapActiveTable",
3318 "_unobstructedPortionOfRect:",
3319 "_unreadCountChanged:",
3320 "_unregisterDragTypes",
3321 "_unregisterForApplicationNotifications",
3322 "_unregisterForCompletion:",
3323 "_unregisterForStoreNotifications",
3324 "_unregisterMenuForKeyEquivalentUniquing:",
3325 "_unregisterMenuItemForKeyEquivalentUniquing:",
3326 "_unresolveTypeAlias:",
3327 "_unsetFinalSlide",
3328 "_update",
3329 "_updateAllEntries",
3330 "_updateAppleMenu:",
3331 "_updateAttributes",
3332 "_updateAutoscrollingStateWithTrackingViewPoint:event:",
3333 "_updateButtons",
3334 "_updateCell:withInset:",
3335 "_updateContentsIfNecessary",
3336 "_updateCurrentFolder",
3337 "_updateDeviceCount:applicationCount:",
3338 "_updateDragInsertionIndicatorWith:",
3339 "_updateEnabled",
3340 "_updateFavoritesMenu",
3341 "_updateFileNamesForChildren",
3342 "_updateFlag:toState:forMessage:",
3343 "_updateFocusSelection",
3344 "_updateForEditedMovie:",
3345 "_updateFrameWidgets",
3346 "_updateFromPath:checkOnly:exists:",
3347 "_updateHighlightedItemWithTrackingViewPoint:event:",
3348 "_updateIndex",
3349 "_updateInputManagerState",
3350 "_updateKnownNotVisibleAppleMenu:",
3351 "_updateLengthAndSelectedRange:",
3352 "_updateMouseTracking",
3353 "_updateMouseTracking:",
3354 "_updateOpenRecentMenu:menuNames:",
3355 "_updateOpenRecentMenus",
3356 "_updatePageControls",
3357 "_updatePopup",
3358 "_updatePreview:",
3359 "_updatePrintStatus:label:",
3360 "_updatePrinterStuff",
3361 "_updateRendering:",
3362 "_updateRulerlineForRuler:oldPosition:newPosition:vertical:",
3363 "_updateSeekingSubmenuWithScreenPoint:viewPoint:event:",
3364 "_updateStatusLine",
3365 "_updateStatusLineAndWindowTitle",
3366 "_updateSubmenuKnownStale:",
3367 "_updateTearOffPositionWithScreenPoint:",
3368 "_updateToMatchServerIfNeeded",
3369 "_updateUI",
3370 "_updateUIOfTextField:withPath:",
3371 "_updateUsageForTextContainer:addingUsedRect:",
3372 "_updateWidgets",
3373 "_updateWindowsUsingCache",
3374 "_updateWorkspace:",
3375 "_upgradeAppHelpFile",
3376 "_upgradeAppIcon",
3377 "_upgradeAppMainNIB",
3378 "_upgradeDocExtensions",
3379 "_upgradeOSDependentFields",
3380 "_upgradeTo2Dot6",
3381 "_upgradeTo2Dot7",
3382 "_upgradeTo2Dot8",
3383 "_url",
3384 "_urlStringForEventInImageMap:inFrame:",
3385 "_useCacheGState:rect:",
3386 "_useFromFile:",
3387 "_useIconNamed:from:",
3388 "_useSharedKitWindow:rect:",
3389 "_useSimpleTrackingMode",
3390 "_useUserKeyEquivalent",
3391 "_userCanChangeSelection",
3392 "_userCanEditTableColumn:row:",
3393 "_userCanSelectAndEditTableColumn:row:",
3394 "_userCanSelectColumn:",
3395 "_userCanSelectRow:",
3396 "_userChangeSelection:fromAnchorRow:toRow:lastExtensionRow:selecting:",
3397 "_userDeleteRange:",
3398 "_userDeselectColumn:",
3399 "_userDeselectRow:",
3400 "_userInfoCurrentOSName",
3401 "_userInfoDict",
3402 "_userInfoDictForCurrentOS",
3403 "_userInfoDirectoryPath",
3404 "_userInfoFileName",
3405 "_userKeyEquivalentForTitle:",
3406 "_userKeyEquivalentModifierMaskForTitle:",
3407 "_userLoggedOut",
3408 "_userSelectColumn:byExtendingSelection:",
3409 "_userSelectColumnRange:toColumn:byExtendingSelection:",
3410 "_userSelectRow:byExtendingSelection:",
3411 "_userSelectRowRange:toRow:byExtendingSelection:",
3412 "_userSelectTextOfNextCell",
3413 "_userSelectTextOfNextCellInSameColumn",
3414 "_userSelectTextOfPreviousCell",
3415 "_usesATSGlyphGenerator",
3416 "_usesFastJavaBundleSetup",
3417 "_usesNoLeading",
3418 "_usesNoRulebook",
3419 "_usesProgrammingLanguageBreaks",
3420 "_usesQuickdraw",
3421 "_usesToolTipsWhenTruncated",
3422 "_usesUserKeyEquivalent",
3423 "_validFrameForResizeFrame:fromResizeEdge:",
3424 "_validSize:",
3425 "_validateAction:ofMenuItem:",
3426 "_validateBundleSecurity",
3427 "_validateButtonState",
3428 "_validateEditing:",
3429 "_validateEntryString:uiHandled:",
3430 "_validateNames:checkBrowser:",
3431 "_validateStyleMask:",
3432 "_validateValuesInUI",
3433 "_validatedStoredUsageForTextContainerAtIndex:",
3434 "_value",
3435 "_valueForIndex:inString:returningSizeType:",
3436 "_valuesForKey:inContainer:isValid:",
3437 "_valuesForObject:",
3438 "_verifyDataIsPICT:withFrame:fromFile:",
3439 "_verifyDefaultButtonCell",
3440 "_verifySelectionIsOK",
3441 "_verticalDistanceForLineScroll",
3442 "_verticalDistanceForPageScroll",
3443 "_verticalResizeCursor",
3444 "_viewDetaching:",
3445 "_viewForItem:",
3446 "_viewFreeing:",
3447 "_visibleAndCanBecomeKey",
3448 "_visibleAndCanBecomeKeyLimitedOK:",
3449 "_waitCursor",
3450 "_waitForLock",
3451 "_waitForLock:",
3452 "_wakeup",
3453 "_wantToBeModal",
3454 "_wantsHeartBeat",
3455 "_wantsLiveResizeToUseCachedImage",
3456 "_wantsToDestroyRealWindow",
3457 "_whenDrawn:fills:",
3458 "_widthOfColumn:",
3459 "_widthOfPackedGlyphs:count:",
3460 "_widthsInvalid",
3461 "_willPowerOff",
3462 "_willUnmountDeviceAtPath:ok:",
3463 "_win32ChangeKeyAndMain",
3464 "_win32TitleString",
3465 "_window",
3466 "_windowBorderThickness",
3467 "_windowBorderThickness:",
3468 "_windowChangedKeyState",
3469 "_windowChangedMain:",
3470 "_windowChangedNumber:",
3471 "_windowDeviceRound",
3472 "_windowDidBecomeVisible:",
3473 "_windowDidComeBack:",
3474 "_windowDidLoad",
3475 "_windowDying",
3476 "_windowExposed:",
3477 "_windowInitWithCoder:",
3478 "_windowMoved:",
3479 "_windowMovedToPoint:",
3480 "_windowMovedToRect:",
3481 "_windowNumber:changedTo:",
3482 "_windowRef",
3483 "_windowResizeBorderThickness",
3484 "_windowResizeCornerThickness",
3485 "_windowTitleString",
3486 "_windowTitlebarButtonSpacingWidth",
3487 "_windowTitlebarTitleMinHeight",
3488 "_windowTitlebarTitleMinHeight:",
3489 "_windowTitlebarXResizeBorderThickness",
3490 "_windowTitlebarYResizeBorderThickness",
3491 "_windowWillClose:",
3492 "_windowWillGoAway:",
3493 "_windowWillLoad",
3494 "_windowWithDockItemRef:",
3495 "_windowsForMenu:",
3496 "_wordsInDictionary:",
3497 "_wrapInNode:",
3498 "_writableNamesAndTypesForSaveOperation:",
3499 "_writeBytesFromOffset:length:",
3500 "_writeCharacters:range:",
3501 "_writeDataToFile:",
3502 "_writeDirCommandsTo:forProject:withPrefix:",
3503 "_writeDocFontsUsed",
3504 "_writeEncodings",
3505 "_writeFat:wroteBytes:cpuTypes:size:",
3506 "_writeFontInRange:toPasteboard:",
3507 "_writeMachO:wroteBytes:cpuTypes:size:",
3508 "_writeMakeFiLe_OtherRelocs:",
3509 "_writeMakeFiLe_Sources:",
3510 "_writeMakeFile_BuildDir:",
3511 "_writeMakeFile_BundleSpecial:",
3512 "_writeMakeFile_CodeGenStyle:",
3513 "_writeMakeFile_Compilers:",
3514 "_writeMakeFile_Header:",
3515 "_writeMakeFile_Inclusions:",
3516 "_writeMakeFile_JavaStuff:",
3517 "_writeMakeFile_Libraries:",
3518 "_writeMakeFile_ProjectNameVersionTypeLanguage:",
3519 "_writeMakeFile_PublicHeadersDir:",
3520 "_writeMakeFile_Resources:",
3521 "_writeMakeFile_SearchPaths:",
3522 "_writeMessagesToIncomingMail:unsuccessfulOnes:",
3523 "_writePageFontsUsed",
3524 "_writePersistentExpandItems",
3525 "_writePersistentTableColumns",
3526 "_writeRTFDInRange:toPasteboard:",
3527 "_writeRTFInRange:toPasteboard:",
3528 "_writeRecentDocumentsDefault",
3529 "_writeRulerInRange:toPasteboard:",
3530 "_writeSizeStringForRows:",
3531 "_writeStringInRange:toPasteboard:",
3532 "_writeTIFF:usingCompression:factor:",
3533 "_writeUpdatedIndexToDisk",
3534 "_writeWithThinningForSize:wroteBytes:cpuTypes:",
3535 "_wsmIconInitFor:",
3536 "_wsmOwnsWindow",
3537 "_zeroScreen",
3538 "_zoomButtonOrigin",
3539 "abbreviation",
3540 "abbreviationDictionary",
3541 "abbreviationForDate:",
3542 "abbreviationForTimeInterval:",
3543 "abort",
3544 "abortBlock:",
3545 "abortEditing",
3546 "abortModal",
3547 "abortRegion:ofLength:",
3548 "abortToolTip",
3549 "abortTransaction",
3550 "absoluteFrameChanged",
3551 "absolutePathFromPathRelativeToProject:",
3552 "absoluteString",
3553 "absoluteURL",
3554 "acceptColor:atPoint:",
3555 "acceptConnectionInBackgroundAndNotify",
3556 "acceptConnectionInBackgroundAndNotifyForModes:",
3557 "acceptInputForMode:beforeDate:",
3558 "acceptableDragTypes",
3559 "acceptsArrowKeys",
3560 "acceptsBinary",
3561 "acceptsFirstMouse:",
3562 "acceptsFirstResponder",
3563 "acceptsMouseMovedEvents",
3564 "accessInstanceVariablesDirectly",
3565 "accessoryView",
3566 "account",
3567 "accountChanged:",
3568 "accountDetailsForAccountClassNamed:",
3569 "accountInfo",
3570 "accountInfoDidChange",
3571 "accountPath",
3572 "accountRelativePathForFullPath:",
3573 "accountThatReceivedMessage:matchingEmailAddress:fullUserName:",
3574 "accountType",
3575 "accountTypeChanged:",
3576 "accountTypeString",
3577 "accountWithPath:",
3578 "accounts",
3579 "accountsChanged:",
3580 "action",
3581 "activate:",
3582 "activateContextHelpMode:",
3583 "activateIgnoringOtherApps:",
3584 "activateInputManagerFromMenu:",
3585 "activeConversationChanged:toNewConversation:",
3586 "activeConversationWillChange:fromOldConversation:",
3587 "activeLinkColor",
3588 "activeSignatureWithName:",
3589 "activityMonitorDidChange:",
3590 "activityViewer",
3591 "actualBitsPerPixel",
3592 "add:",
3593 "addAWorkerThread",
3594 "addAccountType:className:",
3595 "addAddress:",
3596 "addAllowableSubprojectType:",
3597 "addAnchor:",
3598 "addApplet:",
3599 "addAttribute:value:range:",
3600 "addAttributedString:inRect:",
3601 "addAttributes:range:",
3602 "addAttributesWeakly:range:",
3603 "addBaseFontToState:",
3604 "addBccHeader:",
3605 "addBefore",
3606 "addBlockquote:",
3607 "addBytesInRange:",
3608 "addCaption",
3609 "addCharactersInRange:",
3610 "addCharactersInString:",
3611 "addChild:",
3612 "addChildren:",
3613 "addChildrenConformingToProtocol:toArray:",
3614 "addChildrenOfClass:toArray:",
3615 "addChildrenWithName:toArray:",
3616 "addClassNamed:version:",
3617 "addClient:",
3618 "addClip",
3619 "addColumn",
3620 "addColumnAfter:",
3621 "addColumnAtIndex:",
3622 "addColumnBefore:",
3623 "addColumnWithCells:",
3624 "addComment:",
3625 "addCommon:docInfo:value:zone:",
3626 "addConnection:toRunLoop:forMode:",
3627 "addConversation:",
3628 "addCooperatingObjectStore:",
3629 "addCount",
3630 "addCursorRect:cursor:",
3631 "addCustomMarker:",
3632 "addData:name:",
3633 "addDatasFoundUnderNode:toArray:",
3634 "addDirNamed:lazy:",
3635 "addDivision:",
3636 "addDocument:",
3637 "addDrawerWithView:",
3638 "addEMail:",
3639 "addEditor:",
3640 "addElement:",
3641 "addEntriesFromDictionary:",
3642 "addEntry:",
3643 "addEntryNamed:forObject:",
3644 "addEntryNamed:ofClass:",
3645 "addEntryNamed:ofClass:atBlock:",
3646 "addEvent:",
3647 "addFace:",
3648 "addFieldChanged:",
3649 "addFile:",
3650 "addFile:key:",
3651 "addFileNamed:fileAttributes:",
3652 "addFileToFront:key:",
3653 "addFileWithPath:",
3654 "addFileWrapper:",
3655 "addFileWrappersForPaths:turnFoldersIntoLinks:",
3656 "addFontTrait:",
3657 "addForm:",
3658 "addFormattingReturns:toRendering:withState:mergeableLength:",
3659 "addH1:",
3660 "addH2:",
3661 "addH3:",
3662 "addH4:",
3663 "addH5:",
3664 "addH6:",
3665 "addHandle:withWeight:",
3666 "addHeaders:",
3667 "addHeading:",
3668 "addHeartBeatView:",
3669 "addHorizontalRule:",
3670 "addIndex:",
3671 "addIndexRange:",
3672 "addInlineFrame:",
3673 "addInvocationToQueue:",
3674 "addItem:",
3675 "addItemWithImage:andHelp:",
3676 "addItemWithObjectValue:",
3677 "addItemWithTitle:",
3678 "addItemWithTitle:action:keyEquivalent:",
3679 "addItemsConformingToProtocol:toArray:",
3680 "addItemsOfClass:toArray:",
3681 "addItemsWithName:toArray:",
3682 "addItemsWithObjectValues:",
3683 "addItemsWithTitles:",
3684 "addJavaScript:",
3685 "addLayoutManager:",
3686 "addLeadingBlockCharactersForChild:toRendering:withState:",
3687 "addLink:",
3688 "addList:",
3689 "addMarker:",
3690 "addMenuItemToPopUp:",
3691 "addMessage:",
3692 "addMessage:index:ofTotal:",
3693 "addMessage:withRange:",
3694 "addMessageStoresInPath:toArray:",
3695 "addMessageToAllMessages:",
3696 "addNewColor:andShowInWell:",
3697 "addNewRow:",
3698 "addNewRowInTableView:",
3699 "addNodeOverSelection:contentIfEmpty:",
3700 "addObject:",
3701 "addObject:toBothSidesOfRelationshipWithKey:",
3702 "addObject:toPropertyWithKey:",
3703 "addObject:withSorter:",
3704 "addObjectIfAbsent:",
3705 "addObjectIfAbsentAccordingToEquals:",
3706 "addObjectUsingLock:",
3707 "addObjectUsingLockIfAbsent:",
3708 "addObjectUsingLockIfAbsentAccordingToEquals:",
3709 "addObjectsFromArray:",
3710 "addObjectsFromArrayUsingLock:",
3711 "addObserver:",
3712 "addObserver:forObject:",
3713 "addObserver:selector:name:object:",
3714 "addObserver:selector:name:object:flags:",
3715 "addObserver:selector:name:object:suspensionBehavior:",
3716 "addObserverInMainThread:selector:name:object:",
3717 "addOmniscientObserver:",
3718 "addOrderedList:",
3719 "addPage",
3720 "addParagraph:",
3721 "addPath:",
3722 "addPath:for:variant:as:",
3723 "addPathToLibrarySearchPaths:",
3724 "addPathsToArray:",
3725 "addPort:forMode:",
3726 "addPortsToAllRunLoops",
3727 "addPortsToRunLoop:",
3728 "addPreferenceNamed:owner:",
3729 "addPreferencesModules",
3730 "addPreformatted:",
3731 "addQualifierKeysToSet:",
3732 "addRecentAddresses:",
3733 "addRegularFileWithContents:preferredFilename:",
3734 "addReplyToHeader:",
3735 "addRepresentation:",
3736 "addRepresentations:",
3737 "addRequestMode:",
3738 "addRow",
3739 "addRowAbove:",
3740 "addRowAtIndex:",
3741 "addRowBelow:",
3742 "addRowWithCells:",
3743 "addRows",
3744 "addRowsCols:",
3745 "addRowsFoundUnderNode:toArray:",
3746 "addRunLoop:",
3747 "addServiceProvider:",
3748 "addSpan:",
3749 "addSpecialGStateView:",
3750 "addStatistics:",
3751 "addStore:",
3752 "addString:attributes:inRect:",
3753 "addString:inRect:",
3754 "addStyles:",
3755 "addSubclassItemsToMenu:",
3756 "addSubelementsFoundUnderNode:toArray:",
3757 "addSubnode:",
3758 "addSubview:",
3759 "addSubview:positioned:relativeTo:",
3760 "addSuccessfulControlsToArray:",
3761 "addSuiteNamed:",
3762 "addSymbolicLinkWithDestination:preferredFilename:",
3763 "addSystemExtensions:",
3764 "addTabStop:",
3765 "addTabViewItem:",
3766 "addTable:",
3767 "addTableColumn:",
3768 "addTemporaryAttributes:forCharacterRange:",
3769 "addTextContainer:",
3770 "addTextStyle:",
3771 "addTextStyles:overChildRange:",
3772 "addTimeInterval:",
3773 "addTimer:forMode:",
3774 "addTimerToModes",
3775 "addToPageSetup",
3776 "addToken:toStyleInfo:ofAttributedString:",
3777 "addToolTipRect:owner:userData:",
3778 "addTrackingRect:owner:userData:assumeInside:",
3779 "addTrackingRectForToolTip:",
3780 "addTrailingBlockCharactersForChild:toRendering:withState:contentLength:",
3781 "addType:",
3782 "addTypes:owner:",
3783 "addUnorderedList:",
3784 "addVBScript:",
3785 "addVCard:",
3786 "addWillDeactivate:",
3787 "addWindowController:",
3788 "addWindowsItem:title:filename:",
3789 "addedChild:",
3790 "address",
3791 "addressArrayExcludingSelf",
3792 "addressAtIndex:",
3793 "addressBookOwning:",
3794 "addressBookWithPath:andOptions:",
3795 "addressBookWithURL:andOptions:",
3796 "addressComment",
3797 "addressList",
3798 "addressListForHeader:",
3799 "addressListForRange:",
3800 "addressManager",
3801 "addressManagerLoaded",
3802 "addresses",
3803 "adjustCTM:",
3804 "adjustCellTextView:forFrame:preservingContinuity:",
3805 "adjustControls:",
3806 "adjustHalftonePhase",
3807 "adjustOffsetToNextWordBoundaryInString:startingAt:",
3808 "adjustPageHeightNew:top:bottom:limit:",
3809 "adjustPageWidthNew:left:right:limit:",
3810 "adjustScroll:",
3811 "adjustSubviews",
3812 "adjustToolBarToWindow:",
3813 "adjustViewport",
3814 "advancementForGlyph:",
3815 "aeteResource:",
3816 "afmDictionary",
3817 "afmFileContents",
3818 "aggregateEvents:bySignatureOfType:",
3819 "aggregateExceptionWithExceptions:",
3820 "aggregateKeys",
3821 "alertUserWithMessage:forMailbox:",
3822 "alertUserWithMessage:title:",
3823 "alignCenter:",
3824 "alignJustified:",
3825 "alignLeft:",
3826 "alignRight:",
3827 "alignment",
3828 "alignmentCouldBeEffectedByDescendant:",
3829 "alignmentValueForAttribute:",
3830 "allAddressBooks",
3831 "allAttributeKeys",
3832 "allBundles",
3833 "allCenters",
3834 "allConnections",
3835 "allEmailAddressesIncludingFullUserName:",
3836 "allEvents",
3837 "allFrameworkDependencies",
3838 "allFrameworks",
3839 "allHeaderKeys",
3840 "allKeys",
3841 "allKeysForObject:",
3842 "allLocalizedStringsForKey:",
3843 "allMessageViewers",
3844 "allMessages",
3845 "allMessagesInSelectionAreDeleted",
3846 "allMessagesInSelectionHaveBeenRemoved",
3847 "allModes",
3848 "allObjects",
3849 "allProjectTypeTables",
3850 "allPropertyKeys",
3851 "allQualifierKeys",
3852 "allQualifierOperators",
3853 "allRenderingRootTextViews",
3854 "allRenderingRoots",
3855 "allRunLoopModes",
3856 "allTheLanguageContextNamesInstalledOnTheSystem",
3857 "allThreadsIdle",
3858 "allToManyRelationshipKeys",
3859 "allToOneRelationshipKeys",
3860 "allValues",
3861 "alloc",
3862 "allocFromZone:",
3863 "allocIndexInfo",
3864 "allocWithZone:",
3865 "allocateGState",
3866 "allocateMoreTokens:",
3867 "allowEmptySel:",
3868 "allowableFileTypesForURL",
3869 "allowableSubprojectTypes",
3870 "allowableSuperprojectTypes",
3871 "allowsAppend",
3872 "allowsBranchSelection",
3873 "allowsColumnReordering",
3874 "allowsColumnResizing",
3875 "allowsColumnSelection",
3876 "allowsContinuedTracking",
3877 "allowsEditingTextAttributes",
3878 "allowsEmptySelection",
3879 "allowsFloats",
3880 "allowsIncrementalSearching",
3881 "allowsIndexing",
3882 "allowsKeyboardEditing",
3883 "allowsMixedState",
3884 "allowsMultipleSelection",
3885 "allowsNaturalLanguage",
3886 "allowsTickMarkValuesOnly",
3887 "allowsTruncatedLabels",
3888 "allowsUndo",
3889 "alpha",
3890 "alphaComponent",
3891 "alphaControlAddedOrRemoved:",
3892 "alphanumericCharacterSet",
3893 "altIncrementValue",
3894 "altModifySelection:",
3895 "alternateAddressesForSelf",
3896 "alternateImage",
3897 "alternateMnemonic",
3898 "alternateMnemonicLocation",
3899 "alternateText",
3900 "alternateTitle",
3901 "alternativeAtIndex:",
3902 "altersStateOfSelectedItem",
3903 "alwaysKeepColumnsSizedToFitAvailableSpace",
3904 "alwaysSelectsSelf",
3905 "ancestor",
3906 "ancestorSharedWithView:",
3907 "anchorSwitchChanged:",
3908 "animate:",
3909 "animationDelay",
3910 "annotateIndentation",
3911 "annotateTagMatching",
3912 "anyFontDataForUser:hasChangedSinceDate:",
3913 "anyObject",
3914 "apop:",
3915 "appDidActivate:",
3916 "appDidUpdate:",
3917 "appHelpFileForOSType:",
3918 "appIconFileForOSType:",
3919 "appWillUpdate:",
3920 "apparentSize",
3921 "appendAddressList:",
3922 "appendAddressList:forHeader:",
3923 "appendAndQuoteString:",
3924 "appendAttributeString:cachedString:",
3925 "appendAttributedString:",
3926 "appendBezierPath:",
3927 "appendBezierPathWithArcFromPoint:toPoint:radius:",
3928 "appendBezierPathWithArcWithCenter:radius:startAngle:endAngle:",
3929 "appendBezierPathWithArcWithCenter:radius:startAngle:endAngle:clockwise:",
3930 "appendBezierPathWithGlyph:inFont:",
3931 "appendBezierPathWithGlyphs:count:inFont:",
3932 "appendBezierPathWithOvalInRect:",
3933 "appendBezierPathWithPackedGlyphs:",
3934 "appendBezierPathWithPoints:count:",
3935 "appendBezierPathWithRect:",
3936 "appendBodyToData:",
3937 "appendByte:",
3938 "appendBytes:length:",
3939 "appendCString:",
3940 "appendCString:length:",
3941 "appendCharacter:",
3942 "appendCharacters:length:",
3943 "appendCloseMarkerString:cachedString:",
3944 "appendData:",
3945 "appendData:toMailboxNamed:flags:",
3946 "appendData:wrapAtColumn:escapeFrom:",
3947 "appendEditingMarkOfColor:withText:andState:toRendering:",
3948 "appendEditingMarkWithText:fillColor:textColor:shape:toRendering:withState:",
3949 "appendEntityMarkOfLevel:withState:toRendering:",
3950 "appendEpilogueMarkOfLevel:withState:toRendering:",
3951 "appendFormat:",
3952 "appendFromSpaceIfMissing",
3953 "appendGeneratedChildren:cachedString:",
3954 "appendGeneratedHTMLEquivalent:cachedString:",
3955 "appendHTMLEquivalent:cachedString:",
3956 "appendHeaderData:andRecipients:",
3957 "appendHeadersToData:",
3958 "appendHeadersToMessageHeaders:",
3959 "appendLeadingCloseWhitespace:cachedString:",
3960 "appendLeadingWhitespace:cachedString:",
3961 "appendList:",
3962 "appendMarkerString:cachedString:",
3963 "appendMessageArray:",
3964 "appendMessages:",
3965 "appendMessages:unsuccessfulOnes:",
3966 "appendPrologueMarkOfLevel:withState:toRendering:",
3967 "appendRenderedChild:toRendering:withState:buildingMap:baseLocation:",
3968 "appendRenderedChildrenWithState:toString:buildingMap:baseLocation:",
3969 "appendRenderedHtmlEpilogueWithState:toRendering:",
3970 "appendRenderedHtmlPrologueWithState:toRendering:",
3971 "appendRenderedHtmlWithState:toRendering:",
3972 "appendRenderedHtmlWithState:toRendering:buildingMap:",
3973 "appendRenderingRootsToArray:",
3974 "appendString:",
3975 "appendTagMarkOfLevel:shape:text:withState:toRendering:",
3976 "appendTextFindingRenderingToString:buildingMap:withBaseLocation:",
3977 "appendTrailingCloseWhitespace:cachedString:",
3978 "appendTrailingWhitespace:cachedString:",
3979 "appendTransform:",
3980 "appleDoubleDataWithFilename:length:",
3981 "appleEventClassCode",
3982 "appleEventCode",
3983 "appleEventCodeForArgumentWithName:",
3984 "appleEventCodeForKey:",
3985 "appleEventCodeForReturnType",
3986 "appleEventCodeForSuite:",
3987 "appleEventWithEventClass:eventID:targetDescriptor:returnID:transactionID:",
3988 "appleSingleDataWithFilename:length:",
3989 "appletClassName",
3990 "appletImage",
3991 "application:delegateHandlesKey:",
3992 "application:openFile:",
3993 "application:openFileWithoutUI:",
3994 "application:openTempFile:",
3995 "application:printFile:",
3996 "application:receivedEvent:dequeuedEvent:",
3997 "applicationClass",
3998 "applicationDelegateHandlesKey::",
3999 "applicationDidBecomeActive:",
4000 "applicationDidChangeScreenParameters:",
4001 "applicationDidFinishLaunching:",
4002 "applicationDidHide:",
4003 "applicationDidResignActive:",
4004 "applicationDidUnhide:",
4005 "applicationDidUpdate:",
4006 "applicationIcon",
4007 "applicationIconImage",
4008 "applicationLaunched:handle:",
4009 "applicationName",
4010 "applicationOpenUntitledFile:",
4011 "applicationQuit:handle:",
4012 "applicationShouldHandleReopen:hasVisibleWindows:",
4013 "applicationShouldOpenUntitledFile:",
4014 "applicationShouldTerminate:",
4015 "applicationShouldTerminateAfterLastWindowClosed:",
4016 "applicationWillBecomeActive:",
4017 "applicationWillFinishLaunching:",
4018 "applicationWillHide:",
4019 "applicationWillResignActive:",
4020 "applicationWillTerminate:",
4021 "applicationWillUnhide:",
4022 "applicationWillUpdate:",
4023 "apply:",
4024 "apply:context:",
4025 "applyChangedArray:old:addSelector:removeSelector:",
4026 "applyFace:",
4027 "applyFontTraits:range:",
4028 "applyTextStyleToSelection:",
4029 "approximateBackgroundColor",
4030 "approximateBytesRepresented",
4031 "approximateItem",
4032 "approximateObjectCount",
4033 "archList",
4034 "archive",
4035 "archiveButtonImageSourceWithName:toDirectory:",
4036 "archiveCount:andPostings:ofType:",
4037 "archiveMailboxPath",
4038 "archiveMailboxSelected:",
4039 "archiveNameForEncoding:",
4040 "archiveRootObject:toFile:",
4041 "archiveStorePath",
4042 "archivedDataWithRootObject:",
4043 "archiver:referenceToEncodeForObject:",
4044 "archiverData",
4045 "areAllContextsOutputTraced",
4046 "areAllContextsSynchronized",
4047 "areCursorRectsEnabled",
4048 "areEventsTraced",
4049 "areExceptionsEnabled",
4050 "areThereAnyUnreadMessagesInItem:",
4051 "areTransactionsEnabled",
4052 "argumentNames",
4053 "arguments",
4054 "argumentsRetained",
4055 "arrangeInFront:",
4056 "array",
4057 "arrayByAddingObject:",
4058 "arrayByAddingObjects:count:",
4059 "arrayByAddingObjectsFromArray:",
4060 "arrayByApplyingSelector:",
4061 "arrayByExcludingIdenticalObjectsInArray:",
4062 "arrayByExcludingObjectsInArray:",
4063 "arrayByExcludingObjectsInArray:identical:",
4064 "arrayByExcludingToObjectsInArray:",
4065 "arrayByInsertingObject:atIndex:",
4066 "arrayByIntersectingWithArray:",
4067 "arrayByRemovingFirstObject",
4068 "arrayByRemovingLastObject",
4069 "arrayByRemovingObject:",
4070 "arrayByRemovingObjectAtIndex:",
4071 "arrayByReplacingObjectAtIndex:withObject:",
4072 "arrayBySubtractingArray:",
4073 "arrayClass",
4074 "arrayExcludingObjectsInArray:",
4075 "arrayFaultWithSourceGlobalID:relationshipName:editingContext:",
4076 "arrayForKey:",
4077 "arrayWithArray:",
4078 "arrayWithArray:copyItems:",
4079 "arrayWithCapacity:",
4080 "arrayWithContentsOfFile:",
4081 "arrayWithContentsOfURL:",
4082 "arrayWithObject:",
4083 "arrayWithObjects:",
4084 "arrayWithObjects:count:",
4085 "arrayWithObjectsNotInArray:",
4086 "arrayWithValuesForKey:",
4087 "arrowCursor",
4088 "arrowPosition",
4089 "arrowsPosition",
4090 "ascender",
4091 "asciiWhitespaceSet",
4092 "askForReadReceipt",
4093 "askToSave:",
4094 "askUserAboutEditingPreferenceWithKey:",
4095 "aspectRatio",
4096 "assignGloballyUniqueBytes:",
4097 "asyncInvokeServiceIn:msg:pb:userData:menu:remoteServices:unhide:",
4098 "attachColorList:",
4099 "attachPopUpWithFrame:inView:",
4100 "attachSubmenuForItemAtIndex:",
4101 "attachToHTMLView:",
4102 "attachedMenu",
4103 "attachedMenuView",
4104 "attachedView",
4105 "attachment",
4106 "attachmentCell",
4107 "attachmentCell:doubleClickEvent:inTextView:withFrame:",
4108 "attachmentCell:singleClickEvent:inTextView:withFrame:",
4109 "attachmentCell:willFloatToMargin:withSize:lineFragment:characterIndex:",
4110 "attachmentCellForLineBreak:",
4111 "attachmentCellWithHorizontalRule:",
4112 "attachmentCellWithText:fillColor:textColor:shape:representedItem:",
4113 "attachmentCellWithVCard:",
4114 "attachmentCharacterRange",
4115 "attachmentDirectory",
4116 "attachmentFilename",
4117 "attachmentForWindowLocation:givenOrigin:frame:",
4118 "attachmentName",
4119 "attachmentPathForFileWrapper:directory:",
4120 "attachmentSizeForGlyphAtIndex:",
4121 "attachmentViewChangedFrame:",
4122 "attachments",
4123 "attemptBackgroundDelivery",
4124 "attemptOverwrite:",
4125 "attribute:atIndex:effectiveRange:",
4126 "attribute:atIndex:longestEffectiveRange:inRange:",
4127 "attribute:forTagString:",
4128 "attributeDescriptorForKeyword:",
4129 "attributeForKey:",
4130 "attributeKeys",
4131 "attributePostSetIsSafe",
4132 "attributeRuns",
4133 "attributeStart",
4134 "attributeString",
4135 "attributeStringValue",
4136 "attributedAlternateTitle",
4137 "attributedString",
4138 "attributedStringByWeaklyAddingAttributes:",
4139 "attributedStringForImageNamed:selectedImageNamed:withRepresentedObject:sender:makingCell:",
4140 "attributedStringForImageNamed:withRepresentedObject:sender:makingCell:",
4141 "attributedStringForNil",
4142 "attributedStringForNotANumber",
4143 "attributedStringForObjectValue:withDefaultAttributes:",
4144 "attributedStringForSelection",
4145 "attributedStringForZero",
4146 "attributedStringFromMimeEnrichedString:",
4147 "attributedStringFromMimeRichTextString:",
4148 "attributedStringIsReady:",
4149 "attributedStringShowingAllHeaders:",
4150 "attributedStringToEndOfGroup",
4151 "attributedStringValue",
4152 "attributedStringWithAttachment:",
4153 "attributedStringWithContentsOfFile:showingEditingCharacters:",
4154 "attributedStringWithHTML:documentAttributes:",
4155 "attributedSubstringForMarkedRange",
4156 "attributedSubstringFromRange:",
4157 "attributedTitle",
4158 "attributes",
4159 "attributesAtEndOfGroup",
4160 "attributesAtIndex:effectiveRange:",
4161 "attributesAtIndex:longestEffectiveRange:inRange:",
4162 "attributesIndex",
4163 "attributesWithStat:",
4164 "authenticateAsUser:password:",
4165 "authenticateComponents:withData:",
4166 "authenticateWithDelegate:",
4167 "authenticationDataForComponents:",
4168 "autoAlternative",
4169 "autoFetchMail:",
4170 "autoPositionMask",
4171 "autoResizesOutlineColumn",
4172 "autoenablesItems",
4173 "autorelease",
4174 "autoreleasePoolExists",
4175 "autoreleasedObjectCount",
4176 "autoresizesAllColumnsToFit",
4177 "autoresizesOutlineColumn",
4178 "autoresizesSubviews",
4179 "autoresizingMask",
4180 "autosaveExpandedItems",
4181 "autosaveName",
4182 "autosaveTableColumns",
4183 "autoscroll:",
4184 "autosizesCells",
4185 "availableCollatorElements",
4186 "availableCollators",
4187 "availableColorLists",
4188 "availableData",
4189 "availableFontFamilies",
4190 "availableFontNamesWithTraits:",
4191 "availableFonts",
4192 "availableLanguageContextNames",
4193 "availableLanguageNames",
4194 "availableMembersOfFontFamily:",
4195 "availableMessagesUsingUIDL",
4196 "availablePPDTypeFiles",
4197 "availableResourceData",
4198 "availableStringEncodings",
4199 "availableTypeFromArray:",
4200 "awaitReturnValues",
4201 "awake",
4202 "awakeAfterUsingCoder:",
4203 "awakeFromFetchInEditingContext:",
4204 "awakeFromInsertionInEditingContext:",
4205 "awakeFromKeyValueUnarchiver:",
4206 "awakeFromNib",
4207 "awakeObject:fromFetchInEditingContext:",
4208 "awakeObject:fromInsertionInEditingContext:",
4209 "awakeObjects",
4210 "awakeWithDocument:",
4211 "awakeWithPropertyList:",
4212 "backClicked:",
4213 "backgroundChanged",
4214 "backgroundCheckboxAction:",
4215 "backgroundColor",
4216 "backgroundColorForCell:",
4217 "backgroundColorString",
4218 "backgroundDidChange",
4219 "backgroundFetchFailed:",
4220 "backgroundGray",
4221 "backgroundImage",
4222 "backgroundImageUrl",
4223 "backgroundImageUrlString",
4224 "backgroundLayoutEnabled",
4225 "backgroundLoadDidFailWithReason:",
4226 "backgroundWellAction:",
4227 "backingType",
4228 "base",
4229 "baseAffineTransform",
4230 "baseFontSizeLevel",
4231 "baseOfTypesetterGlyphInfo",
4232 "baseSpecifier",
4233 "baseURL",
4234 "baselineLocation",
4235 "baselineOffset",
4236 "baselineOffsetInLayoutManager:glyphIndex:",
4237 "bccRecipients",
4238 "becomeFirstResponder",
4239 "becomeKeyWindow",
4240 "becomeMainWindow",
4241 "becomeMultiThreaded:",
4242 "becomeSingleThreaded:",
4243 "becomesKeyOnlyIfNeeded",
4244 "beginAttribute:withValue:",
4245 "beginDeepHTMLChange",
4246 "beginDocument",
4247 "beginDocumentWithTitle:",
4248 "beginDraggingCell:fromIndex:toMinIndex:maxIndex:",
4249 "beginEditing",
4250 "beginEnum",
4251 "beginEventCoalescing",
4252 "beginHTMLChange",
4253 "beginLoadInBackground",
4254 "beginModalSessionForWindow:",
4255 "beginModalSessionForWindow:relativeToWindow:",
4256 "beginPage:",
4257 "beginPage:label:bBox:fonts:",
4258 "beginPageInRect:atPlacement:",
4259 "beginPageSetupRect:placement:",
4260 "beginPrologueBBox:creationDate:createdBy:fonts:forWhom:pages:title:",
4261 "beginRtfParam",
4262 "beginSetup",
4263 "beginSheet:modalForWindow:modalDelegate:didEndSelector:contextInfo:",
4264 "beginSheetForDirectory:file:modalForWindow:modalDelegate:didEndSelector:contextInfo:",
4265 "beginSheetForDirectory:file:types:modalForWindow:modalDelegate:didEndSelector:contextInfo:",
4266 "beginTrailer",
4267 "beginTransaction",
4268 "beginUndoGrouping",
4269 "bestMIMEStringEncoding",
4270 "bestRepresentationForDevice:",
4271 "betterImageNamed:",
4272 "betterScanUpToCharactersFromSet:intoString:",
4273 "betterScanUpToString:intoString:",
4274 "betterSizeToFit",
4275 "bezelStyle",
4276 "bezelStyleForState:",
4277 "bezierPath",
4278 "bezierPathByFlatteningPath",
4279 "bezierPathByReversingPath",
4280 "bezierPathWithOvalInRect:",
4281 "bezierPathWithRect:",
4282 "bigMessageWarningSize",
4283 "bigger:",
4284 "binaryCollator",
4285 "bindObjectsWithFetchSpecification:toName:",
4286 "bindWithUsername:password:",
4287 "binding",
4288 "bindingKeys",
4289 "birthDate",
4290 "bitmapData",
4291 "bitmapDataPlanes",
4292 "bitmapImage",
4293 "bitmapRepresentation",
4294 "bitsPerPixel",
4295 "bitsPerSample",
4296 "bkgdCheckboxAction:",
4297 "blackColor",
4298 "blackComponent",
4299 "blendedColorWithFraction:ofColor:",
4300 "blockExists:",
4301 "blueColor",
4302 "blueComponent",
4303 "blueControlTintColor",
4304 "bodyClassForMessageEncoding:",
4305 "bodyData",
4306 "bodyDataForMessage:",
4307 "bodyForMessage:",
4308 "bodyPartFromAttributedString:",
4309 "bodyPartWithData:",
4310 "bodyParts",
4311 "bodyWasDecoded:forMessage:",
4312 "bodyWasEncoded:forMessage:",
4313 "bodyWillBeDecoded:forMessage:",
4314 "bodyWillBeEncoded:forMessage:",
4315 "bodyWillBeForwarded:forMessage:",
4316 "boldSystemFontOfSize:",
4317 "boolForKey:",
4318 "boolValue",
4319 "boolValueForKey:default:",
4320 "booleanForKey:inTable:",
4321 "booleanValueForAttribute:",
4322 "border",
4323 "borderAction:",
4324 "borderColor",
4325 "borderColorForCell:",
4326 "borderRect",
4327 "borderSize",
4328 "borderTextfieldAction:",
4329 "borderType",
4330 "borderWidth",
4331 "bottomMargin",
4332 "boundingBox",
4333 "boundingRectForFont",
4334 "boundingRectForGlyph:",
4335 "boundingRectForGlyphRange:inTextContainer:",
4336 "bounds",
4337 "boundsForButtonCell:",
4338 "boundsForTextCell:",
4339 "boundsRotation",
4340 "boxType",
4341 "branchImage",
4342 "breakClear",
4343 "breakLineAtIndex:",
4344 "breakLock",
4345 "brightColor",
4346 "brightnessComponent",
4347 "brightnessSlider:",
4348 "bringUpGetNewMailMenu:",
4349 "bringUpTransferMenu:",
4350 "broadcast",
4351 "brownColor",
4352 "browser:createRowsForColumn:inMatrix:",
4353 "browser:isColumnValid:",
4354 "browser:numberOfRowsInColumn:",
4355 "browser:selectCellWithString:inColumn:",
4356 "browser:selectRow:inColumn:",
4357 "browser:titleOfColumn:",
4358 "browser:willDisplayCell:atRow:column:",
4359 "browserDidScroll:",
4360 "browserMayDeferScript",
4361 "browserWillScroll:",
4362 "btree",
4363 "bufferIsEmpty",
4364 "buildAlertStyle:title:message:first:second:third:args:",
4365 "buildControls",
4366 "buildDir",
4367 "buildParamsArray",
4368 "buildPathsForSubComponentForProject:",
4369 "buildTargets",
4370 "builderForClass:",
4371 "builderForObject:",
4372 "builtInPlugInsPath",
4373 "bulletString",
4374 "bulletStringForListItem:",
4375 "bundleExtension",
4376 "bundleForClass:",
4377 "bundleForSuite:",
4378 "bundleIdentifier",
4379 "bundleLanguages",
4380 "bundleObject",
4381 "bundlePath",
4382 "bundleWithIdentifier:",
4383 "bundleWithPath:",
4384 "buttonAtIndex:",
4385 "buttonCount",
4386 "buttonEnableNotification:",
4387 "buttonImageSourceWithName:",
4388 "buttonPressed:",
4389 "buttonSize",
4390 "buttonWidthForCount:",
4391 "buttonWithName:",
4392 "buttonWithTag:",
4393 "byteAtScanLocation",
4394 "byteIsMember:",
4395 "bytes",
4396 "bytesPerPlane",
4397 "bytesPerRow",
4398 "cString",
4399 "cStringLength",
4400 "cacheCell:inRect:flipped:",
4401 "cacheDepthMatchesImageDepth",
4402 "cacheImageInRect:",
4403 "cacheImages:fromBundle:",
4404 "cacheMiniwindowTitle:guess:",
4405 "cachePolicy",
4406 "cachePolicyChanged:",
4407 "cachedCellSize",
4408 "cachedData",
4409 "cachedDataSize",
4410 "cachedHandleForURL:",
4411 "cachedHeadersAtIndex:",
4412 "cachedImageForURL:client:",
4413 "cachedImageForURL:loadIfAbsent:",
4414 "cachedLeftTabStopForLocation:",
4415 "cachesBezierPath",
4416 "calcDrawInfo:",
4417 "calcFrameSizes",
4418 "calcSize",
4419 "calendarDate",
4420 "calendarFormat",
4421 "canAddNewRowInTableView:",
4422 "canAppendMessages",
4423 "canBeCancelled",
4424 "canBeCompressedUsing:",
4425 "canBeConvertedToEncoding:",
4426 "canBeDisabled",
4427 "canBePended",
4428 "canBecomeKeyWindow",
4429 "canBecomeMainWindow",
4430 "canChangeDimension:",
4431 "canChangeWidth:",
4432 "canChooseDirectories",
4433 "canChooseFiles",
4434 "canCloseDocument",
4435 "canCloseDocumentWithDelegate:shouldCloseSelector:contextInfo:",
4436 "canCompact",
4437 "canConnectFrame",
4438 "canConvertToBMPRepresentation",
4439 "canCreateNewFile:inProject:forKey:",
4440 "canCreateNewMailboxes",
4441 "canDelete",
4442 "canDeleteSelectedRowInTableView:",
4443 "canDraw",
4444 "canDrawerExtendToEdge:",
4445 "canEverAddNewRowInTableView:",
4446 "canEverDeleteSelectedRowInTableView:",
4447 "canGoOffline",
4448 "canImportData:",
4449 "canInitWithData:",
4450 "canInitWithPasteboard:",
4451 "canInitWithURL:",
4452 "canProduceExecutableForProject:",
4453 "canProvideDataFrom:",
4454 "canRebuild",
4455 "canRedo",
4456 "canSelectNextMessage",
4457 "canSelectPreviousMessage",
4458 "canSetTitle",
4459 "canStoreColor",
4460 "canUndo",
4461 "canUseAppKit",
4462 "canWriteToDirectoryAtPath:",
4463 "canWriteToFileAtPath:",
4464 "cancel",
4465 "cancel:",
4466 "cancelButtonClicked:",
4467 "cancelClicked:",
4468 "cancelEvent:",
4469 "cancelInput:conversation:",
4470 "cancelLoadInBackground",
4471 "cancelPerformSelector:target:argument:",
4472 "cancelPreviousPerformRequestsWithTarget:selector:object:",
4473 "canonicalFaceArrayFromCanonicalFaceString:",
4474 "canonicalFaceArrayFromFaceString:",
4475 "canonicalFaceStringFromCanonicalFaceArray:",
4476 "canonicalFaceStringFromFaceString:",
4477 "canonicalFile",
4478 "canonicalFileToProjectDictionary",
4479 "canonicalHTTPURLForURL:",
4480 "canonicalHomeDirectory",
4481 "canonicalPath:",
4482 "canonicalString",
4483 "capHeight",
4484 "capabilities",
4485 "capacity",
4486 "capacityOfTypesetterGlyphInfo",
4487 "capitalizeSelfWithLocale:",
4488 "capitalizeWord:",
4489 "capitalizedString",
4490 "capitalizedStringWithLanguage:",
4491 "caption",
4492 "captionCheckboxAction:",
4493 "captionHeight",
4494 "captionRadioAction:",
4495 "captionedCheckboxAction:",
4496 "cardAtIndex:",
4497 "cardCountOfMostRecentTemporaryBook",
4498 "cardReferenceAtIndex:",
4499 "cascadeTopLeftFromPoint:",
4500 "caseConversionFlags",
4501 "caseInsensitiveCompare:",
4502 "caseInsensitiveLike:",
4503 "caseSensitive",
4504 "catalogNameComponent",
4505 "categoryName",
4506 "ccRecipients",
4507 "cell",
4508 "cellAction:",
4509 "cellAtIndex:",
4510 "cellAtRow:column:",
4511 "cellAttribute:",
4512 "cellBackgroundColor",
4513 "cellBaselineOffset",
4514 "cellChanged",
4515 "cellClass",
4516 "cellEditingIvarsCreateIfAbsent",
4517 "cellEditingIvarsNullIfAbsent",
4518 "cellEditingIvarsRaiseIfAbsent",
4519 "cellForItemAtIndex:",
4520 "cellFrameAtRow:column:",
4521 "cellFrameForProposedLineFragment:glyphPosition:characterIndex:",
4522 "cellFrameForTextContainer:proposedLineFragment:glyphPosition:characterIndex:",
4523 "cellMaximumSize",
4524 "cellMinimumSize",
4525 "cellPadding",
4526 "cellPreviousToCell:requiringContent:",
4527 "cellPrototype",
4528 "cellSelected:",
4529 "cellSize",
4530 "cellSizeForBounds:",
4531 "cellSizeWithTextContainerWidth:",
4532 "cellSizeWithTextContainerWidth:forLockState:",
4533 "cellSpacing",
4534 "cellSubsequentToCell:requiringContent:",
4535 "cellTextAlignment",
4536 "cellTextViewWithFrame:",
4537 "cellWithRepresentedObject:",
4538 "cellWithTag:",
4539 "cells",
4540 "cellsForSelection:",
4541 "center",
4542 "center:didAddObserver:name:object:",
4543 "center:didRemoveObserver:name:object:",
4544 "centerScanRect:",
4545 "centerSelectionInVisibleArea:",
4546 "centerTabMarkerWithRulerView:location:",
4547 "chainChildContext:",
4548 "changeAddressHeader:",
4549 "changeAlignment:",
4550 "changeBackgroundColor:",
4551 "changeCase:",
4552 "changeCaseOfLetter:",
4553 "changeColor:",
4554 "changeCount",
4555 "changeCurrentDirectoryPath:",
4556 "changeDimension:toType:",
4557 "changeDocFont:",
4558 "changeFetchRemoteURLs:",
4559 "changeFileAttributes:atPath:",
4560 "changeFixedFont:",
4561 "changeFont:",
4562 "changeFontColor:",
4563 "changeFontFace:",
4564 "changeFontSize:",
4565 "changeFontStyle:",
4566 "changeFontTrait:",
4567 "changeFromHeader:",
4568 "changeHeaderField:",
4569 "changeHeaderSize:",
4570 "changeHighlightChanges:",
4571 "changeInLength",
4572 "changeIndent:",
4573 "changeInspectorFloats:",
4574 "changeMailboxLocation:",
4575 "changeMode:",
4576 "changePasteMenuItem:toHaveTitle:",
4577 "changePlainTextFont:",
4578 "changePopup:",
4579 "changePreserveWhitespaceRadio:",
4580 "changePrettyPrint:",
4581 "changeRawFont:",
4582 "changeReplyMode:",
4583 "changeRichTextFont:",
4584 "changeSaveType:",
4585 "changeSpelling:",
4586 "changeTo:",
4587 "changeToMouseTrackingWindow",
4588 "changeToType:",
4589 "changeUndoLevels:",
4590 "changeUseSyntaxColoring:",
4591 "changeWidth:ofSubelement:toType:",
4592 "changeWillBeUndone:",
4593 "changeWindowsItem:title:filename:",
4594 "changedShowAllOtherTags:",
4595 "changedShowAppletTags:",
4596 "changedShowBlackOnWhite:",
4597 "changedShowBreakTags:",
4598 "changedShowComments:",
4599 "changedShowFrameTags:",
4600 "changedShowImageTags:",
4601 "changedShowNonbreakingSpaces:",
4602 "changedShowParagraphTags:",
4603 "changedShowPlaceholders:",
4604 "changedShowScript:",
4605 "changedShowSpaces:",
4606 "changedShowTableTags:",
4607 "changedShowTopLevelTags:",
4608 "changedValuesInDictionary:withKeys:",
4609 "changedWhileFrozen",
4610 "changesFromSnapshot:",
4611 "charValue",
4612 "character:hasNumericProperty:",
4613 "character:hasProperty:",
4614 "characterAtIndex:",
4615 "characterIndexForGlyphAtIndex:",
4616 "characterIndexForPoint:",
4617 "characterIsMember:",
4618 "characterRangeForGlyphRange:actualGlyphRange:",
4619 "characterSetCoveredByFont:language:",
4620 "characterSetWithBitmapRepresentation:",
4621 "characterSetWithCharactersInString:",
4622 "characterSetWithContentsOfFile:",
4623 "characterSetWithName:",
4624 "characterSetWithRange:",
4625 "characters",
4626 "charactersIgnoringModifiers",
4627 "charactersToBeSkipped",
4628 "cheapStoreAtPathIsEmpty:",
4629 "checkDictionary",
4630 "checkForMessageClear:",
4631 "checkForRemovableMedia",
4632 "checkIntegrity",
4633 "checkNewMail:",
4634 "checkRendering",
4635 "checkSpaceForParts",
4636 "checkSpelling:",
4637 "checkSpellingOfString:startingAt:",
4638 "checkSpellingOfString:startingAt:language:wrap:inSpellDocumentWithTag:wordCount:",
4639 "checkSpellingOfString:startingAt:language:wrap:inSpellDocumentWithTag:wordCount:reconnectOnError:",
4640 "checkWhitespacePreservation",
4641 "checkWhitespacePreservationWithCache:",
4642 "checked",
4643 "childAtIndex:",
4644 "childConformingToProtocol:afterItem:",
4645 "childConformingToProtocol:beforeItem:",
4646 "childContext",
4647 "childMailboxPathsAtPath:",
4648 "childOfClass:afterItem:",
4649 "childOfClass:beforeItem:",
4650 "childRespondingToSelector:afterItem:",
4651 "childRespondingToSelector:beforeItem:",
4652 "childSpecifier",
4653 "childString",
4654 "childWidthsInvalid",
4655 "childWithName:",
4656 "children",
4657 "childrenForItem:",
4658 "childrenOf:",
4659 "chooseImage:",
4660 "choosePrinter",
4661 "claimRangeFrom:to:",
4662 "class",
4663 "classCode",
4664 "classDelegate",
4665 "classDescription",
4666 "classDescriptionForClass:",
4667 "classDescriptionForDestinationKey:",
4668 "classDescriptionForEntityName:",
4669 "classDescriptionForKey:",
4670 "classDescriptionForKeyPath:",
4671 "classDescriptionForObjects",
4672 "classDescriptionWithAppleEventCode:",
4673 "classDescriptionsInSuite:",
4674 "classForArchiver",
4675 "classForCoder",
4676 "classForFault:",
4677 "classForPortCoder",
4678 "classInspectorClassName",
4679 "className",
4680 "classNameDecodedForArchiveClassName:",
4681 "classNameEncodedForTrueClassName:",
4682 "classNamed:",
4683 "classOfObjectsInNestedHomogeneousArray:",
4684 "classPropertyKeys",
4685 "classTerminologyDictionary:",
4686 "cleanUpAfterDragOperation",
4687 "cleanUpOperation",
4688 "cleanedUpPath:",
4689 "clear",
4690 "clear:",
4691 "clearAsMainCarbonMenuBar",
4692 "clearAttributesCache",
4693 "clearBackingStore",
4694 "clearCaches",
4695 "clearColor",
4696 "clearControlTintColor",
4697 "clearConversationRequest",
4698 "clearCurrentContext",
4699 "clearDirtyFlag:",
4700 "clearDisciplineLevels",
4701 "clearDrawable",
4702 "clearFault:",
4703 "clearGLContext",
4704 "clearGlyphCache",
4705 "clearImageCache",
4706 "clearMarkedRange",
4707 "clearMessageNow",
4708 "clearOriginalSnapshotForObject:",
4709 "clearProperties",
4710 "clearRecentDocuments:",
4711 "clearSizeCache",
4712 "clearTexture",
4713 "clearTooltipTrackingRects",
4714 "clearwhite:",
4715 "click:inFrame:notifyingHTMLView:orTextView:",
4716 "clickCount",
4717 "clickToolbarButton:",
4718 "clickedColumn",
4719 "clickedOnCell:inRect:",
4720 "clickedOnLink:atIndex:",
4721 "clickedRow",
4722 "client",
4723 "clientSideImageMapName",
4724 "clientView",
4725 "clientWrapperWithRealClient:",
4726 "clip:",
4727 "clipRect:",
4728 "clipViewChangedBounds:",
4729 "close",
4730 "close:",
4731 "closeAllDocuments",
4732 "closeAllDocumentsWithDelegate:didCloseAllSelector:contextInfo:",
4733 "closeAppleScriptConnection",
4734 "closeBlock:",
4735 "closeButton",
4736 "closeConfirmSheetDidEnd:returnCode:forSave:",
4737 "closeFile",
4738 "closeIndexAndRemoveFile:",
4739 "closePath",
4740 "closeRegion:ofLength:",
4741 "closeSocket",
4742 "closeSpellDocumentWithTag:",
4743 "closeTokenRange",
4744 "closeWidgetInView:withButtonID:action:",
4745 "closestMatchingIndexesLessThan:selectFirstOnNoMatch:",
4746 "closestTickMarkValueToValue:",
4747 "coalesceAffectedRange:replacementRange:selectedRange:text:",
4748 "coalesceChildren",
4749 "coalesceInTextView:affectedRange:replacementRange:",
4750 "codeSegment",
4751 "coerceArray:toColor:",
4752 "coerceColor:toArray:",
4753 "coerceColor:toData:",
4754 "coerceColor:toString:",
4755 "coerceData:toColor:",
4756 "coerceData:toTextStorage:",
4757 "coerceString:toColor:",
4758 "coerceString:toTextStorage:",
4759 "coerceTextStorage:toData:",
4760 "coerceTextStorage:toString:",
4761 "coerceToDescriptorType:",
4762 "coerceValue:forKey:",
4763 "coerceValue:toClass:",
4764 "coerceValueForTextStorage:",
4765 "collapseItem:",
4766 "collapseItem:collapseChildren:",
4767 "collapseItemEqualTo:collapseChildren:",
4768 "collator:",
4769 "collatorElementWithName:",
4770 "collatorWithName:",
4771 "collectResources",
4772 "color",
4773 "colorDarkenedByFactor:",
4774 "colorForControlTint:",
4775 "colorForHTMLAttributeValue:",
4776 "colorForLevel:",
4777 "colorFromPasteboard:",
4778 "colorFromPoint:",
4779 "colorListChanged:",
4780 "colorListNamed:",
4781 "colorMask",
4782 "colorNameComponent",
4783 "colorPanel",
4784 "colorPanelColorChanged:",
4785 "colorSpace",
4786 "colorSpaceDataForProfileData:",
4787 "colorSpaceName",
4788 "colorString",
4789 "colorTable",
4790 "colorToString",
4791 "colorUsingColorSpaceName:",
4792 "colorUsingColorSpaceName:device:",
4793 "colorWithAlphaComponent:",
4794 "colorWithCalibratedHue:saturation:brightness:alpha:",
4795 "colorWithCalibratedRed:green:blue:alpha:",
4796 "colorWithCalibratedWhite:alpha:",
4797 "colorWithCatalogName:colorName:",
4798 "colorWithDeviceCyan:magenta:yellow:black:alpha:",
4799 "colorWithDeviceHue:saturation:brightness:alpha:",
4800 "colorWithDeviceRed:green:blue:alpha:",
4801 "colorWithDeviceWhite:alpha:",
4802 "colorWithKey:",
4803 "colorWithPatternImage:",
4804 "colorize",
4805 "colorizeByMappingGray:toColor:blackMapping:whiteMapping:",
4806 "colorizeIncomingMail",
4807 "colorizeTokensInRange:ofAttributedString:withSelection:dirtyOnly:",
4808 "colorizeUsingIndexEntries",
4809 "colsString",
4810 "colsTextfieldAction:",
4811 "columnAtPoint:",
4812 "columnCount",
4813 "columnKeyToSortOrder:",
4814 "columnOfMatrix:",
4815 "columnSpan",
4816 "columnWithIdentifier:",
4817 "columnsInRect:",
4818 "combineWithTextStyle:",
4819 "combinedFamilyNames",
4820 "comboBox:completedString:",
4821 "comboBox:indexOfItemWithStringValue:",
4822 "comboBox:objectValueForItemAtIndex:",
4823 "comboBoxCell:completedString:",
4824 "comboBoxCell:indexOfItemWithStringValue:",
4825 "comboBoxCell:objectValueForItemAtIndex:",
4826 "comboBoxCellSelectionDidChange:",
4827 "comboBoxCellSelectionIsChanging:",
4828 "comboBoxCellTextDidChange:",
4829 "comboBoxCellWillDismiss:",
4830 "comboBoxCellWillPopUp:",
4831 "comboBoxTextDidEndEditing:",
4832 "commandClassName",
4833 "commandDescription",
4834 "commandDescriptionWithAppleEventClass:andAppleEventCode:",
4835 "commandDescriptionsInSuite:",
4836 "commandLineArguments",
4837 "commandName",
4838 "commandTerminologyDictionary:",
4839 "comment",
4840 "commentDidChange:",
4841 "commitChanges",
4842 "commitDisplayedValues",
4843 "commitRegion:ofLength:",
4844 "commitTransaction",
4845 "committedSnapshotForObject:",
4846 "commonPrefixWithString:options:",
4847 "compact",
4848 "compactMailbox:",
4849 "compactWhenClosingMailboxes",
4850 "compactWhiteSpace",
4851 "compactWhiteSpaceUpdatingRanges:",
4852 "compactWithTimeout:",
4853 "compare:",
4854 "compare:options:",
4855 "compare:options:range:",
4856 "compare:options:range:locale:",
4857 "compareAsIntegers:",
4858 "compareAscending:",
4859 "compareCaseInsensitiveAscending:",
4860 "compareCaseInsensitiveDescending:",
4861 "compareDescending:",
4862 "compareGeometry:",
4863 "compareSelector",
4864 "comparisonFormat",
4865 "compileScript",
4866 "compilerForLanguage:OSType:",
4867 "compilerLanguages",
4868 "compilerNamed:",
4869 "compilers",
4870 "compilersForLanguage:andOSType:",
4871 "complete:",
4872 "completeInitWithRepresentedItem:",
4873 "completeInitWithTextController:",
4874 "completeInitializationOfObject:",
4875 "completePathIntoString:caseSensitive:matchesIntoArray:filterTypes:",
4876 "completeString:",
4877 "completedString:",
4878 "completes",
4879 "completionEnabled",
4880 "componentMessageFlagsChanged:",
4881 "componentStoreStructureChanged:",
4882 "components",
4883 "componentsJoinedByData:",
4884 "componentsJoinedByString:",
4885 "componentsSeparatedByData:",
4886 "componentsSeparatedByString:",
4887 "composeAccessoryView",
4888 "composeAccessoryViewNibName",
4889 "composeAccessoryViewOwner",
4890 "composeAccessoryViewOwnerClassName",
4891 "composeAccessoryViewOwners",
4892 "composeMessages",
4893 "compositeToPoint:fromRect:operation:",
4894 "compositeToPoint:fromRect:operation:fraction:",
4895 "compositeToPoint:operation:",
4896 "compositeToPoint:operation:fraction:",
4897 "compressCommand",
4898 "computeAvgForKey:",
4899 "computeCountForKey:",
4900 "computeMaxForKey:",
4901 "computeMinForKey:",
4902 "computeSourceTreeForProject:executableProject:",
4903 "computeSumForKey:",
4904 "concat",
4905 "concat:",
4906 "concludeDragOperation:",
4907 "condition",
4908 "configureAsServer",
4909 "configureBrowserCell:",
4910 "configureInitialText:",
4911 "configurePerformanceLoggingDefaults",
4912 "configurePopUpButton:usingSignatures:defaultSignature:selectionMethod:",
4913 "confirmCloseSheetIsDone:returnCode:contextInfo:",
4914 "conflictsDirectlyWithTextStyle:",
4915 "conflictsIndirectlyWithTextStyle:",
4916 "conformsTo:",
4917 "conformsToProtocol:",
4918 "conformsToProtocol:forFault:",
4919 "connectAllAccounts",
4920 "connectAllAccounts:",
4921 "connectAndAuthenticate:",
4922 "connectThisAccount:",
4923 "connectToHost:",
4924 "connectToHost:port:",
4925 "connectToHost:withPort:protocol:",
4926 "connectToHost:withService:orPort:protocol:",
4927 "connectToHost:withService:protocol:",
4928 "connectToServer",
4929 "connectToServer:port:",
4930 "connection",
4931 "connection:didRetrieveMessageNumber:",
4932 "connection:handleRequest:",
4933 "connection:receivedNumberOfBytes:",
4934 "connection:shouldMakeNewConnection:",
4935 "connection:willRetrieveMessageNumber:header:size:",
4936 "connectionForProxy",
4937 "connectionInformationDidChange",
4938 "connectionState",
4939 "connectionToUseForAppend",
4940 "connectionWasDisconnected",
4941 "connectionWithHost:",
4942 "connectionWithHosts:",
4943 "connectionWithReceivePort:sendPort:",
4944 "connectionWithRegisteredName:host:",
4945 "connectionWithRegisteredName:host:usingNameServer:",
4946 "connections",
4947 "connectionsCount",
4948 "constrainFrameRect:toScreen:",
4949 "constrainResizeEdge:withDelta:elapsedTime:",
4950 "constrainScrollPoint:",
4951 "constructTable",
4952 "containedByItem:",
4953 "container",
4954 "containerClassDescription",
4955 "containerIsObjectBeingTested",
4956 "containerIsRangeContainerObject",
4957 "containerRangeForTextRange:",
4958 "containerSize",
4959 "containerSpecifier",
4960 "containingItemOfClass:",
4961 "contains:",
4962 "containsArchitecture:",
4963 "containsArray:",
4964 "containsAttachments",
4965 "containsChildOfClass:besidesItem:",
4966 "containsData",
4967 "containsDictionary:",
4968 "containsFile:",
4969 "containsIndex:",
4970 "containsItem:",
4971 "containsKey:",
4972 "containsLocation:inFrame:",
4973 "containsMailboxes",
4974 "containsObject:",
4975 "containsObject:inRange:",
4976 "containsObjectIdenticalTo:",
4977 "containsObjectsNotIdenticalTo:",
4978 "containsOnlyWhiteSpaceAndNewLines",
4979 "containsPath:",
4980 "containsPoint:",
4981 "containsPort:forMode:",
4982 "containsRichText",
4983 "containsTimer:forMode:",
4984 "content",
4985 "contentAlpha",
4986 "contentColor",
4987 "contentDidChange:",
4988 "contentFill",
4989 "contentFrameForData:givenFrame:textStorage:layoutManager:",
4990 "contentRect",
4991 "contentRectForFrameRect:styleMask:",
4992 "contentSize",
4993 "contentSizeForFrameSize:hasHorizontalScroller:hasVerticalScroller:borderType:",
4994 "contentString",
4995 "contentView",
4996 "contentViewMargins",
4997 "contentsAtPath:",
4998 "contentsEqualAtPath:andPath:",
4999 "contentsForTextSystem",
5000 "contentsWrap",
5001 "context",
5002 "contextDelete:",
5003 "contextDeleteChildren:",
5004 "contextForSecondaryThread",
5005 "contextHelpForKey:",
5006 "contextHelpForObject:",
5007 "contextID",
5008 "contextInspect:",
5009 "contextIsolateSelection:",
5010 "contextMenuRepresentation",
5011 "contextSelectAfter:",
5012 "contextSelectBefore:",
5013 "contextSelectChild:",
5014 "contextSelectEnd:",
5015 "contextSelectExterior:",
5016 "contextSelectInterior:",
5017 "contextSelectStart:",
5018 "contextUnwrapChildren:",
5019 "continueTracking:at:inView:",
5020 "continueTrackingWithEvent:",
5021 "control:didFailToFormatString:errorDescription:",
5022 "control:didFailToValidatePartialString:errorDescription:",
5023 "control:isValidObject:",
5024 "control:textShouldBeginEditing:",
5025 "control:textShouldEndEditing:",
5026 "control:textView:doCommandBySelector:",
5027 "controlBackgroundColor",
5028 "controlCharacterSet",
5029 "controlColor",
5030 "controlContentFontOfSize:",
5031 "controlDarkShadowColor",
5032 "controlDidChange:",
5033 "controlFillColor",
5034 "controlHighlightColor",
5035 "controlLightHighlightColor",
5036 "controlMenu:",
5037 "controlPointBounds",
5038 "controlShadowColor",
5039 "controlSize",
5040 "controlTextChanged:",
5041 "controlTextColor",
5042 "controlTextDidBeginEditing:",
5043 "controlTextDidChange:",
5044 "controlTextDidEndEditing:",
5045 "controlTint",
5046 "controlView",
5047 "conversation",
5048 "conversationIdentifier",
5049 "conversationRequest",
5050 "convertArgumentArrayToString:",
5051 "convertAttributedString:toEnrichedString:",
5052 "convertBaseToScreen:",
5053 "convertData:toData:pattern:replacement:truncateBeforeBackslash:removeExtraLeftBrace:",
5054 "convertEnrichedString:intoAttributedString:",
5055 "convertFont:",
5056 "convertFont:toApproximateTraits:",
5057 "convertFont:toFace:",
5058 "convertFont:toFamily:",
5059 "convertFont:toHaveTrait:",
5060 "convertFont:toNotHaveTrait:",
5061 "convertFont:toSize:",
5062 "convertIndexFor:outgoing:",
5063 "convertOldFactor:newFactor:",
5064 "convertPoint:fromView:",
5065 "convertPoint:toView:",
5066 "convertRect:fromView:",
5067 "convertRect:toView:",
5068 "convertRichTextString:intoAttributedString:",
5069 "convertScreenToBase:",
5070 "convertSize:fromView:",
5071 "convertSize:toView:",
5072 "convertType:data:to:inPasteboard:usingFilter:",
5073 "convertWeight:ofFont:",
5074 "convertWindowToForward:",
5075 "convertWindowToReply:",
5076 "convertWindowToReplyAll:",
5077 "cooperatingObjectStores",
5078 "coordinates",
5079 "copiesOnScroll",
5080 "copy",
5081 "copy:",
5082 "copy:into:",
5083 "copyAttributesFromContext:withMask:",
5084 "copyBlock:atOffset:forLength:",
5085 "copyData:toBlock:atOffset:forLength:",
5086 "copyFont:",
5087 "copyFrom:to:withData:",
5088 "copyFrom:to:withData:replaceOK:",
5089 "copyFrom:to:withData:replaceOK:recursive:makeLinks:supervisor:",
5090 "copyFrom:to:withData:replaceOK:recursive:makeLinks:supervisor:totallySafe:",
5091 "copyFromDir:toDir:",
5092 "copyFromDir:toDir:filesInBom:thinUsingBom:thinUsingArchs:sendStartMsgs:sendFinishMsgs:",
5093 "copyFromDir:toDir:filesInBom:thinUsingBom:thinUsingArchs:sendStartMsgs:sendFinishMsgs:updateInodeMap:",
5094 "copyFromStore:",
5095 "copyFromZone:",
5096 "copyMessages:toMailboxNamed:",
5097 "copyOfMailboxesMenuWithTarget:selector:",
5098 "copyPath:toPath:handler:",
5099 "copyProjectTemplatePath:toPath:",
5100 "copyRegion:ofLength:toAddress:",
5101 "copyRuler:",
5102 "copySerializationInto:",
5103 "copyUids:toMailboxNamed:",
5104 "copyWithZone:",
5105 "copyingFinishedFor:fileDesc:mode:size:",
5106 "copyingSkippedFor:",
5107 "copyingStartedFor:mode:",
5108 "copyright",
5109 "coreFoundationRepresentation",
5110 "cornerView",
5111 "correctMatrixForOSX:",
5112 "correctWhiteSpaceWithSemanticEngine:",
5113 "correctWhitespaceForPasteWithPrecedingSpace:followingSpace:",
5114 "count",
5115 "countForKey:",
5116 "countForObject:",
5117 "countLinksTo:",
5118 "countObserversName:object:literally:",
5119 "countOccurrences:",
5120 "countOfCards",
5121 "countWordsInString:language:",
5122 "counterpartDidChange",
5123 "counterpartMoved:",
5124 "counterpartResized:",
5125 "coveredCharacterCache",
5126 "coveredCharacterCacheData",
5127 "coveredCharacterSet",
5128 "coversAllCharactersInString:",
5129 "coversCharacter:",
5130 "creatableInExistingDirectory",
5131 "createAccountWithDictionary:",
5132 "createAttributedStringFromRawData",
5133 "createBlock:ofSize:",
5134 "createClassDescription",
5135 "createCommandInstance",
5136 "createCommandInstanceWithZone:",
5137 "createContext",
5138 "createConversationForConnection:",
5139 "createDictHashTable:",
5140 "createDirectoryAtPath:attributes:",
5141 "createEditorWithType:originalMessage:forwardedText:",
5142 "createEmptyStoreForPath:",
5143 "createEmptyStoreIfNeededForPath:",
5144 "createFaultForDeferredFault:sourceObject:",
5145 "createFileAtPath:",
5146 "createFileAtPath:contents:attributes:",
5147 "createFileAtPath:flags:",
5148 "createFileAtPath:flags:mode:",
5149 "createInstanceWithEditingContext:globalID:zone:",
5150 "createKeyValueBindingForKey:typeMask:",
5151 "createMailbox:errorMessage:",
5152 "createMailboxWithName:",
5153 "createMailboxWithPath:reasonForFailure:",
5154 "createMailboxesAndConvert:",
5155 "createNew:",
5156 "createNewAccount:",
5157 "createNewEntry:",
5158 "createNewFile:inProject:forKey:",
5159 "createObject",
5160 "createRandomKey:",
5161 "createRawDataFromAttributedString",
5162 "createRealObject",
5163 "createSelector",
5164 "createSignature:",
5165 "createSymbolicLinkAtPath:pathContent:",
5166 "createUniqueFile:atPath:mode:",
5167 "createUniqueKey:",
5168 "createViewersFromDefaults",
5169 "creationZone",
5170 "creator",
5171 "credits",
5172 "currentCenter",
5173 "currentColumn",
5174 "currentContainer",
5175 "currentContext",
5176 "currentContextDrawingToScreen",
5177 "currentConversation",
5178 "currentConversionFactor",
5179 "currentCursor",
5180 "currentDirectory",
5181 "currentDirectoryPath",
5182 "currentDisplayedMessage",
5183 "currentDocument",
5184 "currentEditor",
5185 "currentEvent",
5186 "currentEventSnapshotForObject:",
5187 "currentHandler",
5188 "currentHost",
5189 "currentImageNumber",
5190 "currentIndex",
5191 "currentIndexInfoForItem:",
5192 "currentInputContext",
5193 "currentInputManager",
5194 "currentInspector",
5195 "currentLayoutManager",
5196 "currentMode",
5197 "currentMonitor",
5198 "currentOperation",
5199 "currentPage",
5200 "currentParagraphStyle",
5201 "currentPassNumber",
5202 "currentPoint",
5203 "currentRow",
5204 "currentRunLoop",
5205 "currentSelection",
5206 "currentTask",
5207 "currentTaskDictionary",
5208 "currentTextStorage",
5209 "currentThread",
5210 "currentTransferMailboxPath",
5211 "currentTypeForDimension:",
5212 "currentTypeForWidth:ofSubelement:",
5213 "currentUserCurrentOSDictionary",
5214 "currentUserCurrentOSObjectForKey:",
5215 "currentUserCurrentOSPathForInfoFile",
5216 "currentUserCurrentOSRemoveObjectForKey:",
5217 "currentUserCurrentOSSetObject:forKey:",
5218 "currentUserCurrentOSWriteInfo",
5219 "currentUserDictionary",
5220 "currentValueForAttribute:",
5221 "currentViewingMode",
5222 "currentWidth:type:height:type:",
5223 "currentlyAvailableStoreForPath:",
5224 "currentlyOnMainThread",
5225 "cursor",
5226 "curveToPoint:controlPoint1:controlPoint2:",
5227 "customizeMainFileInProject:",
5228 "customizeNewProject:",
5229 "cut:",
5230 "cyanColor",
5231 "cyanComponent",
5232 "cycleToNextInputKeyboardLayout:",
5233 "cycleToNextInputLanguage:",
5234 "cycleToNextInputScript:",
5235 "cycleToNextInputServerInLanguage:",
5236 "darkBorderColor",
5237 "darkBorderColorForCell:",
5238 "darkGrayColor",
5239 "darkenedImageForImage:",
5240 "data",
5241 "data1",
5242 "data2",
5243 "dataByUnfoldingLines",
5244 "dataCell",
5245 "dataCellForRow:",
5246 "dataContainingPoint:withFrame:",
5247 "dataDecorationSize",
5248 "dataForFile:",
5249 "dataForKey:",
5250 "dataForType:",
5251 "dataForType:fromPasteboard:",
5252 "dataFrom:",
5253 "dataRepresentation",
5254 "dataRepresentationOfType:",
5255 "dataSource",
5256 "dataSourceQualifiedByKey:",
5257 "dataStampForTriplet:littleEndian:",
5258 "dataUsingEncoding:",
5259 "dataUsingEncoding:allowLossyConversion:",
5260 "dataWithBytes:length:",
5261 "dataWithBytesNoCopy:length:",
5262 "dataWithCapacity:",
5263 "dataWithContentsOfFile:",
5264 "dataWithContentsOfMappedFile:",
5265 "dataWithContentsOfURL:",
5266 "dataWithData:",
5267 "dataWithEPSInsideRect:",
5268 "dataWithLength:",
5269 "dataWithPDFInsideRect:",
5270 "date",
5271 "dateByAddingYears:months:days:hours:minutes:seconds:",
5272 "dateFormat",
5273 "dateInCommonFormatsWithString:",
5274 "dateReceived",
5275 "dateReceivedAsTimeIntervalSince1970",
5276 "dateWithCalendarFormat:timeZone:",
5277 "dateWithDate:",
5278 "dateWithNaturalLanguageString:",
5279 "dateWithNaturalLanguageString:date:locale:",
5280 "dateWithNaturalLanguageString:locale:",
5281 "dateWithString:",
5282 "dateWithString:calendarFormat:",
5283 "dateWithString:calendarFormat:locale:",
5284 "dateWithTimeInterval:sinceDate:",
5285 "dateWithTimeIntervalSince1970:",
5286 "dateWithTimeIntervalSinceNow:",
5287 "dateWithTimeIntervalSinceReferenceDate:",
5288 "dateWithYear:month:day:hour:minute:second:timeZone:",
5289 "dayOfCommonEra",
5290 "dayOfMonth",
5291 "dayOfWeek",
5292 "dayOfYear",
5293 "deFactoPercentWidth",
5294 "deFactoPixelHeight",
5295 "deFactoPixelWidth",
5296 "deactivate",
5297 "dealloc",
5298 "debugDescription",
5299 "debugIndexInfo",
5300 "decimalDigitCharacterSet",
5301 "decimalNumberByAdding:",
5302 "decimalNumberByAdding:withBehavior:",
5303 "decimalNumberByDividingBy:",
5304 "decimalNumberByDividingBy:withBehavior:",
5305 "decimalNumberByMultiplyingBy:",
5306 "decimalNumberByMultiplyingBy:withBehavior:",
5307 "decimalNumberByMultiplyingByPowerOf10:",
5308 "decimalNumberByMultiplyingByPowerOf10:withBehavior:",
5309 "decimalNumberByRaisingToPower:",
5310 "decimalNumberByRaisingToPower:withBehavior:",
5311 "decimalNumberByRoundingAccordingToBehavior:",
5312 "decimalNumberBySubstracting:",
5313 "decimalNumberBySubstracting:withBehavior:",
5314 "decimalNumberBySubtracting:",
5315 "decimalNumberBySubtracting:withBehavior:",
5316 "decimalNumberHandlerWithRoundingMode:scale:raiseOnExactness:raiseOnOverflow:raiseOnUnderflow:raiseOnDivideByZero:",
5317 "decimalNumberWithDecimal:",
5318 "decimalNumberWithMantissa:exponent:isNegative:",
5319 "decimalNumberWithString:",
5320 "decimalNumberWithString:locale:",
5321 "decimalSeparator",
5322 "decimalTabMarkerWithRulerView:location:",
5323 "decimalValue",
5324 "declareTypes:owner:",
5325 "decodeApplicationApplefile",
5326 "decodeApplicationMac_binhex40",
5327 "decodeApplicationRtf",
5328 "decodeArrayOfObjCType:count:at:",
5329 "decodeBase64",
5330 "decodeBasicExport:",
5331 "decodeBodyIntoDirectory:",
5332 "decodeBoolForKey:",
5333 "decodeBytesWithReturnedLength:",
5334 "decodeClassName:asClassName:",
5335 "decodeDataObject",
5336 "decodeImage",
5337 "decodeIntForKey:",
5338 "decodeMessageDelivery_status",
5339 "decodeMessageExternal_body",
5340 "decodeMessageFlags",
5341 "decodeMessagePartial",
5342 "decodeMessageRfc822",
5343 "decodeMimeHeaderValue",
5344 "decodeMimeHeaderValueWithCharsetHint:",
5345 "decodeModifiedBase64",
5346 "decodeMultipart",
5347 "decodeMultipartAlternative",
5348 "decodeMultipartAppledouble",
5349 "decodeMultipartX_folder",
5350 "decodeNXColor",
5351 "decodeNXObject",
5352 "decodeObject",
5353 "decodeObjectForKey:",
5354 "decodeObjectReferenceForKey:",
5355 "decodePoint",
5356 "decodePortObject",
5357 "decodePropertyList",
5358 "decodeQuotedPrintableForText:",
5359 "decodeRect",
5360 "decodeReleasedProxies:",
5361 "decodeRetainedObject",
5362 "decodeReturnValueWithCoder:",
5363 "decodeSize",
5364 "decodeText",
5365 "decodeTextDirectory",
5366 "decodeTextEnriched",
5367 "decodeTextHtml",
5368 "decodeTextPlain",
5369 "decodeTextRichtext",
5370 "decodeTextRtf",
5371 "decodeTextX_vcard",
5372 "decodeValueOfObjCType:at:",
5373 "decodeValuesOfObjCTypes:",
5374 "decodedIMAPMailboxName",
5375 "decomposableCharacterSet",
5376 "decrementExtraRefCountIsZero",
5377 "decrementExtraRefCountWasZero",
5378 "decrementSpecialRefCount",
5379 "decryptComponents:",
5380 "decryptWithDelegate:",
5381 "deepDescription",
5382 "deepDescriptionWithIndentString:",
5383 "deepMutableNotifyingCopy",
5384 "deepNSMutableCopy",
5385 "deepWhitespaceDescription",
5386 "deepWhitespaceDescriptionWithIndentString:",
5387 "deepWillChange",
5388 "deepestEditingTextView",
5389 "deepestScreen",
5390 "defaultAccountForDeliveryClass:",
5391 "defaultActiveLinkColor",
5392 "defaultAddressBook",
5393 "defaultAddressListForHeader:",
5394 "defaultAppIcon",
5395 "defaultAttachmentDirectory",
5396 "defaultAttributes",
5397 "defaultBackgroundColor",
5398 "defaultBehavior",
5399 "defaultBoldStyle",
5400 "defaultButtonCell",
5401 "defaultCStringEncoding",
5402 "defaultCenter",
5403 "defaultChildForNode:",
5404 "defaultClassPath",
5405 "defaultCollator",
5406 "defaultConnection",
5407 "defaultCoordinator",
5408 "defaultDecimalNumberHandler",
5409 "defaultDepthLimit",
5410 "defaultExtensionForProjectDir",
5411 "defaultFetchTimestampLag",
5412 "defaultFilteredHeaders",
5413 "defaultFirstResponder",
5414 "defaultFixedFontFamily",
5415 "defaultFixedFontSize",
5416 "defaultFixedFontStyle",
5417 "defaultFlatness",
5418 "defaultFont",
5419 "defaultFontFamily",
5420 "defaultFontSetForUser:",
5421 "defaultFontSize",
5422 "defaultFormatterForKey:",
5423 "defaultFormatterForKeyPath:",
5424 "defaultGroup",
5425 "defaultItalicStyle",
5426 "defaultLanguage",
5427 "defaultLanguageContext",
5428 "defaultLineCapStyle",
5429 "defaultLineHeightForFont",
5430 "defaultLineJoinStyle",
5431 "defaultLineWidth",
5432 "defaultLinkColor",
5433 "defaultLocalizableKeys",
5434 "defaultMailCenter",
5435 "defaultMailDirectory",
5436 "defaultManager",
5437 "defaultMenu",
5438 "defaultMiterLimit",
5439 "defaultNameServerPortNumber",
5440 "defaultObjectValue",
5441 "defaultObserverQueue",
5442 "defaultParagraphStyle",
5443 "defaultParentForItem:",
5444 "defaultParentObjectStore",
5445 "defaultPathForAccountWithHostname:username:",
5446 "defaultPixelFormat",
5447 "defaultPortNameServer",
5448 "defaultPortNumber",
5449 "defaultPreferencesClass",
5450 "defaultPreferredAlternative",
5451 "defaultPrinter",
5452 "defaultQueue",
5453 "defaultSharedEditingContext",
5454 "defaultSignature",
5455 "defaultTextAttributes:",
5456 "defaultTextColor",
5457 "defaultTimeZone",
5458 "defaultUnderlineStyle",
5459 "defaultValue",
5460 "defaultVisitedLinkColor",
5461 "defaultWindingRule",
5462 "defaultsChanged:",
5463 "defaultsDictionary",
5464 "defaultsToWindow:",
5465 "deferCheckboxChanged:",
5466 "deferSync",
5467 "defrostFrozenCell",
5468 "delay",
5469 "delayWindowOrdering",
5470 "dele:",
5471 "delegate",
5472 "delete",
5473 "delete:",
5474 "deleteBackward",
5475 "deleteBackward:",
5476 "deleteBackwardFlatteningStructures:",
5477 "deleteCharactersInRange:",
5478 "deleteColumn:",
5479 "deleteColumnAtIndex:givingWidthToColumnAtIndex:",
5480 "deleteFilesInArray:fromDirectory:",
5481 "deleteForward",
5482 "deleteForward:",
5483 "deleteForwardFlatteningStructures:",
5484 "deleteGlyphsInRange:",
5485 "deleteLastCharacter",
5486 "deleteMailbox:",
5487 "deleteMailbox:errorMessage:",
5488 "deleteMailboxAtPath:",
5489 "deleteMessage:",
5490 "deleteMessages:",
5491 "deleteMessages:moveToTrash:",
5492 "deleteMessagesFromTrashOlderThanNumberOfDays:compact:",
5493 "deleteMessagesOlderThanClicked:",
5494 "deleteMessagesOlderThanNumberOfDays:compact:",
5495 "deleteMessagesOnServer",
5496 "deleteMessagesOnServer:",
5497 "deleteObject:",
5498 "deleteObjectsInRange:",
5499 "deletePath",
5500 "deleteRemovingEmptyNodes:",
5501 "deleteRow:",
5502 "deleteRowAtIndex:givingHeightToRowAtIndex:",
5503 "deleteRuleForRelationshipKey:",
5504 "deleteSelectedRow:",
5505 "deleteSelectedRowInTableView:",
5506 "deleteSelector",
5507 "deleteSelf",
5508 "deleteStackIsEmpty",
5509 "deleteToBeginningOfLine:",
5510 "deleteToBeginningOfParagraph:",
5511 "deleteToEndOfLine:",
5512 "deleteToEndOfParagraph:",
5513 "deleteToMark:",
5514 "deleteWordBackward:",
5515 "deleteWordForward:",
5516 "deletedCount:andSize:",
5517 "deletedObjects",
5518 "deliverAsynchronously",
5519 "deliverMessage:",
5520 "deliverMessage:askForReadReceipt:",
5521 "deliverMessage:headers:format:protocol:",
5522 "deliverMessage:subject:to:",
5523 "deliverMessageData:toRecipients:",
5524 "deliverResult",
5525 "deliverSynchronously",
5526 "deliveryAccounts",
5527 "deliveryClass",
5528 "deliveryCompleted:",
5529 "deliveryMethodChanged:",
5530 "deliveryQueue",
5531 "deliveryStatus",
5532 "deltaFontSizeLevel",
5533 "deltaSizeArrayForBaseSize:",
5534 "deltaX",
5535 "deltaY",
5536 "deltaZ",
5537 "deminiaturize:",
5538 "dependentBoldCopy",
5539 "dependentCopy",
5540 "dependentFixedCopy",
5541 "dependentItalicCopy",
5542 "dependentUnderlineCopy",
5543 "deployedPathForFrameworkNamed:",
5544 "depth",
5545 "depthFromRoot",
5546 "depthLimit",
5547 "dequeueNotificationsMatching:coalesceMask:",
5548 "dequeueObserver:",
5549 "deregisterViewer:",
5550 "descendant:didAddChildAtIndex:immediateChild:",
5551 "descendant:didRemoveChild:atIndex:immediateChild:",
5552 "descendantDidChange:immediateChild:",
5553 "descendantRenderingDidChange:immediateChild:",
5554 "descendantWasRepaired:",
5555 "descender",
5556 "descendsFrom:",
5557 "description",
5558 "descriptionForClassMethod:",
5559 "descriptionForInstanceMethod:",
5560 "descriptionForMethod:",
5561 "descriptionForObject:",
5562 "descriptionForTokenAtIndex:",
5563 "descriptionForTokensInRange:",
5564 "descriptionInStringsFileFormat",
5565 "descriptionString",
5566 "descriptionWithCalendarFormat:",
5567 "descriptionWithCalendarFormat:locale:",
5568 "descriptionWithCalendarFormat:timeZone:locale:",
5569 "descriptionWithIndent:",
5570 "descriptionWithLocale:",
5571 "descriptionWithLocale:indent:",
5572 "descriptor",
5573 "descriptorAtIndex:",
5574 "descriptorByTranslatingObject:desiredDescriptorType:",
5575 "descriptorForKeyword:",
5576 "descriptorType",
5577 "descriptorWithDescriptorType:data:",
5578 "deselectAddressBook:",
5579 "deselectAll:",
5580 "deselectAllAddressBooks",
5581 "deselectAllCells",
5582 "deselectColumn:",
5583 "deselectItemAtIndex:",
5584 "deselectRow:",
5585 "deselectSelectedCell",
5586 "deserializeAlignedBytesLengthAtCursor:",
5587 "deserializeBytes:length:atCursor:",
5588 "deserializeData:",
5589 "deserializeDataAt:ofObjCType:atCursor:context:",
5590 "deserializeIntAtCursor:",
5591 "deserializeIntAtIndex:",
5592 "deserializeInts:count:atCursor:",
5593 "deserializeInts:count:atIndex:",
5594 "deserializeList:",
5595 "deserializeListItemIn:at:length:",
5596 "deserializeNewData",
5597 "deserializeNewKeyString",
5598 "deserializeNewList",
5599 "deserializeNewObject",
5600 "deserializeNewPList",
5601 "deserializeNewString",
5602 "deserializeObjectAt:ofObjCType:fromData:atCursor:",
5603 "deserializePList:",
5604 "deserializePListKeyIn:",
5605 "deserializePListValueIn:key:length:",
5606 "deserializePropertyListFromData:atCursor:mutableContainers:",
5607 "deserializePropertyListFromData:mutableContainers:",
5608 "deserializePropertyListFromXMLData:mutableContainers:",
5609 "deserializePropertyListLazilyFromData:atCursor:length:mutableContainers:",
5610 "deserializeString:",
5611 "deserializer",
5612 "deserializerStream",
5613 "destination",
5614 "destinationStorePathForMessage:",
5615 "destroyContext",
5616 "detachColorList:",
5617 "detachDrawingThread:toTarget:withObject:",
5618 "detachNewThreadSelector:toTarget:withObject:",
5619 "detachSubmenu",
5620 "detailKey",
5621 "detailView",
5622 "detailedDescription",
5623 "detailedDescriptionForClass:",
5624 "device",
5625 "deviceDescription",
5626 "deztar:into:",
5627 "dictionary",
5628 "dictionaryByMergingDictionary:",
5629 "dictionaryByRemovingObjectForKey:",
5630 "dictionaryBySettingObject:forKey:",
5631 "dictionaryClass",
5632 "dictionaryExcludingEquivalentValuesInDictionary:",
5633 "dictionaryForKey:",
5634 "dictionaryInfo:",
5635 "dictionaryRepresentation",
5636 "dictionaryWithCapacity:",
5637 "dictionaryWithContentsOfFile:",
5638 "dictionaryWithContentsOfURL:",
5639 "dictionaryWithDictionary:",
5640 "dictionaryWithNullValuesForKeys:",
5641 "dictionaryWithObject:forKey:",
5642 "dictionaryWithObjects:forKeys:",
5643 "dictionaryWithObjects:forKeys:count:",
5644 "dictionaryWithObjectsAndKeys:",
5645 "didAddChildAtIndex:",
5646 "didAddSubview:",
5647 "didCancelDelayedPerform:",
5648 "didChange",
5649 "didChangeText",
5650 "didEndCloseSheet:returnCode:contextInfo:",
5651 "didEndEncodingSheet:returnCode:contextInfo:",
5652 "didEndFormatWarningSheet:returnCode:contextInfo:",
5653 "didEndRevertSheet:returnCode:contextInfo:",
5654 "didEndSaveErrorAlert:returnCode:contextInfo:",
5655 "didEndSaveSheet:returnCode:contextInfo:",
5656 "didEndSheet:returnCode:contextInfo:",
5657 "didEndToggleRichSheet:returnCode:contextInfo:",
5658 "didFinishCommand:",
5659 "didFireDelayedPerform:",
5660 "didLoadBytes:loadComplete:",
5661 "didOpen",
5662 "didRemoveChild:atIndex:",
5663 "didRunOSPanel",
5664 "didSaveChanges",
5665 "didSaveProjectAtPath:client:",
5666 "dimensions",
5667 "dirForFile:",
5668 "directUndoBody",
5669 "directUndoDirtyFlags",
5670 "directUndoFrameset",
5671 "directUndoHead",
5672 "directUndoHtml",
5673 "directUndoTitle",
5674 "directionalType:",
5675 "directory",
5676 "directoryAttributes",
5677 "directoryCanBeCreatedAtPath:",
5678 "directoryConfirmationSheetDidEnd:returnCode:contextInfo:",
5679 "directoryContentsAtPath:",
5680 "directoryContentsAtPath:matchingExtension:options:keepExtension:",
5681 "directoryForImageBySender",
5682 "directoryPathsForProject:ignoringProject:",
5683 "dirtyDefaults:",
5684 "dirtySelection",
5685 "dirtyTokensInRange:",
5686 "disableCursorRects",
5687 "disableDisplayPositing",
5688 "disableFlush",
5689 "disableFlushWindow",
5690 "disableHeartBeating",
5691 "disableInspectionUpdateForEvent",
5692 "disableInspectionUpdates",
5693 "disableKeyEquivalentForDefaultButtonCell",
5694 "disablePageColorsPanel",
5695 "disableTitleControls",
5696 "disableUndoRegistration",
5697 "disabledControlTextColor",
5698 "discardCachedImage",
5699 "discardCursorRects",
5700 "discardDisplayedValues",
5701 "discardEventsMatchingMask:beforeEvent:",
5702 "discardPendingNotification",
5703 "disconnect",
5704 "disconnectAllAccounts",
5705 "disconnectAllAccounts:",
5706 "disconnectAndNotifyDelegate:",
5707 "disconnectFromServer",
5708 "disconnectThisAccount:",
5709 "dismissPopUp",
5710 "dismissPopUp:",
5711 "dispatch",
5712 "dispatchInvocation:",
5713 "dispatchRawAppleEvent:withRawReply:handlerRefCon:",
5714 "display",
5715 "displayAllColumns",
5716 "displayAttributedString:",
5717 "displayColumn:",
5718 "displayComponentName",
5719 "displayIfNeeded",
5720 "displayIfNeededIgnoringOpacity",
5721 "displayIfNeededInRect:",
5722 "displayIfNeededInRectIgnoringOpacity:",
5723 "displayIgnoringOpacity",
5724 "displayMessageView:",
5725 "displayName",
5726 "displayNameForKey:",
5727 "displayNameForMailboxAtPath:",
5728 "displayNameForType:",
5729 "displayOnly",
5730 "displayPanel",
5731 "displayRect:",
5732 "displayRectIgnoringOpacity:",
5733 "displaySelectedMessageInSeparateWindow:",
5734 "displaySeparatelyInMailboxesDrawer",
5735 "displayString",
5736 "displayStringForMailboxWithPath:",
5737 "displayStringForTextFieldCell:",
5738 "displayToolTip:",
5739 "displayableSampleText",
5740 "displayableSampleTextForLanguage:",
5741 "displayableString",
5742 "displaysMessageNumbers",
5743 "displaysMessageSizes",
5744 "displaysSearchRank",
5745 "dissolveToPoint:fraction:",
5746 "dissolveToPoint:fromRect:fraction:",
5747 "distanceFromColor:",
5748 "distantFuture",
5749 "distantPast",
5750 "dividerAtRow:",
5751 "dividerThickness",
5752 "doClick:",
5753 "doClose:",
5754 "doCommandBySelector:",
5755 "doCommandBySelector:client:",
5756 "doCommandBySelector:forTextView:",
5757 "doCompact",
5758 "doDeleteInReceiver:",
5759 "doDoubleClick:",
5760 "doForegroundLayoutToCharacterIndex:",
5761 "doIconify:",
5762 "doPrintSplitInfo",
5763 "doQueuedWork",
5764 "doRevert",
5765 "doSaveWithName:overwriteOK:",
5766 "doStat",
5767 "doToggleRich",
5768 "docExtensionsForOSType:",
5769 "docViewFrameChanged",
5770 "dockTitleIsGuess",
5771 "document",
5772 "documentAttributes",
5773 "documentBase",
5774 "documentBaseUrl",
5775 "documentBody",
5776 "documentClass",
5777 "documentClassForType:",
5778 "documentCursor",
5779 "documentEdited",
5780 "documentForFileName:",
5781 "documentForPath:",
5782 "documentForWindow:",
5783 "documentFrameset",
5784 "documentFromAttributedString:",
5785 "documentHead",
5786 "documentName",
5787 "documentRect",
5788 "documentRectForPageNumber:",
5789 "documentSizeInPage",
5790 "documentView",
5791 "documentVisibleRect",
5792 "documentWillSave",
5793 "documentWithContentsOfFile:",
5794 "documentWithContentsOfFile:encodingUsed:",
5795 "documentWithContentsOfUrl:",
5796 "documentWithContentsOfUrl:encodingUsed:",
5797 "documentWithHtmlData:baseUrl:",
5798 "documentWithHtmlData:baseUrl:encodingUsed:",
5799 "documentWithHtmlString:url:",
5800 "documents",
5801 "doesContain:",
5802 "doesMajorVersioning",
5803 "doesNotRecognize:",
5804 "doesNotRecognizeSelector:",
5805 "doesPreserveParents",
5806 "domain",
5807 "doneBeingBusy",
5808 "doneTokenizing",
5809 "doneWithDrawingProxyCell:",
5810 "doneWithDrawingProxyView:",
5811 "doneWithTextStorage",
5812 "doubleAction",
5813 "doubleClickAddress:",
5814 "doubleClickAtIndex:",
5815 "doubleClickHandler",
5816 "doubleClickInString:atIndex:useBook:",
5817 "doubleClickedMessage:",
5818 "doubleClickedOnCell:inRect:",
5819 "doubleForKey:",
5820 "doubleValue",
5821 "downloadBigMessage:",
5822 "draftsMailboxPath",
5823 "draftsMailboxSelected:",
5824 "dragAttachmentFromCell:withEvent:inRect:ofTextView:attachmentDirectory:",
5825 "dragColor",
5826 "dragColor:withEvent:fromView:",
5827 "dragColor:withEvent:inView:",
5828 "dragFile:fromRect:slideBack:event:",
5829 "dragImage:at:offset:event:pasteboard:source:slideBack:",
5830 "dragImage:fromWindow:at:offset:event:pasteboard:source:slideBack:",
5831 "dragImageForRows:event:dragImageOffset:",
5832 "dragOperationForDraggingInfo:type:",
5833 "dragOperationForFileDraggingInfo:",
5834 "dragRectForFrameRect:",
5835 "dragTypesAcceptedForTableView:",
5836 "draggedCell:inRect:event:",
5837 "draggedColumn",
5838 "draggedDistance",
5839 "draggedImage",
5840 "draggedImage:beganAt:",
5841 "draggedImage:endedAt:deposited:",
5842 "draggedImageLocation",
5843 "draggingDelegate",
5844 "draggingDestinationWindow",
5845 "draggingEntered:",
5846 "draggingExited:",
5847 "draggingLocation",
5848 "draggingPasteboard",
5849 "draggingSequenceNumber",
5850 "draggingSource",
5851 "draggingSourceOperationMask",
5852 "draggingSourceOperationMaskForLocal:",
5853 "draggingUpdated:",
5854 "draggingUpdatedAtLocation:",
5855 "draw",
5856 "drawArrow:highlight:",
5857 "drawAtPoint:",
5858 "drawAtPoint:fromRect:operation:fraction:",
5859 "drawAtPoint:withAttributes:",
5860 "drawBackgroundForGlyphRange:atPoint:",
5861 "drawBackgroundInRect:",
5862 "drawBackgroundInRect:inView:highlight:",
5863 "drawBarInside:flipped:",
5864 "drawBorderAndBackgroundWithFrame:inView:",
5865 "drawCell:",
5866 "drawCellAtIndex:",
5867 "drawCellAtRow:column:",
5868 "drawCellInside:",
5869 "drawColor",
5870 "drawColor:",
5871 "drawContentFill:",
5872 "drawDescriptionInRect:",
5873 "drawDividerInRect:",
5874 "drawFloatersInRect:",
5875 "drawForEditorWithFrame:inView:",
5876 "drawFrame:",
5877 "drawGlyphsForGlyphRange:atPoint:",
5878 "drawGridInClipRect:",
5879 "drawHashMarksAndLabelsInRect:",
5880 "drawImageWithFrame:inView:",
5881 "drawInRect:",
5882 "drawInRect:fromRect:operation:fraction:",
5883 "drawInRect:onView:",
5884 "drawInRect:onView:pinToTop:",
5885 "drawInRect:withAttributes:",
5886 "drawInsertionPointInRect:color:turnedOn:",
5887 "drawInteriorWithFrame:inView:",
5888 "drawKeyEquivalentWithFrame:inView:",
5889 "drawKnob",
5890 "drawKnob:",
5891 "drawKnobSlotInRect:highlight:",
5892 "drawLabel:inRect:",
5893 "drawMarkersInRect:",
5894 "drawPackedGlyphs:atPoint:",
5895 "drawPageBorderWithSize:",
5896 "drawParts",
5897 "drawRect:",
5898 "drawRect:inCache:",
5899 "drawRepresentation:inRect:",
5900 "drawRow:clipRect:",
5901 "drawSelectedOutlineWithFrame:selected:",
5902 "drawSelector",
5903 "drawSeparatorItemWithFrame:inView:",
5904 "drawSheetBorderWithSize:",
5905 "drawStateImageWithFrame:inView:",
5906 "drawSwatchInRect:",
5907 "drawText:forItem:atPoint:withAttributes:",
5908 "drawTextureInRect:clipRect:",
5909 "drawThemeContentFill:inView:",
5910 "drawTitleOfColumn:inRect:",
5911 "drawTitleWithFrame:inView:",
5912 "drawUnderlineForGlyphRange:underlineType:baselineOffset:lineFragmentRect:lineFragmentGlyphRange:containerOrigin:",
5913 "drawWellInside:",
5914 "drawWithFrame:inView:",
5915 "drawWithFrame:inView:characterIndex:",
5916 "drawWithFrame:inView:characterIndex:layoutManager:",
5917 "drawWithFrame:inView:characterIndex:selected:",
5918 "drawWithOuterFrame:contentFrame:clipping:",
5919 "drawerShouldClose:",
5920 "drawerShouldOpen:",
5921 "drawers",
5922 "drawingProxyCellForAttachmentCell:",
5923 "drawingProxyFrameForAttachmentCell:",
5924 "drawingProxyViewForAttachmentCell:",
5925 "drawingRectForBounds:",
5926 "drawsBackground",
5927 "drawsCellBackground",
5928 "drawsColumnSeparators",
5929 "drawsGrid",
5930 "drawsOutsideLineFragmentForGlyphAtIndex:",
5931 "dropRegion:ofLength:",
5932 "dualImageCellWithRepresentedItem:image:selectedImage:",
5933 "dump",
5934 "dumpDelayedPerforms",
5935 "dumpDiskSizes:",
5936 "dumpFileListForKey:toStream:",
5937 "dumpKeyAndSubkeys:toStream:",
5938 "duration",
5939 "durationWithoutSubevents",
5940 "dynamicCounterpart",
5941 "eMail",
5942 "eMails",
5943 "earlierDate:",
5944 "echosBullets",
5945 "edge",
5946 "editAccount:",
5947 "editAddressBook",
5948 "editColumn:row:withEvent:select:",
5949 "editSignature:",
5950 "editWithFrame:inView:editor:delegate:event:",
5951 "edited:range:changeInLength:",
5952 "editedCell",
5953 "editedColumn",
5954 "editedItem",
5955 "editedMask",
5956 "editedRange",
5957 "editedRow",
5958 "editingContext",
5959 "editingContext:didForgetObjectWithGlobalID:",
5960 "editingContext:presentErrorMessage:",
5961 "editingContext:shouldFetchObjectsDescribedByFetchSpecification:",
5962 "editingContext:shouldInvalidateObject:globalID:",
5963 "editingContext:shouldMergeChangesForObject:",
5964 "editingContext:shouldPresentException:",
5965 "editingContextDidMergeChanges:",
5966 "editingContextSelector",
5967 "editingContextShouldValidateChanges:",
5968 "editingContextWillSaveChanges:",
5969 "editingModeDefaultsChanged",
5970 "editingStringForObjectValue:",
5971 "editingSwitches",
5972 "editingTextView",
5973 "editingTextViewBacktabbed:",
5974 "editingTextViewResized:",
5975 "editingTextViewTabbed:",
5976 "editorClassNameWithEvent:",
5977 "editorClassNameWithSelection:",
5978 "editorDidActivate",
5979 "editorFrameForItemFrame:",
5980 "editorMadeInvisible",
5981 "editorViewingMessage:",
5982 "editorWillDeactivate",
5983 "editors",
5984 "effectiveAlignment",
5985 "effectiveBackgroundColor",
5986 "effectiveColumnSpan",
5987 "effectiveRowSpan",
5988 "effectiveVerticalAlignment",
5989 "effectuateParameters",
5990 "effectuateState",
5991 "effectuateStateAroundAttachment:",
5992 "elementAt:",
5993 "elementAtIndex:",
5994 "elementAtIndex:associatedPoints:",
5995 "elementAtIndex:effectiveRange:",
5996 "elementCount",
5997 "elementSize",
5998 "emailAddresses",
5999 "empty",
6000 "emptyAttributeDictionary",
6001 "emptyFragmentDocument",
6002 "emptyFramesetDocument",
6003 "emptyMessageWithBodyClass:",
6004 "emptyPageDocument",
6005 "emptySourceTree",
6006 "emptyString",
6007 "enable:",
6008 "enableCompletion:forTextField:",
6009 "enableCursorRects",
6010 "enableExceptions:",
6011 "enableFlushWindow",
6012 "enableFreedObjectCheck:",
6013 "enableInspectionUpdates",
6014 "enableKeyEquivalentForDefaultButtonCell",
6015 "enableLogging:",
6016 "enableMultipleThreads",
6017 "enableObserverNotification",
6018 "enableRelease:",
6019 "enableRichTextClicked:",
6020 "enableSecureString:",
6021 "enableUndoRegistration",
6022 "enclosingScrollView",
6023 "encodeArrayOfObjCType:count:at:",
6024 "encodeBase64",
6025 "encodeBasicExport:",
6026 "encodeBool:forKey:",
6027 "encodeBycopyObject:",
6028 "encodeByrefObject:",
6029 "encodeBytes:length:",
6030 "encodeClassName:intoClassName:",
6031 "encodeConditionalObject:",
6032 "encodeDataObject:",
6033 "encodeInt:forKey:",
6034 "encodeIntoPropertyList:",
6035 "encodeMessageFlags:",
6036 "encodeMimeHeaderValue",
6037 "encodeModifiedBase64",
6038 "encodeNXObject:",
6039 "encodeObject:",
6040 "encodeObject:forKey:",
6041 "encodeObject:isBycopy:isByref:",
6042 "encodeObject:withCoder:",
6043 "encodePoint:",
6044 "encodePortObject:",
6045 "encodePropertyList:",
6046 "encodeQuotedPrintableForText:",
6047 "encodeRect:",
6048 "encodeReferenceToObject:forKey:",
6049 "encodeReturnValueWithCoder:",
6050 "encodeRootObject:",
6051 "encodeSize:",
6052 "encodeValueOfObjCType:at:",
6053 "encodeValuesOfObjCTypes:",
6054 "encodeWithCoder:",
6055 "encodeWithKeyValueArchiver:",
6056 "encodedHeaders",
6057 "encodedHeadersForDelivery",
6058 "encodedIMAPMailboxName",
6059 "encoding",
6060 "encodingAccessory:includeDefaultEntry:enableIgnoreRichTextButton:",
6061 "encodingForArchiveName:",
6062 "encodingScheme",
6063 "encodingType",
6064 "encryptComponents:",
6065 "encryptWithDelegate:",
6066 "endAttribute:",
6067 "endDeepHTMLChange",
6068 "endDocument",
6069 "endEditing",
6070 "endEditing:",
6071 "endEditingFor:",
6072 "endEnumeration:",
6073 "endEventCoalescing",
6074 "endHTMLChange",
6075 "endHTMLChangeSelecting:",
6076 "endHTMLChangeSelecting:andInspecting:",
6077 "endHTMLChangeSelectingAfterItem:",
6078 "endHTMLChangeSelectingAfterPrologueOfNode:",
6079 "endHTMLChangeSelectingAtBeginningOfItem:",
6080 "endHTMLChangeSelectingBeforeEpilogueOfNode:",
6081 "endHTMLChangeSelectingItem:",
6082 "endHeaderComments",
6083 "endIndex",
6084 "endInputStream",
6085 "endLoadInBackground",
6086 "endModalSession:",
6087 "endOfFileMayCloseTag:",
6088 "endPage",
6089 "endPageSetup",
6090 "endParsing",
6091 "endPrologue",
6092 "endRoot",
6093 "endRtfParam",
6094 "endSetup",
6095 "endSheet:",
6096 "endSheet:returnCode:",
6097 "endSpecifier",
6098 "endSubelementIdentifier",
6099 "endSubelementIndex",
6100 "endTokenIndex",
6101 "endTrailer",
6102 "endUndoGrouping",
6103 "enforceIntegrity",
6104 "enqueueNotification:postingStyle:",
6105 "enqueueNotification:postingStyle:coalesceMask:forModes:",
6106 "enqueueObserver:",
6107 "enrAppendString:",
6108 "enrBigger:",
6109 "enrBold:",
6110 "enrCenter:",
6111 "enrColor:",
6112 "enrColorStart:",
6113 "enrComment:",
6114 "enrExcerpt:",
6115 "enrFixed:",
6116 "enrFlushBuf",
6117 "enrFlushLeft:",
6118 "enrFlushRight:",
6119 "enrFontFamily:",
6120 "enrFontFamilyStart:",
6121 "enrForceBreak",
6122 "enrGt:",
6123 "enrIndent:",
6124 "enrItalic:",
6125 "enrLt:",
6126 "enrNl:",
6127 "enrNoFill:",
6128 "enrNp:",
6129 "enrOutdent:",
6130 "enrParagraph:",
6131 "enrParam:",
6132 "enrSetAlignment:flag:",
6133 "enrSetFont:style:",
6134 "enrSmaller:",
6135 "enrSpace:",
6136 "enrUnderline:",
6137 "enrXFontSize:",
6138 "enrXFontSizeStart:",
6139 "enrXTabStops:",
6140 "enrXTabStopsStart:",
6141 "enrichedString",
6142 "ensureAttributesAreFixedInRange:",
6143 "ensureObjectAwake:",
6144 "ensureSpoolDirectoryExistsOnDisk",
6145 "enterEditingInTextView:",
6146 "enterExitEventWithType:location:modifierFlags:timestamp:windowNumber:context:eventNumber:trackingNumber:userData:",
6147 "enterHit:endingEditing:",
6148 "enterHitInTableView:endingEditing:",
6149 "enterSelection:",
6150 "enteringPreformattedBlock",
6151 "entireTokenRange",
6152 "entityName",
6153 "entries",
6154 "entryNames",
6155 "entryState:",
6156 "entryType",
6157 "entryWithMessage:connection:",
6158 "enumerateFromRoot:",
6159 "enumerateFromRoot:traversalMode:",
6160 "enumeratePaths",
6161 "enumeratorAtPath:",
6162 "environment",
6163 "enztar:into:",
6164 "eoDescription",
6165 "eoMKKDInitializer",
6166 "eoShallowDescription",
6167 "epilogueLengthWithMap:",
6168 "error:",
6169 "errorAction",
6170 "errorColor",
6171 "errorMessage",
6172 "errorProc",
6173 "errorStringWithMessage:mailbox:",
6174 "escapedUnicodeStringForEncoding:",
6175 "establishConnection",
6176 "euid",
6177 "evaluate",
6178 "evaluateSpecifiers",
6179 "evaluateTraversalAtProject:userData:",
6180 "evaluateWithObject:",
6181 "evaluatedArguments",
6182 "evaluatedReceivers",
6183 "evaluationErrorNumber",
6184 "evaluationErrorSpecifier",
6185 "event:atIndex:isInsideLink:ofItem:withRange:givenOrigin:",
6186 "eventClass",
6187 "eventID",
6188 "eventMask",
6189 "eventNumber",
6190 "eventTypeDescriptions",
6191 "eventTypeDescriptions:",
6192 "events",
6193 "eventsOfClass:type:",
6194 "examineMailbox:errorMessage:",
6195 "exceptionAddingEntriesToUserInfo:",
6196 "exceptionDuringOperation:error:leftOperand:rightOperand:",
6197 "exceptionRememberingObject:key:",
6198 "exceptionWithName:reason:userInfo:",
6199 "exchange::",
6200 "exchangeObjectAtIndex:withObjectAtIndex:",
6201 "executable",
6202 "executableExtension",
6203 "executablePath",
6204 "executableResultPatterns",
6205 "executablesForProject:atBuildPath:",
6206 "executablesForProject:atBuildPath:resultNode:",
6207 "executablesInRootProject:",
6208 "executablesInSubProjectsForProject:atBuildPath:resultNode:",
6209 "executeCommand",
6210 "executeScript",
6211 "existingImageDirectories",
6212 "existingUniqueInstance:",
6213 "existingViewerForStore:",
6214 "exit",
6215 "exitWithCode:",
6216 "exitingPreformattedBlock",
6217 "expandItem:",
6218 "expandItem:expandChildren:",
6219 "expandItemEqualTo:expandChildren:",
6220 "expandPrivateAlias:",
6221 "expandPrivateAliases:",
6222 "expandProjectString:",
6223 "expandProjectString:havingExpanded:",
6224 "expandProjectStringAndMakePathAbsoluteWithProjectRoot:",
6225 "expandSetWithOffset:",
6226 "expandUserAlias:",
6227 "expandVariablesInTemplateFile:outputFile:withDictionary:",
6228 "expect:",
6229 "expectEndOfInput",
6230 "expectSelector",
6231 "expectSeparatorEqualTo:",
6232 "expectTokenEqualTo:mask:",
6233 "exportMailbox:",
6234 "expressionString",
6235 "expunge",
6236 "extendBy:",
6237 "extendPowerOffBy:",
6238 "extensionListForKey:",
6239 "extensions",
6240 "extensionsFromTypeDict:",
6241 "externalRepresentation",
6242 "extraData",
6243 "extraLineFragmentRect",
6244 "extraLineFragmentTextContainer",
6245 "extraLineFragmentUsedRect",
6246 "extraRefCount",
6247 "faceString",
6248 "faceTextFired:",
6249 "fadeOneNotch:",
6250 "fadeToEmpty",
6251 "fadeToolTip:",
6252 "failureReason",
6253 "familyName",
6254 "familyNames",
6255 "fastestEncoding",
6256 "fatalError:",
6257 "fatalErrorCopying:error:",
6258 "faultForGlobalID:editingContext:",
6259 "faultForRawRow:entityNamed:",
6260 "faultForRawRow:entityNamed:editingContext:",
6261 "faultWillFire:",
6262 "fax:",
6263 "featuresOnlyOnPanel",
6264 "feedbackWithImage:forWindow:",
6265 "fetchAsynchronously",
6266 "fetchLimit",
6267 "fetchMessageSkeletonsForUidRange:intoArray:",
6268 "fetchMessages:toPath:",
6269 "fetchObjects",
6270 "fetchRawDataForUid:intoDestinationFilePath:keepMessageInMemory:",
6271 "fetchRemoteURLs",
6272 "fetchSelector",
6273 "fetchSpecificationNamed:",
6274 "fetchSpecificationNamed:entityNamed:",
6275 "fetchSpecificationWithEntityName:qualifier:sortOrderings:",
6276 "fetchSpecificationWithQualifierBindings:",
6277 "fetchSynchronously",
6278 "fetchTimestamp",
6279 "fetchUidsAndFlagsForAllMessagesIntoArray:",
6280 "fetchesRawRows",
6281 "fieldEditor:forObject:",
6282 "file",
6283 "fileAttributes",
6284 "fileAttributesAtPath:traverseLink:",
6285 "fileButton",
6286 "fileDescriptor",
6287 "fileExistsAtPath:",
6288 "fileExistsAtPath:isDirectory:",
6289 "fileExtensions",
6290 "fileExtensionsFromType:",
6291 "fileGroupOwnerAccountName",
6292 "fileGroupOwnerAccountNumber",
6293 "fileHandleForReading",
6294 "fileHandleForReadingAtPath:",
6295 "fileHandleForUpdatingAtPath:",
6296 "fileHandleForWriting",
6297 "fileHandleForWritingAtPath:",
6298 "fileHandleWithNullDevice",
6299 "fileHandleWithStandardError",
6300 "fileHandleWithStandardInput",
6301 "fileHandleWithStandardOutput",
6302 "fileListForKey:",
6303 "fileListForKey:create:",
6304 "fileManager:shouldProceedAfterError:",
6305 "fileManager:willProcessPath:",
6306 "fileManagerShouldProceedAfterError:",
6307 "fileModificationDate",
6308 "fileName",
6309 "fileNameFromRunningSavePanelForSaveOperation:",
6310 "fileNamesFromRunningOpenPanel",
6311 "fileOperationCompleted:ok:",
6312 "fileOwnerAccountName",
6313 "fileOwnerAccountNumber",
6314 "filePosixPermissions",
6315 "fileSize",
6316 "fileSystemAttributesAtPath:",
6317 "fileSystemChanged",
6318 "fileSystemFileNumber",
6319 "fileSystemNumber",
6320 "fileSystemRepresentation",
6321 "fileSystemRepresentationWithPath:",
6322 "fileType",
6323 "fileTypeFromLastRunSavePanel",
6324 "fileURLForMailAddress:",
6325 "fileURLWithPath:",
6326 "fileWithInode:onDevice:",
6327 "fileWrapper",
6328 "fileWrapperRepresentationOfType:",
6329 "fileWrappers",
6330 "filename",
6331 "filenameToDrag:",
6332 "filenames",
6333 "filenamesMatchingTypes:",
6334 "filesTable",
6335 "fill",
6336 "fillAttributesCache",
6337 "fillRect:",
6338 "fillTableDecorationPathWithFrame:pathIsCellsWithContent:inCache:",
6339 "filterAndSortObjectNames:",
6340 "filterEvents:",
6341 "filterString",
6342 "filteredArrayUsingQualifier:",
6343 "filteredHeaders",
6344 "filteredMessages",
6345 "finalWritePrintInfo",
6346 "finalizeTable",
6347 "find:",
6348 "findAddedFilesIn:",
6349 "findApplications",
6350 "findBundleResources:callingMethod:directory:languages:name:types:limit:",
6351 "findCaptionUnderNode:",
6352 "findCellAtPoint:withFrame:usingInnerBorder:",
6353 "findChangesIn:showAdded:",
6354 "findCharsetTag",
6355 "findClass:",
6356 "findCombinationForLetter:accent:",
6357 "findEntryListFor:",
6358 "findFontDebug:",
6359 "findFontLike:forCharacter:inLanguage:",
6360 "findHome:",
6361 "findItemEqualTo:",
6362 "findNext:",
6363 "findNextAndClose:",
6364 "findNextAndOrderFindPanelOut:",
6365 "findOutBasicInfoFor:",
6366 "findOutExtendedInfoFor:",
6367 "findPPDFileName:",
6368 "findPanel",
6369 "findPrev:",
6370 "findPrevious:",
6371 "findServerWithName:",
6372 "findSoundFor:",
6373 "findString",
6374 "findString:selectedRange:options:wrap:",
6375 "findTableView",
6376 "finderFlags",
6377 "fingerCursor",
6378 "finishAllForTree:",
6379 "finishDraggingCell:fromIndex:toIndex:",
6380 "finishEncoding:",
6381 "finishInitWithKeyValueUnarchiver:",
6382 "finishInitializationOfObjects",
6383 "finishInitializationWithKeyValueUnarchiver:",
6384 "finishLaunching",
6385 "finishUnarchiving",
6386 "finished",
6387 "finished:",
6388 "fire",
6389 "fireDate",
6390 "firedAtMidnight",
6391 "firstChild",
6392 "firstComponentFromRelationshipPath",
6393 "firstEmailAddress",
6394 "firstGlyphIndexOfCurrentLineFragment",
6395 "firstHeaderForKey:",
6396 "firstIndentMarkerWithRulerView:location:",
6397 "firstIndex",
6398 "firstInspectableSelectionAtOrAboveSelection:",
6399 "firstLineHeadIndent",
6400 "firstName",
6401 "firstObject",
6402 "firstObjectCommonWithArray:",
6403 "firstRectForCharacterRange:",
6404 "firstResponder",
6405 "firstResult",
6406 "firstRowHeadersAction:",
6407 "firstTextView",
6408 "firstTextViewForTextStorage:",
6409 "firstUnlaidCharacterIndex",
6410 "firstUnlaidGlyphIndex",
6411 "firstUnreadMessage",
6412 "firstVCardMatchingString:",
6413 "firstVisibleColumn",
6414 "firstmostSelectedRow",
6415 "fixAttachmentAttributeInRange:",
6416 "fixAttributesInRange:",
6417 "fixFontAttributeInRange:",
6418 "fixHTMLAttributesInRange:",
6419 "fixInvalidatedFocusForFocusView",
6420 "fixParagraphStyleAttributeInRange:",
6421 "fixUIForcingNewPopUpButton:",
6422 "fixUpScrollViewBackgroundColor:",
6423 "fixUpTabsInRange:",
6424 "fixed73872",
6425 "fixedCapacityLimit",
6426 "fixedFamilyNames",
6427 "fixesAttributesLazily",
6428 "fixupDirInfo:",
6429 "flagsChanged:",
6430 "flagsForMessage:",
6431 "flatness",
6432 "flattenChild:",
6433 "flattenChildAtIndex:",
6434 "flippedView",
6435 "floatForKey:",
6436 "floatForKey:inTable:",
6437 "floatValue",
6438 "flush",
6439 "flush:",
6440 "flushAllCachedData",
6441 "flushAllKeyBindings",
6442 "flushAndTruncate:",
6443 "flushAttributedString",
6444 "flushBuffer",
6445 "flushBufferedKeyEvents",
6446 "flushCache",
6447 "flushCachedData",
6448 "flushChangesWhileFrozen",
6449 "flushClassKeyBindings",
6450 "flushDataForTriplet:littleEndian:",
6451 "flushGraphics",
6452 "flushHostCache",
6453 "flushKeyBindings",
6454 "flushLocalCopiesOfSharedRulebooks",
6455 "flushRawData",
6456 "flushTextForClient:",
6457 "flushToDisk",
6458 "flushToFile",
6459 "flushWindow",
6460 "flushWindowIfNeeded",
6461 "focus:",
6462 "focusRingImageForState:",
6463 "focusRingImageSize",
6464 "focusStack",
6465 "focusView",
6466 "focusView:inWindow:",
6467 "focusedMessages",
6468 "focusedView",
6469 "followLinks",
6470 "followedBySpaceCharacter",
6471 "followedByWhitespace",
6472 "followsItalicAngle",
6473 "font",
6474 "fontAttributesInRange:",
6475 "fontBigger",
6476 "fontConversion:",
6477 "fontFamilyFromFaceString:",
6478 "fontManager:willIncludeFont:",
6479 "fontMenu:",
6480 "fontName",
6481 "fontNameWithFamily:traits:weight:",
6482 "fontNamed:hasTraits:",
6483 "fontPanel:",
6484 "fontSetNamesForUser:",
6485 "fontSetWithName:forUser:",
6486 "fontSize",
6487 "fontSmaller",
6488 "fontStyleWithColor:",
6489 "fontStyleWithSize:",
6490 "fontWithColor:",
6491 "fontWithFaceString:",
6492 "fontWithFamily:traits:weight:size:",
6493 "fontWithName:matrix:",
6494 "fontWithName:size:",
6495 "fontWithSize:",
6496 "fontWithSizeDecrease:",
6497 "fontWithSizeIncrease:",
6498 "foobar:",
6499 "forID",
6500 "forItem",
6501 "forceListToPopup",
6502 "forceRendering",
6503 "forceSet",
6504 "foregroundColor",
6505 "forgetAll",
6506 "forgetAllWithTarget:",
6507 "forgetFloater:",
6508 "forgetObject:",
6509 "forgetRememberedPassword",
6510 "forgetWord:",
6511 "forgetWord:language:",
6512 "form",
6513 "formIntersectionWithCharacterSet:",
6514 "formIntersectionWithPostingsIn:",
6515 "formUnionWithCharacterSet:",
6516 "formUnionWithPostingsIn:",
6517 "formalName",
6518 "format",
6519 "format:",
6520 "formatSource:",
6521 "formatSource:translatingRange:",
6522 "formattedAddress",
6523 "formattedEmail",
6524 "formattedStringForRange:wrappingAtColumn:translatingRange:",
6525 "formatter",
6526 "formatterWithString:",
6527 "forward::",
6528 "forwardClicked:",
6529 "forwardInvocation:",
6530 "forwardMessage:",
6531 "forwardUpdateForObject:changes:",
6532 "fractionOfDistanceThroughGlyphForPoint:inTextContainer:",
6533 "fragment",
6534 "frame",
6535 "frame:resizedFromEdge:withDelta:",
6536 "frameAutosaveName",
6537 "frameBorder",
6538 "frameColor",
6539 "frameForCell:withDecorations:",
6540 "frameForPathItem:",
6541 "frameHighlightColor",
6542 "frameLength",
6543 "frameNeedsDisplay",
6544 "frameOfCellAtColumn:row:",
6545 "frameOfColumn:",
6546 "frameOfInsideOfColumn:",
6547 "frameRectForContentRect:styleMask:",
6548 "frameRotation",
6549 "frameShadowColor",
6550 "frameSizeForContentSize:hasHorizontalScroller:hasVerticalScroller:borderType:",
6551 "frameViewClass",
6552 "frameViewClassForStyleMask:",
6553 "frameset",
6554 "framesetController",
6555 "framesetElementClicked:",
6556 "framesetView",
6557 "framesetViewClass",
6558 "framesetViewContainingElement:",
6559 "frameworkVersion",
6560 "free",
6561 "freeBitsAndReleaseDataIfNecessary",
6562 "freeBlock:",
6563 "freeEntryAtCursor",
6564 "freeEntryNamed:",
6565 "freeFromBlock:inStore:",
6566 "freeFromName:inFile:",
6567 "freeFromStore",
6568 "freeObjects",
6569 "freeOnWrite",
6570 "freePBSData",
6571 "freeRegion:ofLength:",
6572 "freeSerialized:length:",
6573 "freeSpace",
6574 "freeSpaceAtOffset:",
6575 "freeStringList:",
6576 "freeze:",
6577 "frontWindow",
6578 "frozenCell",
6579 "fullDescription",
6580 "fullJustifyLineAtGlyphIndex:",
6581 "fullName",
6582 "fullPathForAccountRelativePath:",
6583 "fullPathForApplication:",
6584 "fullUserName",
6585 "gState",
6586 "garbageCollectTags",
6587 "gdbDebuggerName",
6588 "generalPasteboard",
6589 "generateGlyphsForLayoutManager:range:desiredNumberOfCharacters:startingAtGlyphIndex:completedRange:nextGlyphIndex:",
6590 "get:",
6591 "getAddressInfo:forReference:",
6592 "getAddressLabelWithAttributes:",
6593 "getArchitectures:",
6594 "getArgument:atIndex:",
6595 "getArgumentTypeAtIndex:",
6596 "getAttribute:intoSize:percentage:",
6597 "getAttributedStringAsynchronously",
6598 "getAttributedStringSynchronously",
6599 "getAttributesForCharacterIndex:",
6600 "getBitmapDataPlanes:",
6601 "getBlock:andStore:",
6602 "getBlock:ofEntryNamed:",
6603 "getByte",
6604 "getBytes:",
6605 "getBytes:length:",
6606 "getBytes:maxLength:filledLength:encoding:allowLossyConversion:range:remainingRange:",
6607 "getBytes:range:",
6608 "getBytesForString:lossByte:",
6609 "getCFRunLoop",
6610 "getCString:",
6611 "getCString:maxLength:",
6612 "getCString:maxLength:range:remainingRange:",
6613 "getCharacters:",
6614 "getCharacters:range:",
6615 "getClass:ofEntryNamed:",
6616 "getClasses",
6617 "getClassesFromResourceLocator:",
6618 "getComparator:andContext:",
6619 "getComponent:inValueWithName:andAttributes:",
6620 "getComponent:inValueWithNameAndAttributes:",
6621 "getCompression:factor:",
6622 "getConfigurationFromResponder:",
6623 "getContents:andLength:",
6624 "getCount:andPostings:",
6625 "getCyan:magenta:yellow:black:alpha:",
6626 "getDefaultExtensionForType:",
6627 "getDefaultMailClient",
6628 "getDefaultStringForKey:fromDictionary:intoTextfield:withDefault:",
6629 "getDirInfo:",
6630 "getDocument:docInfo:",
6631 "getDocumentNameAndSave:",
6632 "getFileSystemInfoForPath:isRemovable:isWritable:isUnmountable:description:type:",
6633 "getFileSystemRepresentation:maxLength:",
6634 "getFileSystemRepresentation:maxLength:withPath:",
6635 "getFirstUnlaidCharacterIndex:glyphIndex:",
6636 "getFullAFMInfo:attributes:parameterStrings:",
6637 "getGlobalWindowNum:frame:",
6638 "getGlyphs:range:",
6639 "getGlyphsInRange:glyphs:characterIndexes:glyphInscriptions:elasticBits:",
6640 "getHandle:andWeight:",
6641 "getHeight:percentage:",
6642 "getHue:saturation:brightness:alpha:",
6643 "getHyphenLocations:inString:",
6644 "getHyphenLocations:inString:wordAtIndex:",
6645 "getImage:rect:",
6646 "getInfoForFile:application:type:",
6647 "getKey:andLength:",
6648 "getKey:andLength:withHint:",
6649 "getKeyForType:",
6650 "getKeys:",
6651 "getKeysFor:",
6652 "getLELong",
6653 "getLEWord",
6654 "getLineDash:count:phase:",
6655 "getLineStart:end:contentsEnd:forRange:",
6656 "getLocal:",
6657 "getMailboxesOnDisk",
6658 "getMarkedText:selectedRange:",
6659 "getMoreInput",
6660 "getName:andFile:",
6661 "getNumberOfRows:columns:",
6662 "getObject:atIndex:",
6663 "getObjectValue:forString:errorDescription:",
6664 "getObjects:",
6665 "getObjects:andKeys:",
6666 "getObjects:range:",
6667 "getOtherKeysFor:",
6668 "getPath",
6669 "getPathsListFor:variant:as:",
6670 "getPeriodicDelay:interval:",
6671 "getPersistentExpandedItemsAsArray",
6672 "getPersistentTableColumnsAsArray",
6673 "getPreferredValueWithName:",
6674 "getPreferredValueWithName:andAttributes:",
6675 "getPrinterDataForRow:andKey:",
6676 "getProperties",
6677 "getProperty::",
6678 "getPublicKeysFor:",
6679 "getRed:green:blue:alpha:",
6680 "getRef:forObjectName:",
6681 "getReleasedProxies:length:",
6682 "getRemote:",
6683 "getReplyWithSequence:",
6684 "getResourceKeysFor:",
6685 "getResourceLocator",
6686 "getReturnValue:",
6687 "getRotationAngle",
6688 "getRow:column:forPoint:",
6689 "getRow:column:ofCell:",
6690 "getRowSpan:columnSpan:",
6691 "getRulebookData:makeSharable:littleEndian:",
6692 "getSelectionString",
6693 "getSourceKeysFor:",
6694 "getSplitPercentage",
6695 "getSplitPercentageAsString",
6696 "getState:",
6697 "getSubprojKeysFor:",
6698 "getTIFFCompressionTypes:count:",
6699 "getTopOfMessageNumber:intoMutableString:",
6700 "getTypes:",
6701 "getTypesWithName:",
6702 "getTypesWithName:attributes:",
6703 "getTypesWithNameAndAttributes:",
6704 "getUrlFromUser",
6705 "getUserInfoFromDefaults",
6706 "getValue:",
6707 "getValueFromObject:",
6708 "getValueWithName:",
6709 "getValueWithName:andAttributes:",
6710 "getValueWithNameAndAttributes:",
6711 "getValues:forAttribute:forVirtualScreen:",
6712 "getValues:forParameter:",
6713 "getVariantsFor:as:",
6714 "getWhite:alpha:",
6715 "getWidth:percentage:",
6716 "gid",
6717 "givenRootFindValidMailboxes:",
6718 "globalIDForObject:",
6719 "globalIDWithEntityName:keys:keyCount:zone:",
6720 "globalIDWithEntityName:subEntityName:bestEntityName:keys:keyCount:zone:",
6721 "globalRenderingBasisChanged:",
6722 "globalRenderingBasisDidChange",
6723 "globallyUniqueString",
6724 "glyphAtIndex:",
6725 "glyphAtIndex:isValidIndex:",
6726 "glyphGeneratorForEncoding:language:font:",
6727 "glyphGeneratorForEncoding:language:font:makeSharable:",
6728 "glyphGeneratorForTriplet:makeSharable:",
6729 "glyphIndexForPoint:inTextContainer:",
6730 "glyphIndexForPoint:inTextContainer:fractionOfDistanceThroughGlyph:",
6731 "glyphIndexToBreakLineByClippingAtIndex:",
6732 "glyphIndexToBreakLineByHyphenatingWordAtIndex:",
6733 "glyphIndexToBreakLineByWordWrappingAtIndex:",
6734 "glyphIsEncoded:",
6735 "glyphPacking",
6736 "glyphRangeForBoundingRect:inTextContainer:",
6737 "glyphRangeForBoundingRectWithoutAdditionalLayout:inTextContainer:",
6738 "glyphRangeForCharacterRange:actualCharacterRange:",
6739 "glyphRangeForTextContainer:",
6740 "glyphWithName:",
6741 "goodFileCharacterSet",
6742 "gotString",
6743 "gotoBeginning:",
6744 "gotoEnd:",
6745 "gotoPosterFrame:",
6746 "gradientType",
6747 "graphicsContextWithAttributes:",
6748 "graphicsContextWithWindow:",
6749 "graphicsPort",
6750 "graphiteControlTintColor",
6751 "grayColor",
6752 "greenColor",
6753 "greenComponent",
6754 "gridColor",
6755 "groupEvents:bySignatureOfType:",
6756 "groupIdentifier",
6757 "groupName",
6758 "groupingLevel",
6759 "groupsByEvent",
6760 "growBuffer:current:end:factor:",
6761 "growGlyphCaches:fillGlyphInfo:",
6762 "guaranteeMinimumWidth:",
6763 "guessDockTitle:filename:",
6764 "guessesForWord:",
6765 "halt",
6766 "handleAppleEvent:withReplyEvent:",
6767 "handleChangeWithIgnore:",
6768 "handleClickOnLink:",
6769 "handleCloseScriptCommand:",
6770 "handleCommentWithCode:",
6771 "handleDividerDragWithEvent:",
6772 "handleError:",
6773 "handleErrors:",
6774 "handleFailureInFunction:file:lineNumber:description:",
6775 "handleFailureInMethod:object:file:lineNumber:description:",
6776 "handleFontName",
6777 "handleGURLAppleEvent:",
6778 "handleGetAeteEvent:withReplyEvent:",
6779 "handleHeaderOp",
6780 "handleMachMessage:",
6781 "handleMailToURL:",
6782 "handleMouseEvent:",
6783 "handleOpenAppleEvent:",
6784 "handlePicVersion",
6785 "handlePortCoder:",
6786 "handlePortMessage:",
6787 "handlePrintScriptCommand:",
6788 "handleQueryWithUnboundKey:",
6789 "handleQuickTimeWithCode:",
6790 "handleQuitScriptCommand:",
6791 "handleReleasedProxies:length:",
6792 "handleRequest:sequence:",
6793 "handleSaveScriptCommand:",
6794 "handleSendMessageCommand:",
6795 "handleTakeValue:forUnboundKey:",
6796 "handleUnknownEvent:withReplyEvent:",
6797 "handleUpdatingFinished",
6798 "handlerForFault:",
6799 "handlerForMarker:",
6800 "handlesFetchSpecification:",
6801 "hasAlpha",
6802 "hasAttachments",
6803 "hasBackingStore",
6804 "hasBeenSaved",
6805 "hasCachedAttributedString",
6806 "hasChanges",
6807 "hasChangesPending",
6808 "hasCloseBox",
6809 "hasComposeAccessoryViewOwner",
6810 "hasConjointSelection",
6811 "hasContent",
6812 "hasDeliveryClassBeenConfigured",
6813 "hasDynamicDepthLimit",
6814 "hasEditedDocuments",
6815 "hasEditingIvars",
6816 "hasEntryNamed:",
6817 "hasFocusView",
6818 "hasFullInfo",
6819 "hasHorizontalRuler",
6820 "hasHorizontalScroller",
6821 "hasIcons",
6822 "hasImageWithAlpha",
6823 "hasLeadingSpace",
6824 "hasLeadingSpaceWithSemanticEngine:",
6825 "hasMarkedText",
6826 "hasMultiplePages",
6827 "hasOfflineChangesForStoreAtPath:",
6828 "hasPreferencesPanel",
6829 "hasPrefix:",
6830 "hasProperty:",
6831 "hasRoundedCornersForButton",
6832 "hasRoundedCornersForPopUp",
6833 "hasRunLoop:",
6834 "hasScrollerOnRight",
6835 "hasSenderOrReceiver",
6836 "hasShadow",
6837 "hasSource",
6838 "hasSubmenu",
6839 "hasSuffix:",
6840 "hasTextStyle:stylePossessed:styleNotPossessed:",
6841 "hasThousandSeparators",
6842 "hasTitleBar",
6843 "hasTrailingSpace",
6844 "hasTrailingSpaceWithSemanticEngine:",
6845 "hasUndoManager",
6846 "hasUnreadMail",
6847 "hasValidCacheFileForUid:",
6848 "hasValidObjectValue",
6849 "hasVerticalRuler",
6850 "hasVerticalScroller",
6851 "hash",
6852 "hashFor:",
6853 "haveAccountsBeenConfigured",
6854 "haveTexture",
6855 "headIndent",
6856 "headerCell",
6857 "headerCheckboxAction:",
6858 "headerColor",
6859 "headerDataForMessage:",
6860 "headerLevel",
6861 "headerRectOfColumn:",
6862 "headerTextColor",
6863 "headerView",
6864 "headers",
6865 "headersForKey:",
6866 "headersRequiredForRouting",
6867 "headersToDisplayFromHeaderKeys:showAllHeaders:",
6868 "heartBeat:",
6869 "heartBeatCycle",
6870 "height",
6871 "heightAdjustLimit",
6872 "heightForMaximumWidth",
6873 "heightForRowAtIndex:returningHeightType:",
6874 "heightPopupAction:",
6875 "heightString",
6876 "heightTextfieldAction:",
6877 "heightTracksTextView",
6878 "helpCursorShown",
6879 "helpRequested:",
6880 "hide",
6881 "hide:",
6882 "hideDeletions:",
6883 "hideFavorites",
6884 "hideFeedback",
6885 "hideNumbers:",
6886 "hideOtherApplications",
6887 "hideOtherApplications:",
6888 "hideSizes:",
6889 "hideStatusLine:",
6890 "hidesOnDeactivate",
6891 "highContrastColor",
6892 "highlight:",
6893 "highlight:withFrame:inView:",
6894 "highlightCell:atRow:column:",
6895 "highlightChanges",
6896 "highlightColor",
6897 "highlightColor:",
6898 "highlightGeneratedString:",
6899 "highlightMode",
6900 "highlightSelectionInClipRect:",
6901 "highlightWithLevel:",
6902 "highlightedBranchImage",
6903 "highlightedItemIndex",
6904 "highlightedMenuColor",
6905 "highlightedMenuTextColor",
6906 "highlightedTableColumn",
6907 "highlightsBy",
6908 "hintCapacity",
6909 "hints",
6910 "hitLineBreakWithClear:characterIndex:",
6911 "hitPart",
6912 "hitTest:",
6913 "homeTextView",
6914 "horizontalAlignPopupAction:",
6915 "horizontalEdgePadding",
6916 "horizontalLineScroll",
6917 "horizontalPageScroll",
6918 "horizontalPagination",
6919 "horizontalResizeCursor",
6920 "horizontalRulerView",
6921 "horizontalScroller",
6922 "horizontalSpace",
6923 "host",
6924 "hostDeviceOf:",
6925 "hostName",
6926 "hostWithAddress:",
6927 "hostWithName:",
6928 "hostname",
6929 "hotSpot",
6930 "hourOfDay",
6931 "href",
6932 "html:unableToParseDocument:",
6933 "htmlAddedTextStyles",
6934 "htmlAttachmentCellWithRepresentedItem:",
6935 "htmlAttributeValue",
6936 "htmlAttributedString",
6937 "htmlDeletedTextStyles",
6938 "htmlDocumentChanged:",
6939 "htmlDocumentDidChange:",
6940 "htmlEncodedString",
6941 "htmlEquivalent",
6942 "htmlFontSizeForPointSize:",
6943 "htmlInspectedSelectionChanged:",
6944 "htmlInspectionChanged:",
6945 "htmlItemTransformed:",
6946 "htmlNodeForHeaderWithTitle:value:",
6947 "htmlRedo:",
6948 "htmlSelection",
6949 "htmlString",
6950 "htmlStringFromTextString",
6951 "htmlStringWithString:",
6952 "htmlTextStyles",
6953 "htmlTextView",
6954 "htmlTree",
6955 "htmlTreeClass",
6956 "htmlTreeForHeaders:withTopMargin:",
6957 "htmlUndo:",
6958 "htmlView",
6959 "htmlView:clickedOnLink:",
6960 "htmlView:contentDidChange:",
6961 "htmlView:didSwitchToView:",
6962 "htmlView:inspectedSelectionChangedTo:",
6963 "htmlView:selectionChangedTo:",
6964 "htmlView:selectionWillChangeTo:",
6965 "htmlView:toolbarDidChangeConfigurationFrom:to:",
6966 "htmlView:willSwitchToView:",
6967 "hueComponent",
6968 "hyphenGlyph",
6969 "hyphenGlyphForFont:language:",
6970 "hyphenGlyphForLanguage:",
6971 "hyphenationFactor",
6972 "icon",
6973 "iconForFile:",
6974 "iconForFileType:",
6975 "iconForFiles:",
6976 "iconRef:label:",
6977 "iconRef:label:forObjectName:",
6978 "idealFace:conflictsWithFaceInCanonicalFaceStringArray:",
6979 "idealFace:conflictsWithIdealFaceInArray:",
6980 "idealFaceFromCanonicalFaceArray:",
6981 "idealFaceFromCanonicalFaceString:",
6982 "idealFaceFromFaceString:",
6983 "idealUserDefinedFaces",
6984 "identifier",
6985 "identity",
6986 "ignoreCase:",
6987 "ignoreModifierKeysWhileDragging",
6988 "ignoreNextChange",
6989 "ignoreSpelling:",
6990 "ignoreTextStorageDidProcessEditing",
6991 "ignoreWord:inSpellDocumentWithTag:",
6992 "ignoredWordsInSpellDocumentWithTag:",
6993 "ignoresAlpha",
6994 "ignoresMultiClick",
6995 "illegalCharacterSet",
6996 "image",
6997 "image:focus:",
6998 "imageAlignment",
6999 "imageAndTitleOffset",
7000 "imageAndTitleWidth",
7001 "imageCellWithRepresentedItem:image:",
7002 "imageDidNotDraw:inRect:",
7003 "imageDimsWhenDisabled",
7004 "imageFileTypes",
7005 "imageForMailAddress:",
7006 "imageForPreferenceNamed:",
7007 "imageForState:",
7008 "imageFrameStyle",
7009 "imageInputAlloc",
7010 "imageNamed:",
7011 "imageNamed:sender:",
7012 "imageOrigin",
7013 "imagePasteboardTypes",
7014 "imagePosition",
7015 "imageRectForBounds:",
7016 "imageRectForPaper:",
7017 "imageRectInRuler",
7018 "imageRepClassForData:",
7019 "imageRepClassForFileType:",
7020 "imageRepClassForPasteboardType:",
7021 "imageRepWithContentsOfFile:",
7022 "imageRepWithContentsOfURL:",
7023 "imageRepWithData:",
7024 "imageRepWithPasteboard:",
7025 "imageRepsWithContentsOfFile:",
7026 "imageRepsWithContentsOfURL:",
7027 "imageRepsWithData:",
7028 "imageRepsWithPasteboard:",
7029 "imageScaling",
7030 "imageSize",
7031 "imageUnfilteredFileTypes",
7032 "imageUnfilteredPasteboardTypes",
7033 "imageWidth",
7034 "imageWithoutAlpha",
7035 "implementorAtIndex:",
7036 "implementsSelector:",
7037 "importMailboxes:",
7038 "importObject:",
7039 "importedObjects",
7040 "importsGraphics",
7041 "inRedirectionLoop",
7042 "inUse",
7043 "inboxMailboxSelected:",
7044 "inboxMessageStorePath",
7045 "includeDeleted",
7046 "includeWhenGettingMail",
7047 "incomingSpoolDirectory",
7048 "increaseLengthBy:",
7049 "increaseSizesToFit:",
7050 "incrementBy:",
7051 "incrementExtraRefCount",
7052 "incrementLocation",
7053 "incrementSpecialRefCount",
7054 "incrementUndoTransactionID",
7055 "indent:",
7056 "indentForListItemsWithState:",
7057 "indentStringForChildrenWithIndentString:",
7058 "indentUsingTabs",
7059 "indentationMarkerFollowsCell",
7060 "indentationPerLevel",
7061 "independentConversationQueueing",
7062 "independentCopy",
7063 "index",
7064 "indexEnumerator",
7065 "indexExistsForStore:",
7066 "indexFollowing:",
7067 "indexForKey:",
7068 "indexForMailboxPath:",
7069 "indexForSortingByMessageNumber",
7070 "indexInfoForItem:",
7071 "indexManager",
7072 "indexOf:",
7073 "indexOf:::",
7074 "indexOf:options:",
7075 "indexOfAddressReference:",
7076 "indexOfAttributeBySelector:equalToObject:",
7077 "indexOfCanonicalFaceString:inCanonicalFaceStringArray:",
7078 "indexOfCardReference:",
7079 "indexOfCellWithRepresentedObject:",
7080 "indexOfCellWithTag:",
7081 "indexOfChild:",
7082 "indexOfItem:",
7083 "indexOfItemAtPoint:",
7084 "indexOfItemWithObjectValue:",
7085 "indexOfItemWithRepresentedObject:",
7086 "indexOfItemWithSubmenu:",
7087 "indexOfItemWithTag:",
7088 "indexOfItemWithTarget:andAction:",
7089 "indexOfItemWithTitle:",
7090 "indexOfMessage:",
7091 "indexOfNextNonDeletedMessage:ignoreSelected:",
7092 "indexOfObject:",
7093 "indexOfObject:inRange:",
7094 "indexOfObject:range:identical:",
7095 "indexOfObject:usingSortFunction:context:",
7096 "indexOfObjectIdenticalTo:",
7097 "indexOfObjectIdenticalTo:inRange:",
7098 "indexOfObjectIndenticalTo:",
7099 "indexOfObjectMatchingValue:forKey:",
7100 "indexOfSelectedItem",
7101 "indexOfTabViewItem:",
7102 "indexOfTabViewItemWithIdentifier:",
7103 "indexOfTag:inString:",
7104 "indexOfTickMarkAtPoint:",
7105 "indexPreceding:",
7106 "indexValue",
7107 "indexesForObjectsIndenticalTo:",
7108 "indicatorImageInTableColumn:",
7109 "indicesOfObjectsByEvaluatingObjectSpecifier:",
7110 "indicesOfObjectsByEvaluatingWithContainer:count:",
7111 "info",
7112 "infoDictionary",
7113 "infoTable",
7114 "infoTableFor:",
7115 "init",
7116 "initAndTestWithTests:",
7117 "initAsTearOff",
7118 "initByReferencingFile:",
7119 "initCount:",
7120 "initCount:andPostings:",
7121 "initCount:elementSize:description:",
7122 "initDir:file:docInfo:",
7123 "initDirectoryWithFileWrappers:",
7124 "initEPSOperationWithView:insideRect:toData:printInfo:",
7125 "initFileURLWithPath:",
7126 "initForDeserializerStream:",
7127 "initForReadingWithData:",
7128 "initForSerializerStream:",
7129 "initForViewer:",
7130 "initForWritingWithMutableData:",
7131 "initFrameControls",
7132 "initFromBlock:inStore:",
7133 "initFromDefaultTreeInStore:mustExist:",
7134 "initFromDocument:",
7135 "initFromElement:ofDocument:",
7136 "initFromFile:forWriting:",
7137 "initFromFile:forWriting:createIfAbsent:",
7138 "initFromImage:rect:",
7139 "initFromInfo:",
7140 "initFromMemoryNoCopy:length:freeWhenDone:",
7141 "initFromNSFile:forWriting:",
7142 "initFromName:device:inode:",
7143 "initFromName:inFile:forWriting:",
7144 "initFromNib",
7145 "initFromPath:",
7146 "initFromPath:dictionary:",
7147 "initFromSerialized:",
7148 "initFromSerializerStream:length:",
7149 "initFromSize:andColor:",
7150 "initImageCell:",
7151 "initImageCell:withRepresentedItem:",
7152 "initInStore:",
7153 "initListDescriptor",
7154 "initMainControls",
7155 "initMessageViewText",
7156 "initNSRoot:",
7157 "initNotTestWithTest:",
7158 "initObject:withCoder:",
7159 "initOffscreen:withDepth:",
7160 "initOrTestWithTests:",
7161 "initPageControls",
7162 "initPopUpWindow",
7163 "initPrintInfo",
7164 "initRecordDescriptor",
7165 "initRegion:ofLength:atAddress:",
7166 "initRegularFileWithContents:",
7167 "initRemoteWithProtocolFamily:socketType:protocol:address:",
7168 "initRemoteWithTCPPort:host:",
7169 "initRoot:",
7170 "initSymbolicLinkWithDestination:",
7171 "initTableControls",
7172 "initTextCell:",
7173 "initTextCell:pullsDown:",
7174 "initTitleButton:",
7175 "initTitleCell:",
7176 "initTitleCell:styleMask:",
7177 "initUnixFile:",
7178 "initWithAddressBookRef:",
7179 "initWithAffectedRange:layoutManager:undoManager:",
7180 "initWithAffectedRange:layoutManager:undoManager:replacementRange:",
7181 "initWithArray:",
7182 "initWithArray:addObject:",
7183 "initWithArray:andToolBar:buttonOffset:",
7184 "initWithArray:copyItems:",
7185 "initWithArray:removeObject:",
7186 "initWithArray:removeObjectAtIndex:",
7187 "initWithAttributeDictionary:",
7188 "initWithAttributedString:",
7189 "initWithAttributes:",
7190 "initWithAttributes:range:",
7191 "initWithBTree:",
7192 "initWithBitmapDataPlanes:pixelsWide:pixelsHigh:bitsPerSample:samplesPerPixel:hasAlpha:isPlanar:colorSpaceName:bytesPerRow:bitsPerPixel:",
7193 "initWithBitmapDataPlanes:pixelsWide:pixelsHigh:bitsPerSample:samplesPerPixel:hasAlpha:isPlanar:colorSpaceName:bytesPerRow:bitsPerPixel:size:",
7194 "initWithBitmapRepresentation:",
7195 "initWithBom:archNames:delegate:",
7196 "initWithBom:archNames:delegate:inodeMap:",
7197 "initWithBool:",
7198 "initWithButtonID:",
7199 "initWithBytes:length:",
7200 "initWithBytes:length:copy:freeWhenDone:bytesAreVM:",
7201 "initWithBytes:length:encoding:",
7202 "initWithBytes:objCType:",
7203 "initWithBytesNoCopy:length:",
7204 "initWithCString:",
7205 "initWithCString:length:",
7206 "initWithCStringNoCopy:length:",
7207 "initWithCStringNoCopy:length:freeWhenDone:",
7208 "initWithCapacity:",
7209 "initWithCapacity:compareSelector:",
7210 "initWithCatalogName:colorName:genericColor:",
7211 "initWithCell:",
7212 "initWithChar:",
7213 "initWithCharacterRange:isSoft:",
7214 "initWithCharacterSet:",
7215 "initWithCharacters:length:",
7216 "initWithCharactersInString:",
7217 "initWithCharactersNoCopy:length:",
7218 "initWithCharactersNoCopy:length:freeWhenDone:",
7219 "initWithClassDescription:editingContext:",
7220 "initWithClassPath:",
7221 "initWithClient:",
7222 "initWithCoder:",
7223 "initWithColorList:",
7224 "initWithCommandDescription:",
7225 "initWithComment:",
7226 "initWithComment:useDashes:",
7227 "initWithCompareSelector:",
7228 "initWithCondition:",
7229 "initWithConnection:components:",
7230 "initWithContainerClassDescription:containerSpecifier:key:",
7231 "initWithContainerClassDescription:containerSpecifier:key:index:",
7232 "initWithContainerClassDescription:containerSpecifier:key:relativePosition:baseSpecifier:",
7233 "initWithContainerClassDescription:containerSpecifier:key:startSpecifier:endSpecifier:",
7234 "initWithContainerClassDescription:containerSpecifier:key:test:",
7235 "initWithContainerSize:",
7236 "initWithContainerSpecifier:key:",
7237 "initWithContentRect:",
7238 "initWithContentRect:comboBoxCell:",
7239 "initWithContentRect:styleMask:backing:defer:",
7240 "initWithContentRect:styleMask:backing:defer:drawer:",
7241 "initWithContentRect:styleMask:backing:defer:screen:",
7242 "initWithContentSize:preferredEdge:",
7243 "initWithContentsOfFile:",
7244 "initWithContentsOfFile:andButtonSize:",
7245 "initWithContentsOfFile:andButtonsWithSize:buttonOffset:",
7246 "initWithContentsOfFile:byReference:",
7247 "initWithContentsOfFile:ofType:",
7248 "initWithContentsOfMappedFile:",
7249 "initWithContentsOfURL:",
7250 "initWithContentsOfURL:byReference:",
7251 "initWithContentsOfURL:ofType:",
7252 "initWithCyan:magenta:yellow:black:alpha:",
7253 "initWithData:",
7254 "initWithData:DIBFormat:",
7255 "initWithData:encoding:",
7256 "initWithData:isFull:",
7257 "initWithData:range:",
7258 "initWithDataRepresentation:",
7259 "initWithDate:",
7260 "initWithDateFormat:allowNaturalLanguage:",
7261 "initWithDecimal:",
7262 "initWithDefaultAttributes:",
7263 "initWithDelegate:",
7264 "initWithDelegate:name:",
7265 "initWithDescriptor:andSize:forWriting:",
7266 "initWithDescriptor:andSize:forWriting:isTemporary:",
7267 "initWithDescriptorType:data:",
7268 "initWithDictionary:",
7269 "initWithDictionary:copyItems:",
7270 "initWithDictionary:removeObjectForKey:",
7271 "initWithDictionary:setObject:forKey:",
7272 "initWithDisplayDisciplineLevelsAndString:displayOnly:",
7273 "initWithDisplayName:address:type:message:",
7274 "initWithDocument:",
7275 "initWithDomainName:key:title:image:",
7276 "initWithDouble:",
7277 "initWithDrawSelector:delegate:",
7278 "initWithDrawingFrame:inTextView:editedItem:editedCell:",
7279 "initWithDynamicMenuItemDictionary:",
7280 "initWithEditingContext:classDescription:globalID:",
7281 "initWithEditor:",
7282 "initWithElementName:",
7283 "initWithElementSize:capacity:",
7284 "initWithEntityName:qualifier:sortOrderings:usesDistinct:isDeep:hints:",
7285 "initWithEventClass:eventID:targetDescriptor:returnID:transactionID:",
7286 "initWithExactName:data:",
7287 "initWithExpressionString:",
7288 "initWithExternalRepresentation:",
7289 "initWithFile:",
7290 "initWithFile:forDirectory:",
7291 "initWithFile:fromBom:keepArchs:keepLangs:",
7292 "initWithFile:fromDirectory:",
7293 "initWithFile:fromDirectory:includeDirectoryPath:",
7294 "initWithFileAttributes:",
7295 "initWithFileDescriptor:",
7296 "initWithFileDescriptor:closeOnDealloc:",
7297 "initWithFileName:markerName:",
7298 "initWithFileWrapper:",
7299 "initWithFireDate:interval:target:selector:userInfo:repeats:userInfoIsArgument:",
7300 "initWithFloat:",
7301 "initWithFocusedViewRect:",
7302 "initWithFolderType:createFolder:",
7303 "initWithFormat:",
7304 "initWithFormat:arguments:",
7305 "initWithFormat:locale:",
7306 "initWithFormat:locale:arguments:",
7307 "initWithFormat:shareContext:",
7308 "initWithFrame:",
7309 "initWithFrame:cellCount:name:",
7310 "initWithFrame:depth:",
7311 "initWithFrame:framedItem:",
7312 "initWithFrame:htmlView:",
7313 "initWithFrame:inStatusBar:",
7314 "initWithFrame:inWindow:",
7315 "initWithFrame:menuView:",
7316 "initWithFrame:mode:cellClass:numberOfRows:numberOfColumns:",
7317 "initWithFrame:mode:prototype:numberOfRows:numberOfColumns:",
7318 "initWithFrame:pixelFormat:",
7319 "initWithFrame:prototypeRulerMarker:",
7320 "initWithFrame:pullsDown:",
7321 "initWithFrame:rawTextController:",
7322 "initWithFrame:styleMask:owner:",
7323 "initWithFrame:text:alignment:",
7324 "initWithFrame:textContainer:",
7325 "initWithFrame:textController:",
7326 "initWithFunc:forImp:selector:",
7327 "initWithFunc:ivarOffset:",
7328 "initWithGlyphIndex:characterRange:",
7329 "initWithGrammar:",
7330 "initWithGrammarRules:andGroups:",
7331 "initWithHTML:baseURL:documentAttributes:",
7332 "initWithHTML:documentAttributes:",
7333 "initWithHTMLString:url:",
7334 "initWithHeaderLevel:",
7335 "initWithHeaders:",
7336 "initWithHeaders:flags:size:uid:",
7337 "initWithHeap:",
7338 "initWithHorizontalRule:",
7339 "initWithHost:port:",
7340 "initWithHostName:serverName:textProc:errorProc:timeout:secure:encapsulated:",
7341 "initWithHosts:port:",
7342 "initWithHue:saturation:brightness:alpha:",
7343 "initWithIdentifier:",
7344 "initWithImage:",
7345 "initWithImage:foregroundColorHint:backgroundColorHint:hotSpot:",
7346 "initWithImage:hotSpot:",
7347 "initWithImage:representedItem:outliningWhenSelected:",
7348 "initWithImage:representedItem:outliningWhenSelected:size:",
7349 "initWithImage:selectedImage:representedItem:",
7350 "initWithImage:window:",
7351 "initWithInt:",
7352 "initWithInvocation:conversation:sequence:importedObjects:connection:",
7353 "initWithKey:",
7354 "initWithKey:isStored:",
7355 "initWithKey:mask:binding:",
7356 "initWithKey:operatorSelector:value:",
7357 "initWithKey:selector:",
7358 "initWithKeyValueUnarchiver:",
7359 "initWithLeftKey:operatorSelector:rightKey:",
7360 "initWithLength:",
7361 "initWithLocal:connection:",
7362 "initWithLong:",
7363 "initWithLongLong:",
7364 "initWithMKKDInitializer:index:",
7365 "initWithMKKDInitializer:index:key:",
7366 "initWithMachMessage:",
7367 "initWithMachPort:",
7368 "initWithMantissa:exponent:isNegative:",
7369 "initWithMapping:",
7370 "initWithMarker:attributeString:",
7371 "initWithMarker:attributes:",
7372 "initWithMasterClassDescription:detailKey:",
7373 "initWithMasterDataSource:detailKey:",
7374 "initWithMessage:",
7375 "initWithMessage:connection:",
7376 "initWithMessage:sender:subject:dateReceived:",
7377 "initWithMessage:sender:to:subject:dateReceived:",
7378 "initWithMessageStore:",
7379 "initWithMethodSignature:",
7380 "initWithMimeBodyPart:",
7381 "initWithMovie:",
7382 "initWithMutableAttributedString:",
7383 "initWithMutableData:forDebugging:languageEncoding:nameEncoding:textProc:errorProc:",
7384 "initWithName:",
7385 "initWithName:data:",
7386 "initWithName:element:",
7387 "initWithName:elementNames:",
7388 "initWithName:fromFile:",
7389 "initWithName:host:",
7390 "initWithName:inFile:",
7391 "initWithName:object:userInfo:",
7392 "initWithName:parent:resolve:",
7393 "initWithName:reason:userInfo:",
7394 "initWithNotificationCenter:",
7395 "initWithObjectSpecifier:comparisonOperator:testObject:",
7396 "initWithObjects:",
7397 "initWithObjects:count:",
7398 "initWithObjects:count:target:reverse:freeWhenDone:",
7399 "initWithObjects:forKeys:",
7400 "initWithObjects:forKeys:count:",
7401 "initWithObjectsAndKeys:",
7402 "initWithOffset:",
7403 "initWithParentObjectStore:",
7404 "initWithPasteboard:",
7405 "initWithPasteboardDataRepresentation:",
7406 "initWithPath:",
7407 "initWithPath:create:readOnly:account:",
7408 "initWithPath:documentAttributes:",
7409 "initWithPath:encoding:ignoreRTF:ignoreHTML:uniqueZone:",
7410 "initWithPath:encoding:uniqueZone:",
7411 "initWithPath:flags:createMode:",
7412 "initWithPath:inAccount:",
7413 "initWithPath:mode:uid:gid:mTime:inode:device:",
7414 "initWithPath:mode:uid:gid:mTime:inode:size:",
7415 "initWithPath:mode:uid:gid:mTime:inode:size:sum:",
7416 "initWithPath:mode:uid:gid:mTime:inode:size:sum:target:",
7417 "initWithPersistentStateDictionary:",
7418 "initWithPickerMask:colorPanel:",
7419 "initWithPosition:objectSpecifier:",
7420 "initWithPostingsIn:",
7421 "initWithPreferenceDisciplineLevelsAndString:displayOnly:",
7422 "initWithPropertyList:owner:",
7423 "initWithProtocolFamily:socketType:protocol:address:",
7424 "initWithProtocolFamily:socketType:protocol:socket:",
7425 "initWithQualifier:",
7426 "initWithQualifierArray:",
7427 "initWithQualifiers:",
7428 "initWithQueue:threadNumber:",
7429 "initWithRTF:",
7430 "initWithRTF:documentAttributes:",
7431 "initWithRTFD:",
7432 "initWithRTFD:documentAttributes:",
7433 "initWithRTFDFileWrapper:",
7434 "initWithRTFDFileWrapper:documentAttributes:",
7435 "initWithRange:",
7436 "initWithRawCatalogInfo:name:parentRef:hidden:",
7437 "initWithRealClient:",
7438 "initWithRealTextStorage:",
7439 "initWithReceivePort:sendPort:",
7440 "initWithReceivePort:sendPort:components:",
7441 "initWithRect:color:ofView:",
7442 "initWithRed:green:blue:alpha:",
7443 "initWithRef:",
7444 "initWithRef:containerType:",
7445 "initWithRef:hidden:",
7446 "initWithRefCountedRunArray:",
7447 "initWithRemoteName:",
7448 "initWithRepresentedItem:",
7449 "initWithRepresentedItem:baseImage:size:",
7450 "initWithRepresentedItem:image:label:size:",
7451 "initWithRepresentedItem:imageType:size:",
7452 "initWithResults:connection:",
7453 "initWithRoot:",
7454 "initWithRoundingMode:scale:raiseOnExactness:raiseOnOverflow:raiseOnUnderflow:raiseOnDivideByZero:",
7455 "initWithRulebookSet:",
7456 "initWithRulerView:markerLocation:image:imageOrigin:",
7457 "initWithRunStorage:",
7458 "initWithScheme:host:path:",
7459 "initWithScript:",
7460 "initWithScriptString:",
7461 "initWithScrollView:orientation:",
7462 "initWithSelection:",
7463 "initWithSelector:",
7464 "initWithSendPort:receivePort:components:",
7465 "initWithSerializedRepresentation:",
7466 "initWithSet:",
7467 "initWithSet:copyItems:",
7468 "initWithSetFunc:forImp:selector:",
7469 "initWithSetFunc:ivarOffset:",
7470 "initWithSetHeader:",
7471 "initWithShort:",
7472 "initWithSize:",
7473 "initWithSize:depth:separate:alpha:",
7474 "initWithSparseArray:",
7475 "initWithStatusMessage:",
7476 "initWithStore:",
7477 "initWithStorePaths:",
7478 "initWithString:",
7479 "initWithString:attributes:",
7480 "initWithString:calendarFormat:",
7481 "initWithString:calendarFormat:locale:",
7482 "initWithString:locale:",
7483 "initWithString:relativeToURL:",
7484 "initWithString:type:",
7485 "initWithSuiteName:bundle:",
7486 "initWithSuiteName:className:dictionary:",
7487 "initWithSuiteName:commandName:dictionary:",
7488 "initWithSyntacticDiscipline:semanticDiscipline:string:displayOnly:",
7489 "initWithTCPPort:",
7490 "initWithTable:",
7491 "initWithTarget:",
7492 "initWithTarget:action:priority:",
7493 "initWithTarget:connection:",
7494 "initWithTarget:invocation:",
7495 "initWithTarget:protocol:",
7496 "initWithTarget:selector:object:",
7497 "initWithText:fillColor:textColor:shape:representedItem:",
7498 "initWithTextAttachment:",
7499 "initWithTextStorage:",
7500 "initWithTextStorage:range:",
7501 "initWithTimeInterval:sinceDate:",
7502 "initWithTimeIntervalSince1970:",
7503 "initWithTimeIntervalSinceNow:",
7504 "initWithTimeIntervalSinceReferenceDate:",
7505 "initWithTimeout:",
7506 "initWithTitle:",
7507 "initWithTitle:action:keyEquivalent:",
7508 "initWithTransform:",
7509 "initWithTree:",
7510 "initWithType:arg:",
7511 "initWithType:location:",
7512 "initWithType:message:",
7513 "initWithURL:byReference:",
7514 "initWithURL:cached:",
7515 "initWithURL:documentAttributes:",
7516 "initWithUTF8String:",
7517 "initWithUnsignedChar:",
7518 "initWithUnsignedInt:",
7519 "initWithUnsignedLong:",
7520 "initWithUnsignedLongLong:",
7521 "initWithUnsignedShort:",
7522 "initWithUser:",
7523 "initWithVCard:",
7524 "initWithVCardRef:",
7525 "initWithView:",
7526 "initWithView:className:",
7527 "initWithView:height:fill:",
7528 "initWithView:printInfo:",
7529 "initWithView:representedItem:",
7530 "initWithWhite:alpha:",
7531 "initWithWindow:",
7532 "initWithWindow:rect:",
7533 "initWithWindowNibName:",
7534 "initWithWindowNibName:owner:",
7535 "initWithWindowNibPath:owner:",
7536 "initWithYear:month:day:hour:minute:second:timeZone:",
7537 "initialEvent",
7538 "initialFirstResponder",
7539 "initialPoint",
7540 "initialize",
7541 "initializeBackingStoreForLocation:",
7542 "initializeFromDefaults",
7543 "initializeItem:",
7544 "initializeObject:withGlobalID:editingContext:",
7545 "initializeUserAndSystemFonts",
7546 "initializeUserInterface",
7547 "initializerFromKeyArray:",
7548 "innerBorder",
7549 "innerBorderColor",
7550 "innerRect",
7551 "innerTitleRect",
7552 "inode",
7553 "inodeMap",
7554 "inputClientBecomeActive:",
7555 "inputClientDisabled:",
7556 "inputClientEnabled:",
7557 "inputClientResignActive:",
7558 "inputContext",
7559 "inputContextWithClient:",
7560 "inputKeyBindingManager",
7561 "inputSize",
7562 "inputType",
7563 "insert:",
7564 "insert:at:",
7565 "insert:replaceOK:",
7566 "insert:replaceOK:andWriteData:",
7567 "insert:value:",
7568 "insertAddress:forHeader:atIndex:",
7569 "insertAttributedString:atIndex:",
7570 "insertBacktab:",
7571 "insertBrowser:",
7572 "insertButton:",
7573 "insertCheckBox:",
7574 "insertChild:atIndex:",
7575 "insertChildren:atIndex:",
7576 "insertColor:key:atIndex:",
7577 "insertColumn:",
7578 "insertColumn:withCells:",
7579 "insertDescriptor:atIndex:",
7580 "insertElement:at:",
7581 "insertElement:atIndex:",
7582 "insertElement:range:coalesceRuns:",
7583 "insertElements:count:atIndex:",
7584 "insertEntry:atIndex:",
7585 "insertFile:",
7586 "insertFile:withInode:onDevice:",
7587 "insertFileInput:",
7588 "insertFileUpload:",
7589 "insertFiles:",
7590 "insertGlyph:atGlyphIndex:characterIndex:",
7591 "insertHiddenField:",
7592 "insertHtmlDictionary:isPlainText:",
7593 "insertImage:",
7594 "insertImageButton:",
7595 "insertImageFile:",
7596 "insertInBccRecipients:atIndex:",
7597 "insertInCcRecipients:atIndex:",
7598 "insertInComposeMessages:atIndex:",
7599 "insertInMessageEditors:atIndex:",
7600 "insertInOrderedDocuments:atIndex:",
7601 "insertInScrollViewWithMaxLines:",
7602 "insertInToRecipients:atIndex:",
7603 "insertInode:andPath:",
7604 "insertInodeIfNotPresent:andPath:",
7605 "insertInputElementOfType:followedByText:",
7606 "insertItem:atIndex:",
7607 "insertItem:path:dirInfo:zone:plist:",
7608 "insertItemWithObjectValue:atIndex:",
7609 "insertItemWithTitle:action:keyEquivalent:atIndex:",
7610 "insertItemWithTitle:atIndex:",
7611 "insertNewButtonImage:in:",
7612 "insertNewline:",
7613 "insertNewlineIgnoringFieldEditor:",
7614 "insertNode:overChildren:",
7615 "insertNonbreakingSpace:",
7616 "insertObject:",
7617 "insertObject:at:",
7618 "insertObject:atIndex:",
7619 "insertObject:range:",
7620 "insertObject:usingSortFunction:context:",
7621 "insertObject:withGlobalID:",
7622 "insertObjectIfAbsent:usingSortFunction:context:",
7623 "insertParagraphSeparator:",
7624 "insertPasswordField:",
7625 "insertPath:andProject:",
7626 "insertPopUpButton:",
7627 "insertPreferringDirectories:",
7628 "insertProxy:",
7629 "insertRadioButton:",
7630 "insertRecipient:atIndex:inHeaderWithKey:",
7631 "insertResetButton:",
7632 "insertRow:",
7633 "insertRow:withCells:",
7634 "insertSelector",
7635 "insertSpace:atIndex:",
7636 "insertString:atIndex:",
7637 "insertString:atLocation:",
7638 "insertSubmitButton:",
7639 "insertTab:",
7640 "insertTabIgnoringFieldEditor:",
7641 "insertTabViewItem:atIndex:",
7642 "insertText:",
7643 "insertText:client:",
7644 "insertTextArea:",
7645 "insertTextContainer:atIndex:",
7646 "insertTextField:",
7647 "insertValue:atIndex:inPropertyWithKey:",
7648 "insertedObjects",
7649 "insertionContainer",
7650 "insertionIndex",
7651 "insertionKey",
7652 "insertionPointColor",
7653 "inspectedBody",
7654 "inspectedDocument",
7655 "inspectedHTMLView",
7656 "inspectedItem",
7657 "inspectedSelection",
7658 "inspectionChanged",
7659 "inspectionChanged:",
7660 "inspectorClass",
7661 "inspectorClassForItem:",
7662 "inspectorClassName",
7663 "inspectorFor:",
7664 "inspectorIsFloating",
7665 "inspectorName",
7666 "inspectorView",
7667 "installInputManagerMenu",
7668 "instanceMethodDescFor:",
7669 "instanceMethodDescriptionForSelector:",
7670 "instanceMethodFor:",
7671 "instanceMethodForSelector:",
7672 "instanceMethodSignatureForSelector:",
7673 "instancesImplementSelector:",
7674 "instancesRespondTo:",
7675 "instancesRespondToSelector:",
7676 "instancesRetainRegisteredObjects",
7677 "instantiate::",
7678 "instantiateObject:",
7679 "instantiateProjectNamed:inDirectory:appendProjectExtension:",
7680 "instantiateWithMarker:attributes:",
7681 "instantiateWithObjectInstantiator:",
7682 "intAttribute:forGlyphAtIndex:",
7683 "intForKey:inTable:",
7684 "intValue",
7685 "intValueForAttribute:withDefault:",
7686 "intValueForAttribute:withDefault:minimum:",
7687 "integerForKey:",
7688 "interRowSpacing",
7689 "intercellSpacing",
7690 "interfaceExtension",
7691 "interfaceStyle",
7692 "interiorFrame",
7693 "internalSaveTo:removeBackup:errorHandler:",
7694 "internalSaveTo:removeBackup:errorHandler:temp:backup:",
7695 "internalWritePath:errorHandler:remapContents:",
7696 "interpretEventAsCommand:forClient:",
7697 "interpretEventAsText:forClient:",
7698 "interpretKeyEvents:",
7699 "interpretKeyEvents:forClient:",
7700 "interpretKeyEvents:sender:",
7701 "interpreterArguments",
7702 "interpreterPath",
7703 "interrupt",
7704 "interruptExecution",
7705 "intersectBitVector:",
7706 "intersectSet:",
7707 "intersectionWithBitVector:",
7708 "intersectsBitVector:",
7709 "intersectsItem:",
7710 "intersectsSet:",
7711 "interval",
7712 "invTransform:",
7713 "invTransformRect:",
7714 "invalidate",
7715 "invalidate:",
7716 "invalidateAllObjects",
7717 "invalidateAttributesInRange:",
7718 "invalidateClassDescriptionCache",
7719 "invalidateConnectionsAsNecessary:",
7720 "invalidateCursorRectsForView:",
7721 "invalidateDeleteStack",
7722 "invalidateDisplayForCharacterRange:",
7723 "invalidateDisplayForGlyphRange:",
7724 "invalidateEditingContext",
7725 "invalidateFocus:",
7726 "invalidateGlyphsForCharacterRange:changeInLength:actualCharacterRange:",
7727 "invalidateHashMarks",
7728 "invalidateInvisible",
7729 "invalidateLayoutForCharacterRange:isSoft:actualCharacterRange:",
7730 "invalidateObjectsWithGlobalIDs:",
7731 "invalidateProxy",
7732 "invalidateResourceCache",
7733 "invalidateTable",
7734 "invalidateTargetSourceTree",
7735 "invalidateTextContainerOrigin",
7736 "invalidateWrapper",
7737 "invalidatesObjectsWhenFreed",
7738 "inverseForRelationshipKey:",
7739 "invert",
7740 "invertedDictionary",
7741 "invertedSet",
7742 "invocation",
7743 "invocationWithMethodSignature:",
7744 "invocationWithSelector:target:object:",
7745 "invocationWithSelector:target:object:taskName:canBeCancelled:",
7746 "invocationWithSelector:target:taskName:canBeCancelled:",
7747 "invoke",
7748 "invokeEditorForItem:selecting:",
7749 "invokeEditorForItem:withEvent:",
7750 "invokeServiceIn:msg:pb:userData:error:",
7751 "invokeServiceIn:msg:pb:userData:menu:remoteServices:",
7752 "invokeWithTarget:",
7753 "isAClassOfObject:",
7754 "isARepeat",
7755 "isAbsolutePath",
7756 "isActive",
7757 "isAddressBookActive:",
7758 "isAddressHeaderKey:",
7759 "isAggregate",
7760 "isAlias",
7761 "isAlwaysVisible",
7762 "isAncestorOfObject:",
7763 "isAnyAccountOffline",
7764 "isAppleScriptConnectionOpen",
7765 "isApplication",
7766 "isAtEnd",
7767 "isAttached",
7768 "isAttributeKeyEqual:",
7769 "isAttributeStringValueEqual:",
7770 "isAutodisplay",
7771 "isAutoscroll",
7772 "isAvailableForIndexing",
7773 "isAvailableForViewing",
7774 "isBacked",
7775 "isBackgroundProcessingEnabled",
7776 "isBaseFont",
7777 "isBeginMark",
7778 "isBezeled",
7779 "isBidirectionalControlCharacter:",
7780 "isBlockItem:",
7781 "isBooleanAttribute:",
7782 "isBordered",
7783 "isBorderedForState:",
7784 "isBound",
7785 "isBycopy",
7786 "isByref",
7787 "isCachedSeparately",
7788 "isCanonical",
7789 "isCaseInsensitiveLike:",
7790 "isClosedByCloseTag:",
7791 "isClosedByOpenTag:",
7792 "isClosedByUnadaptableOpenTag:",
7793 "isCoalescing",
7794 "isColor",
7795 "isColumnSelected:",
7796 "isCompact",
7797 "isContextHelpModeActive",
7798 "isContinuous",
7799 "isContinuousSpellCheckingEnabled",
7800 "isControllerVisible",
7801 "isCopyingOperation",
7802 "isCurrListEditable",
7803 "isDataRetained",
7804 "isDaylightSavingTime",
7805 "isDaylightSavingTimeForDate:",
7806 "isDaylightSavingTimeForTimeInterval:",
7807 "isDeadKeyProcessingEnabled",
7808 "isDeep",
7809 "isDeferred",
7810 "isDeletableFileAtPath:",
7811 "isDescendantOf:",
7812 "isDirectory",
7813 "isDirty",
7814 "isDisjoint",
7815 "isDisplayPostingDisabled",
7816 "isDisposable",
7817 "isDocumentEdited",
7818 "isDragging",
7819 "isDrawingToScreen",
7820 "isEPSOperation",
7821 "isEditable",
7822 "isEmpty",
7823 "isEnabled",
7824 "isEndMark",
7825 "isEntryAcceptable:",
7826 "isEqual:",
7827 "isEqualTo:",
7828 "isEqualToArray:",
7829 "isEqualToAttributedString:",
7830 "isEqualToBitVector:",
7831 "isEqualToConjointSelection:",
7832 "isEqualToData:",
7833 "isEqualToDate:",
7834 "isEqualToDictionary:",
7835 "isEqualToDisjointSelection:",
7836 "isEqualToDisplayOnlySelection:",
7837 "isEqualToHost:",
7838 "isEqualToNumber:",
7839 "isEqualToSelection:",
7840 "isEqualToSet:",
7841 "isEqualToString:",
7842 "isEqualToTimeZone:",
7843 "isEqualToValue:",
7844 "isError",
7845 "isEventCoalescingEnabled",
7846 "isExcludedFromWindowsMenu",
7847 "isExecutableFileAtPath:",
7848 "isExpandable:",
7849 "isExpanded",
7850 "isFault",
7851 "isFault:",
7852 "isFetching",
7853 "isFieldEditor",
7854 "isFileReference",
7855 "isFileURL",
7856 "isFinal",
7857 "isFixedPitch",
7858 "isFlipped",
7859 "isFloatingPanel",
7860 "isFlushDisabled",
7861 "isFlushWindowDisabled",
7862 "isFocused",
7863 "isFontAvailable:",
7864 "isFragment",
7865 "isFrameConnected",
7866 "isFrameset",
7867 "isFrozen",
7868 "isGreaterThan:",
7869 "isGreaterThanOrEqualTo:",
7870 "isGroup",
7871 "isHTML",
7872 "isHTMLChange",
7873 "isHardLinkGroupLeader:",
7874 "isHeader",
7875 "isHeartBeatThread",
7876 "isHidden",
7877 "isHighlighted",
7878 "isHitByPath:",
7879 "isHitByPoint:",
7880 "isHitByRect:",
7881 "isHorizontal",
7882 "isHorizontallyCentered",
7883 "isHorizontallyResizable",
7884 "isHostCacheEnabled",
7885 "isIdentical:",
7886 "isIdenticalTo:",
7887 "isIdenticalToIgnoringMTime:",
7888 "isImmutableNode:",
7889 "isInInterfaceBuilder",
7890 "isIndeterminate",
7891 "isIndexOnly",
7892 "isIndexed",
7893 "isInlineSpellCheckingEnabled",
7894 "isIsolatedFromChildren",
7895 "isIsolatedFromText",
7896 "isIsolatedInNode:",
7897 "isItemAtPathExpandable:",
7898 "isItemExpanded:",
7899 "isKey:inTable:",
7900 "isKeyEqual:",
7901 "isKeyWindow",
7902 "isKindOf:",
7903 "isKindOfClass:",
7904 "isKindOfClass:forFault:",
7905 "isKindOfClassNamed:",
7906 "isKindOfGivenName:",
7907 "isLeaf",
7908 "isLessThan:",
7909 "isLessThanOrEqualTo:",
7910 "isLike:",
7911 "isLoaded",
7912 "isLocalMount",
7913 "isLocalizable:",
7914 "isLocking",
7915 "isMainWindow",
7916 "isMatch",
7917 "isMemberOf:",
7918 "isMemberOfClass:",
7919 "isMemberOfClass:forFault:",
7920 "isMemberOfClassNamed:",
7921 "isMemberOfGivenName:",
7922 "isMessageAvailable:",
7923 "isMiniaturizable",
7924 "isMiniaturized",
7925 "isModalPanel",
7926 "isMovable",
7927 "isMultiThreaded",
7928 "isMultiple",
7929 "isMutable",
7930 "isMuted",
7931 "isNSIDispatchProxy",
7932 "isNativeType:",
7933 "isNotEqualTo:",
7934 "isObjectLockedWithGlobalID:editingContext:",
7935 "isObjectScheduledForDeallocation:",
7936 "isObscured",
7937 "isOffline",
7938 "isOneItem",
7939 "isOneShot",
7940 "isOneway",
7941 "isOpaque",
7942 "isOpaqueForState:",
7943 "isOpen",
7944 "isOptionalArgumentWithName:",
7945 "isOutputStackInReverseOrder",
7946 "isOutputTraced",
7947 "isPackage",
7948 "isPaneSplitter",
7949 "isPartialStringValid:newEditingString:errorDescription:",
7950 "isPartialStringValid:proposedSelectedRange:originalString:originalSelectedRange:errorDescription:",
7951 "isPathToFrameworkProject",
7952 "isPercentageHeight",
7953 "isPercentageWidth",
7954 "isPlanar",
7955 "isPlaying",
7956 "isProxy",
7957 "isPublic:",
7958 "isQuotedString",
7959 "isReadOnly",
7960 "isReadOnlyKey:",
7961 "isReadable",
7962 "isReadableFileAtPath:",
7963 "isReadableWithinTimeout:",
7964 "isReadableWithinTimeout:descriptor:",
7965 "isRedoing",
7966 "isRegularFile",
7967 "isReleasedWhenClosed",
7968 "isRemovable",
7969 "isRenderingRoot",
7970 "isResizable",
7971 "isRich",
7972 "isRichText",
7973 "isRotatedFromBase",
7974 "isRotatedOrScaledFromBase",
7975 "isRowSelected:",
7976 "isRulerVisible",
7977 "isRunning",
7978 "isScalarProperty",
7979 "isScrollable",
7980 "isSelectable",
7981 "isSelectionByRect",
7982 "isSelectionVisible",
7983 "isSeparatorItem",
7984 "isServicesMenuItemEnabled:forUser:",
7985 "isSetOnMouseEntered",
7986 "isSetOnMouseExited",
7987 "isShadowed",
7988 "isShowingAllHeaders",
7989 "isSimple",
7990 "isSimpleAndNeedsMeasuring",
7991 "isSimpleRectangularTextContainer",
7992 "isSorted",
7993 "isSortedAscending",
7994 "isSortedDescending",
7995 "isSpinning",
7996 "isStrokeHitByPath:",
7997 "isStrokeHitByPoint:",
7998 "isStrokeHitByRect:",
7999 "isSubdirectoryOfPath:",
8000 "isSubsetOfSet:",
8001 "isSuccessful",
8002 "isSuperclassOfClass:",
8003 "isSupportingCoalescing",
8004 "isSymbolicLink",
8005 "isSynchronized",
8006 "isTag:closedByOpenTag:",
8007 "isTemporary",
8008 "isTextItem:",
8009 "isTitled",
8010 "isToMany",
8011 "isToManyKey:",
8012 "isTopLevel",
8013 "isTornOff",
8014 "isTouched",
8015 "isTracking",
8016 "isTransparent",
8017 "isTrash",
8018 "isTrue",
8019 "isUndoRegistrationEnabled",
8020 "isUndoable",
8021 "isUndoing",
8022 "isUnfinished",
8023 "isUniqueItem:",
8024 "isValid",
8025 "isValidGlyphIndex:",
8026 "isValidMailboxDirectory:",
8027 "isVertical",
8028 "isVerticallyCentered",
8029 "isVerticallyResizable",
8030 "isVisible",
8031 "isVisited",
8032 "isWaitCursorEnabled",
8033 "isWellFormed",
8034 "isWhitespaceString",
8035 "isWindowInFocusStack:",
8036 "isWindowLoaded",
8037 "isWord:inDictionaries:caseSensitive:",
8038 "isWordInUserDictionaries:caseSensitive:",
8039 "isWrapper",
8040 "isWritable",
8041 "isWritableFileAtPath:",
8042 "isZeroLength",
8043 "isZoomable",
8044 "isZoomed",
8045 "italicAngle",
8046 "item",
8047 "item:acceptsAncestor:",
8048 "item:acceptsParent:",
8049 "item:isLegalChildOfParent:",
8050 "itemAdded:",
8051 "itemArray",
8052 "itemAtIndex:",
8053 "itemAtRow:",
8054 "itemBulletString",
8055 "itemChanged:",
8056 "itemConformingToProtocol:",
8057 "itemEditingIvarsCreateIfAbsent",
8058 "itemEditingIvarsNullIfAbsent",
8059 "itemEditingIvarsRaiseIfAbsent",
8060 "itemForGeneratedIndex:",
8061 "itemForLocation:affinity:",
8062 "itemForLocation:affinity:offset:withMap:",
8063 "itemForLocation:offset:withMap:",
8064 "itemForMarker:attributeString:",
8065 "itemForMarker:attributes:",
8066 "itemForRange:",
8067 "itemForRange:affinity:",
8068 "itemForRange:affinity:offset:withMap:",
8069 "itemForRange:offset:withMap:",
8070 "itemForView:",
8071 "itemFrameForEditorFrame:",
8072 "itemHeight",
8073 "itemMatrix",
8074 "itemObjectValueAtIndex:",
8075 "itemOfClass:",
8076 "itemRange",
8077 "itemRangeForItem:createIfNeeded:",
8078 "itemRemoved:",
8079 "itemTitleAtIndex:",
8080 "itemTitles",
8081 "itemWithID:",
8082 "itemWithName:",
8083 "itemWithName:ofClass:sourceDocument:",
8084 "itemWithName:sourceDocument:",
8085 "itemWithTag:",
8086 "itemWithTitle:",
8087 "javaDebuggerName",
8088 "javaUsed",
8089 "jobDisposition",
8090 "jumpSlider:",
8091 "jumpToSelection:",
8092 "keepBackupFile",
8093 "key",
8094 "keyBindingManager",
8095 "keyBindingManagerForClient:",
8096 "keyBindingState",
8097 "keyCell",
8098 "keyClassDescription",
8099 "keyCode",
8100 "keyCount",
8101 "keyDown:",
8102 "keyEnumerator",
8103 "keyEquivalent",
8104 "keyEquivalentAttributedString",
8105 "keyEquivalentFont",
8106 "keyEquivalentModifierMask",
8107 "keyEquivalentOffset",
8108 "keyEquivalentRectForBounds:",
8109 "keyEquivalentWidth",
8110 "keyEventWithType:location:modifierFlags:timestamp:windowNumber:context:characters:charactersIgnoringModifiers:isARepeat:keyCode:",
8111 "keyForFile:",
8112 "keyForFileWrapper:",
8113 "keyForMailboxPath:",
8114 "keyIsSubprojOrBundle:",
8115 "keyLimit",
8116 "keyPathForBindingKey:",
8117 "keySpecifier",
8118 "keyUp:",
8119 "keyValueBindingForKey:typeMask:",
8120 "keyValues",
8121 "keyValuesArray",
8122 "keyViewSelectionDirection",
8123 "keyWindow",
8124 "keyWindowFrameHighlightColor",
8125 "keyWindowFrameShadowColor",
8126 "keyWithAppleEventCode:",
8127 "keyboardFocusIndicatorColor",
8128 "keys",
8129 "keysSortedByValueUsingSelector:",
8130 "keywordForDescriptorAtIndex:",
8131 "knobColor",
8132 "knobProportion",
8133 "knobRectFlipped:",
8134 "knobThickness",
8135 "knownTimeZoneNames",
8136 "knowsLastFrame",
8137 "knowsLastPosition",
8138 "knowsPageRange:",
8139 "knowsPagesFirst:last:",
8140 "label",
8141 "labelFontOfSize:",
8142 "labelFontSize",
8143 "labelForHeader:",
8144 "labelText",
8145 "labelTextChanged",
8146 "labelledItemChanged",
8147 "language",
8148 "languageCode",
8149 "languageContext",
8150 "languageContextWithName:",
8151 "languageDir",
8152 "languageLevel",
8153 "languageName",
8154 "languageWithName:",
8155 "languagesPrefixesList",
8156 "lastAndFirstName",
8157 "lastCharacterIndex",
8158 "lastChild",
8159 "lastColumn",
8160 "lastComponentFromRelationshipPath",
8161 "lastComponentOfFileName",
8162 "lastConversation",
8163 "lastError",
8164 "lastFileError",
8165 "lastFrame",
8166 "lastIndex",
8167 "lastIndexOfObject:inRange:",
8168 "lastItem",
8169 "lastMessageDisplayed",
8170 "lastName",
8171 "lastObject",
8172 "lastPathComponent",
8173 "lastPosition",
8174 "lastResponse",
8175 "lastSemanticError",
8176 "lastTextContainer",
8177 "lastVisibleColumn",
8178 "lastmostSelectedRow",
8179 "laterDate:",
8180 "launch",
8181 "launchApplication:",
8182 "launchApplication:showIcon:autolaunch:",
8183 "launchPath",
8184 "launchWithDictionary:",
8185 "launchedTaskWithDictionary:",
8186 "launchedTaskWithLaunchPath:arguments:",
8187 "launchedTaskWithPath:arguments:",
8188 "layoutControlGlyphForLineFragment:",
8189 "layoutGlyphsInHorizontalLineFragment:baseline:",
8190 "layoutGlyphsInLayoutManager:startingAtGlyphIndex:maxNumberOfLineFragments:nextGlyphIndex:",
8191 "layoutManager",
8192 "layoutManager:didCompleteLayoutForTextContainer:atEnd:",
8193 "layoutManager:withOrigin:clickedOnLink:forItem:withRange:",
8194 "layoutManagerDidInvalidateLayout:",
8195 "layoutManagerOwnsFirstResponderInWindow:",
8196 "layoutManagers",
8197 "layoutTab",
8198 "layoutToolbarMainControlsToConfiguration:",
8199 "layoutToolbarWithResponder:toConfiguration:",
8200 "lazyBrowserCell",
8201 "leadingBlockCharacterLengthWithMap:",
8202 "leadingOffset",
8203 "learnWord:",
8204 "learnWord:language:",
8205 "leftIndentMarkerWithRulerView:location:",
8206 "leftKey",
8207 "leftMargin",
8208 "leftMarginMarkerWithRulerView:location:",
8209 "leftNeighbor",
8210 "leftSibling",
8211 "leftTabMarkerWithRulerView:location:",
8212 "length",
8213 "lengthWithMap:",
8214 "letterCharacterSet",
8215 "level",
8216 "levelForItem:",
8217 "levelForRow:",
8218 "levelsOfUndo",
8219 "lightBorderColor",
8220 "lightBorderColorForCell:",
8221 "lightGrayColor",
8222 "likesChildren",
8223 "limitDateForMode:",
8224 "lineBreak",
8225 "lineBreakBeforeIndex:withinRange:",
8226 "lineBreakHandler",
8227 "lineBreakInString:beforeIndex:withinRange:useBook:",
8228 "lineBreakMode",
8229 "lineCapStyle",
8230 "lineColor",
8231 "lineFragmentPadding",
8232 "lineFragmentRectForGlyphAtIndex:effectiveRange:",
8233 "lineFragmentRectForProposedRect:sweepDirection:movementDirection:remainingRect:",
8234 "lineFragmentUsedRectForGlyphAtIndex:effectiveRange:",
8235 "lineJoinStyle",
8236 "lineLength",
8237 "lineRangeForRange:",
8238 "lineScroll",
8239 "lineSpacing",
8240 "lineToPoint:",
8241 "lineWidth",
8242 "link:toExisting:",
8243 "link:toExisting:replaceOK:",
8244 "linkColor",
8245 "linkPath:toPath:handler:",
8246 "linkState",
8247 "linkSwitchChanged:",
8248 "linkTrackMouseDown:",
8249 "linksTo:",
8250 "list",
8251 "list:",
8252 "listDescriptor",
8253 "listDictionary",
8254 "listingForMailbox:includeAllChildren:",
8255 "load",
8256 "loadAddressBooks",
8257 "loadAnyNibNamed:owner:",
8258 "loadBitmapFileHeader",
8259 "loadBitmapInfoHeader",
8260 "loadCacheFromFile",
8261 "loadCachedImages",
8262 "loadCachedInfoFromBytes:",
8263 "loadCell:withColor:fromColorList:andText:",
8264 "loadClass:",
8265 "loadColorListNamed:fromFile:",
8266 "loadColumnZero",
8267 "loadDataRepresentation:ofType:",
8268 "loadDisplayGrammar",
8269 "loadEditableAddressBooks",
8270 "loadEditingGrammar",
8271 "loadFamilyNames",
8272 "loadFileWrapperRepresentation:ofType:",
8273 "loadFindStringFromPasteboard",
8274 "loadFindStringToPasteboard",
8275 "loadFromPath:encoding:ignoreRTF:ignoreHTML:",
8276 "loadImage:",
8277 "loadImageHeader",
8278 "loadImageWithName:",
8279 "loadInBackground",
8280 "loadInForeground",
8281 "loadLibrary:",
8282 "loadMessageAsynchronously:",
8283 "loadMovieFromFile:",
8284 "loadMovieFromURL:",
8285 "loadNib",
8286 "loadNibFile:externalNameTable:withZone:",
8287 "loadNibNamed:owner:",
8288 "loadPrinters:",
8289 "loadRegistry",
8290 "loadResourceDataNotifyingClient:usingCache:",
8291 "loadRulebook:",
8292 "loadSoundWithName:",
8293 "loadStandardAddressBooks",
8294 "loadStandardAddressBooksWithOptions:",
8295 "loadStylesFromDefaults",
8296 "loadSuiteWithDictionary:fromBundle:",
8297 "loadSuitesFromBundle:",
8298 "loadUI",
8299 "loadUserInfoCacheStartingFromPath:",
8300 "loadWindow",
8301 "loadedBundles",
8302 "loadedCellAtRow:column:",
8303 "localAccount",
8304 "localFiles",
8305 "localLibraryDirectory",
8306 "localObjects",
8307 "localProjectDidSave:",
8308 "localProxies",
8309 "localTimeZone",
8310 "locale",
8311 "localizableKeys",
8312 "localizations",
8313 "localizedCaseInsensitiveCompare:",
8314 "localizedCatalogNameComponent",
8315 "localizedColorNameComponent",
8316 "localizedCompare:",
8317 "localizedHelpString:",
8318 "localizedInputManagerName",
8319 "localizedNameForFamily:face:",
8320 "localizedNameForTIFFCompressionType:",
8321 "localizedNameOfStringEncoding:",
8322 "localizedScannerWithString:",
8323 "localizedStringForKey:value:table:",
8324 "localizedStringWithFormat:",
8325 "localizesFormat",
8326 "location",
8327 "locationForGlyphAtIndex:",
8328 "locationForSubmenu:",
8329 "locationInParentWithMap:",
8330 "locationInWindow",
8331 "locationOfPrintRect:",
8332 "locationWithMap:",
8333 "lock",
8334 "lockBeforeDate:",
8335 "lockDate",
8336 "lockFocus",
8337 "lockFocusForView:inRect:needsTranslation:",
8338 "lockFocusIfCanDraw",
8339 "lockFocusOnRepresentation:",
8340 "lockForReading",
8341 "lockForReadingWithExceptionHandler:",
8342 "lockForWriting",
8343 "lockObject:",
8344 "lockObjectWithGlobalID:editingContext:",
8345 "lockWhenCondition:",
8346 "lockWhenCondition:beforeDate:",
8347 "lockWithPath:",
8348 "lockedAttributedStringFromRTFDFile:",
8349 "lockedWriteRTFDToFile:atomically:",
8350 "locksObjects",
8351 "locksObjectsBeforeFirstModification",
8352 "logCommandBegin:string:",
8353 "logCommandEnd:",
8354 "logCopy",
8355 "logRead",
8356 "logResponse:",
8357 "logWhitespaceError:",
8358 "logWrite",
8359 "login:password:errorString:",
8360 "logout",
8361 "longForKey:",
8362 "longLongValue",
8363 "longMonthNames",
8364 "longValue",
8365 "longWeekdayNames",
8366 "lookup:",
8367 "lookupAbsolute:",
8368 "lookupAddressBookWithPath:",
8369 "lookupInode:",
8370 "lookupMakeVariable:",
8371 "lookupPathForShortName:andProject:",
8372 "lookupProjectsForAbsolutePath:",
8373 "lookupProjectsForRelativePath:",
8374 "lookupProjectsForShortName:",
8375 "loopMode",
8376 "loosenKerning:",
8377 "lossyCString",
8378 "lowerBaseline:",
8379 "lowerThreadPriority",
8380 "lowercaseLetterCharacterSet",
8381 "lowercaseSelfWithLocale:",
8382 "lowercaseString",
8383 "lowercaseStringWithLanguage:",
8384 "lowercaseWord:",
8385 "mTime",
8386 "machPort",
8387 "magentaColor",
8388 "magentaComponent",
8389 "mailAccountDirectory",
8390 "mailAccounts",
8391 "mailAttributedString:",
8392 "mailDocument:",
8393 "mailDocument:userData:error:",
8394 "mailFrom:",
8395 "mailSelection:userData:error:",
8396 "mailTo:userData:error:",
8397 "mailboxListingDidChange:",
8398 "mailboxListingIsShowing",
8399 "mailboxName",
8400 "mailboxNameFromPath:",
8401 "mailboxPathExtension",
8402 "mailboxSelected:",
8403 "mailboxSelectionChanged:",
8404 "mailboxSelectionOwner",
8405 "mailboxSelectionOwnerFromSender:",
8406 "mailboxes",
8407 "mailboxesController",
8408 "mailerPath",
8409 "mainBodyPart",
8410 "mainBundle",
8411 "mainInfoTable",
8412 "mainMenu",
8413 "mainNibFileForOSType:",
8414 "mainScreen",
8415 "mainWindow",
8416 "mainWindowFrameColor",
8417 "mainWindowFrameHighlightColor",
8418 "mainWindowFrameShadowColor",
8419 "maintainsFile:",
8420 "makeCellAtRow:column:",
8421 "makeCharacterSetCompact",
8422 "makeCharacterSetFast",
8423 "makeCompletePath:mode:",
8424 "makeConsistentWithTree:",
8425 "makeCurrentContext",
8426 "makeCurrentEditorInvisible",
8427 "makeDirectoryWithMode:",
8428 "makeDocumentWithContentsOfFile:ofType:",
8429 "makeDocumentWithContentsOfURL:ofType:",
8430 "makeEnvironment",
8431 "makeFile:localizable:",
8432 "makeFile:public:",
8433 "makeFirstResponder:",
8434 "makeIdentity",
8435 "makeImmutable",
8436 "makeKeyAndOrderFront:",
8437 "makeKeyWindow",
8438 "makeMainWindow",
8439 "makeMatrixIndirect:",
8440 "makeMimeBoundary",
8441 "makeNewConnection:sender:",
8442 "makeObject:performOnewaySelectorInMainThread:withObject:",
8443 "makeObject:performSelectorInMainThread:withObject:",
8444 "makeObject:performSelectorInMainThread:withObject:withObject:",
8445 "makeObjectIntoFault:withHandler:",
8446 "makeObjectsPerform:",
8447 "makeObjectsPerform:with:",
8448 "makeObjectsPerform:withObject:",
8449 "makeObjectsPerformSelector:",
8450 "makeObjectsPerformSelector:withObject:",
8451 "makeObjectsPerformSelector:withObject:withObject:",
8452 "makePlainText:",
8453 "makeReceiver:takeValue:",
8454 "makeToolbarControllerInBox:",
8455 "makeUniqueAttachmentNamed:inDirectory:",
8456 "makeUniqueAttachmentNamed:withExtension:inDirectory:",
8457 "makeUniqueFilePath",
8458 "makeUniqueTemporaryAttachmentInDirectory:",
8459 "makeUntitledDocumentOfType:",
8460 "makeVarForKey:",
8461 "makeWindowControllers",
8462 "makeWindowsPerform:inOrder:",
8463 "makefileDir",
8464 "makefileDirectory",
8465 "manager",
8466 "mapConversationToThread:",
8467 "mapForClass:",
8468 "mappedLength",
8469 "mapping",
8470 "mappingSize",
8471 "marginColor",
8472 "marginFloat",
8473 "marginHeight",
8474 "marginWidth",
8475 "marginsChanged",
8476 "markAsRead:",
8477 "markAsUnread:",
8478 "markAtomicEvent:info:",
8479 "markAtomicWithInfo:",
8480 "markBegin",
8481 "markEnd",
8482 "markEndOfEvent:",
8483 "markStartOfEvent:info:",
8484 "markStartWithInfo:",
8485 "markedItemEditingIvarsCreateIfAbsent",
8486 "markedItemEditingIvarsNullIfAbsent",
8487 "markedItemEditingIvarsRaiseIfAbsent",
8488 "markedRange",
8489 "markedTextAbandoned:",
8490 "markedTextAttributes",
8491 "markedTextSelectionChanged:client:",
8492 "marker",
8493 "markerCasingPolicy",
8494 "markerLocation",
8495 "markerName",
8496 "markers",
8497 "maskUsingBom:",
8498 "maskUsingPatternList:",
8499 "masterClassDescription",
8500 "masterDataSource",
8501 "masterObject",
8502 "match:pattern:",
8503 "matchedRangeForCString:range:subexpressionRanges:count:",
8504 "matchedRangeForString:range:subexpressionRanges:count:",
8505 "matchesAppleEventCode:",
8506 "matchesOnMultipleResolution",
8507 "matchesPattern:",
8508 "matchesPattern:caseInsensitive:",
8509 "matchesTextStyle:",
8510 "matchingAddressReferenceAtIndex:",
8511 "matrix",
8512 "matrix:didDragCell:fromIndex:toIndex:",
8513 "matrix:shouldDragCell:fromIndex:toMinIndex:maxIndex:",
8514 "matrixClass",
8515 "matrixInColumn:",
8516 "max",
8517 "maxContentSize",
8518 "maxHeight",
8519 "maxLength",
8520 "maxSize",
8521 "maxUserData",
8522 "maxValue",
8523 "maxVisibleColumns",
8524 "maxWidth",
8525 "maximum",
8526 "maximumAdvancement",
8527 "maximumDecimalNumber",
8528 "maximumKilobytes",
8529 "maximumLineHeight",
8530 "maximumWidth",
8531 "mboxIndexForStore:",
8532 "mboxIndexForStore:create:",
8533 "mboxRange",
8534 "measureRenderedText",
8535 "measurementUnits",
8536 "mediaBox",
8537 "member:",
8538 "memberOfClass:",
8539 "members:notFoundMarker:",
8540 "menu",
8541 "menuBarHeight",
8542 "menuChanged:",
8543 "menuChangedMessagesEnabled",
8544 "menuClassName",
8545 "menuFontOfSize:",
8546 "menuForEvent:",
8547 "menuForEvent:inFrame:",
8548 "menuForEvent:inRect:ofView:",
8549 "menuForItem:",
8550 "menuForNoItem",
8551 "menuItem",
8552 "menuItemCellForItemAtIndex:",
8553 "menuRepresentation",
8554 "menuToolbarAction:",
8555 "menuView",
8556 "menuZone",
8557 "mergeAllBomsIn:",
8558 "mergeBom:",
8559 "mergeCells:",
8560 "mergeInto:",
8561 "mergeInto:usingPatternList:",
8562 "mergeMessages:intoArray:attributes:",
8563 "mergeSubkeysIntoKeys",
8564 "mergeTextTranslatingSelection:",
8565 "mergeableCells:withCollectiveBoundsRow:column:rowSpan:columnSpan:",
8566 "mergeableCellsContainingCells:",
8567 "mergeableKeys",
8568 "message",
8569 "messageBody",
8570 "messageCaching",
8571 "messageContents",
8572 "messageContentsForInitialText:",
8573 "messageData",
8574 "messageEditor",
8575 "messageEditorClass",
8576 "messageEditors",
8577 "messageFlags",
8578 "messageFlagsChanged:",
8579 "messageFlagsDidChange:flags:",
8580 "messageFontOfSize:",
8581 "messageForMessageID:",
8582 "messageHandler",
8583 "messageID",
8584 "messageIDForSender:subject:dateAsTimeInterval:",
8585 "messageInStore:",
8586 "messageSize",
8587 "messageStore",
8588 "messageTextView",
8589 "messageType",
8590 "messageViewText",
8591 "messageWasDisplayedInTextView:",
8592 "messageWasSelected:",
8593 "messageWidthForMessage:",
8594 "messageWillBeDelivered:",
8595 "messageWillBeDisplayedInView:",
8596 "messageWillBeSaved:",
8597 "messageWillNoLongerBeDisplayedInView:",
8598 "messageWithData:",
8599 "messageWithHeaders:flags:size:uid:",
8600 "messages",
8601 "messagesAvailable",
8602 "messagesFilteredUsingAttributes:",
8603 "messagesInStore:containingString:ranks:booleanSearch:errorString:",
8604 "messagesWereExpunged:",
8605 "method",
8606 "methodArgSize:",
8607 "methodDescFor:",
8608 "methodDescriptionForSelector:",
8609 "methodFor:",
8610 "methodForSelector:",
8611 "methodReturnLength",
8612 "methodReturnType",
8613 "methodSignature",
8614 "methodSignatureForSelector:",
8615 "methodSignatureForSelector:forFault:",
8616 "metrics",
8617 "microsecondOfSecond",
8618 "mimeBodyPart",
8619 "mimeBodyPartForAttachment",
8620 "mimeCharsetTagFromStringEncoding:",
8621 "mimeHeaderForKey:",
8622 "mimeParameterForKey:",
8623 "mimeSubtype",
8624 "mimeType",
8625 "minColumnWidth",
8626 "minContentSize",
8627 "minContentSizeForMinFrameSize:styleMask:",
8628 "minFrameSize",
8629 "minFrameSizeForMinContentSize:styleMask:",
8630 "minFrameWidthWithTitle:styleMask:",
8631 "minSize",
8632 "minValue",
8633 "minWidth",
8634 "miniaturize:",
8635 "miniaturizeAll:",
8636 "miniaturizedSize",
8637 "minimizeButton",
8638 "minimum",
8639 "minimumDecimalNumber",
8640 "minimumHeightForWidth:",
8641 "minimumLineHeight",
8642 "minimumSize",
8643 "minimumWidth",
8644 "miniwindowImage",
8645 "miniwindowTitle",
8646 "minusSet:",
8647 "minuteOfHour",
8648 "miscChanged:",
8649 "mismatchError:",
8650 "missingAttachmentString",
8651 "miterLimit",
8652 "mixedStateImage",
8653 "mnemonic",
8654 "mnemonicLocation",
8655 "modalWindow",
8656 "mode",
8657 "modeButton",
8658 "modifierFlags",
8659 "modifyFont:",
8660 "modifyFontTrait:",
8661 "modifyFontViaPanel:",
8662 "modifyGrammarToAllow:asAChildOf:",
8663 "moduleName",
8664 "monitor",
8665 "monitorTextStorageDidProcessEditing",
8666 "monthOfYear",
8667 "mostCompatibleStringEncoding",
8668 "mountNewRemovableMedia",
8669 "mountPoint",
8670 "mounted:",
8671 "mountedRemovableMedia",
8672 "mouse:inRect:",
8673 "mouseDown:",
8674 "mouseDownFlags",
8675 "mouseDownOnCharacterIndex:atCoordinate:withModifier:client:",
8676 "mouseDragged:",
8677 "mouseDraggedOnCharacterIndex:atCoordinate:withModifier:client:",
8678 "mouseEntered",
8679 "mouseEntered:",
8680 "mouseEventWithType:location:modifierFlags:timestamp:windowNumber:context:eventNumber:clickCount:pressure:",
8681 "mouseExited",
8682 "mouseExited:",
8683 "mouseLocation",
8684 "mouseLocationOutsideOfEventStream",
8685 "mouseMoved:",
8686 "mouseMoved:inFrame:",
8687 "mouseMoved:insideLink:atIndex:ofLayoutManager:givenOrigin:lastEnteredCell:pushedFinger:",
8688 "mouseTrack:",
8689 "mouseTracker:constrainPoint:withEvent:",
8690 "mouseTracker:didStopTrackingWithEvent:",
8691 "mouseTracker:handlePeriodicEvent:",
8692 "mouseTracker:shouldContinueTrackingWithEvent:",
8693 "mouseTracker:shouldStartTrackingWithEvent:",
8694 "mouseUp:",
8695 "mouseUpOnCharacterIndex:atCoordinate:withModifier:client:",
8696 "moveBackward:",
8697 "moveBackwardAndModifySelection:",
8698 "moveColumn:toColumn:",
8699 "moveColumnDividerAtIndex:byDelta:",
8700 "moveDown:",
8701 "moveDownAndModifySelection:",
8702 "moveForward:",
8703 "moveForwardAndModifySelection:",
8704 "moveImage:",
8705 "moveLeft:",
8706 "moveParagraphBackwardAndModifySelection:",
8707 "moveParagraphForwardAndModifySelection:",
8708 "movePath:toPath:handler:",
8709 "moveRight:",
8710 "moveRowDividerAtIndex:byDelta:",
8711 "moveRulerlineFromLocation:toLocation:",
8712 "moveToBeginningOfDocument:",
8713 "moveToBeginningOfDocumentAndModifySelection:",
8714 "moveToBeginningOfLine:",
8715 "moveToBeginningOfLineAndModifySelection:",
8716 "moveToBeginningOfParagraph:",
8717 "moveToBeginningOfParagraphAndModifySelection:",
8718 "moveToEndOfDocument:",
8719 "moveToEndOfDocumentAndModifySelection:",
8720 "moveToEndOfLine:",
8721 "moveToEndOfLineAndModifySelection:",
8722 "moveToEndOfParagraph:",
8723 "moveToEndOfParagraphAndModifySelection:",
8724 "moveToPoint:",
8725 "moveUp:",
8726 "moveUpAndModifySelection:",
8727 "moveWordBackward:",
8728 "moveWordBackwardAndModifySelection:",
8729 "moveWordForward:",
8730 "moveWordForwardAndModifySelection:",
8731 "movie",
8732 "movieController",
8733 "movieRect",
8734 "movieUnfilteredFileTypes",
8735 "movieUnfilteredPasteboardTypes",
8736 "msgPrint:ok:",
8737 "msgid",
8738 "multiple",
8739 "multipleThreadsEnabled",
8740 "mutableAttributedString",
8741 "mutableAttributes",
8742 "mutableBytes",
8743 "mutableCopy",
8744 "mutableCopyOfMailAccounts",
8745 "mutableCopyOfSignatures",
8746 "mutableCopyOfSortRules",
8747 "mutableCopyWithZone:",
8748 "mutableData",
8749 "mutableDictionary",
8750 "mutableHeaders",
8751 "mutableLocalFiles",
8752 "mutableString",
8753 "mutableSubstringFromRange:",
8754 "myStatusOf:",
8755 "mysteryIcon",
8756 "name",
8757 "nameForFetchSpecification:",
8758 "nameFromPath:extra:",
8759 "nameOfGlyph:",
8760 "names",
8761 "needsDisplay",
8762 "needsLeadingBlockCharacters",
8763 "needsPanelToBecomeKey",
8764 "needsSizing",
8765 "needsToBeUpdatedFromPath:",
8766 "needsTrailingBlockCharacters",
8767 "needsUpdate",
8768 "negativeFormat",
8769 "nestingLevel",
8770 "new",
8771 "new:firstIndirectType:",
8772 "newAccountWithPath:",
8773 "newAltText:",
8774 "newAnchorValue:",
8775 "newAttachmentCell",
8776 "newAttributeDictionary",
8777 "newBagByAddingObject:",
8778 "newBagWithObject:object:",
8779 "newBaseURL:",
8780 "newBkgdColorOrTexture:",
8781 "newBorder:",
8782 "newCloseButton",
8783 "newCodeURL:",
8784 "newColSize:",
8785 "newColor:",
8786 "newComposeWindowWithHeaders:body:",
8787 "newConversation",
8788 "newConversionFactor",
8789 "newCount:",
8790 "newCount:elementSize:description:",
8791 "newDefaultInstance",
8792 "newDefaultRenderingState",
8793 "newDictionaryFromDictionary:subsetMapping:zone:",
8794 "newDisplayEngine",
8795 "newDistantObjectWithCoder:",
8796 "newDocument:",
8797 "newDocumentType:",
8798 "newEditingEngine",
8799 "newEventOfClass:type:",
8800 "newFileButton",
8801 "newFlipped:",
8802 "newFolder:",
8803 "newFolderAtCurrentUsingFormString:",
8804 "newHeight:",
8805 "newImageSource:",
8806 "newIndexInfoForItem:",
8807 "newInputOfType:",
8808 "newInstanceWithKeyCount:sourceDescription:destinationDescription:zone:",
8809 "newInvocationWithCoder:",
8810 "newInvocationWithMethodSignature:",
8811 "newLinkValue:",
8812 "newList:",
8813 "newMailHasArrived:",
8814 "newMailSoundDidChange:",
8815 "newMailbox:",
8816 "newMailboxFromParent:",
8817 "newMailboxNameIsAcceptable:reasonForFailure:",
8818 "newMaxLength:",
8819 "newMessagesHaveArrived:total:",
8820 "newMiniaturizeButton",
8821 "newName:",
8822 "newNumberOfRows:",
8823 "newParagraphStyle:",
8824 "newReferenceType:",
8825 "newRootRenderingState",
8826 "newRootRenderingStateWithMeasuring:",
8827 "newRowSize:",
8828 "newScaleFactor:",
8829 "newSingleWindowModeButton",
8830 "newSize:",
8831 "newSizeType:",
8832 "newStateForItem:",
8833 "newStringForHTMLEncodedAttribute",
8834 "newStringForHTMLEncodedString",
8835 "newTextColor:",
8836 "newTitle:",
8837 "newType:",
8838 "newType:data:firstIndirectType:",
8839 "newUrl:",
8840 "newValue:",
8841 "newWidth:",
8842 "newWithCoder:zone:",
8843 "newWithDictionary:",
8844 "newWithInitializer:",
8845 "newWithInitializer:objects:zone:",
8846 "newWithInitializer:zone:",
8847 "newWithKey:object:",
8848 "newWithKeyArray:",
8849 "newWithKeyArray:zone:",
8850 "newWithMessage:",
8851 "newWithPath:prepend:attributes:cross:",
8852 "newZoomButton",
8853 "next",
8854 "next:",
8855 "nextArg:",
8856 "nextAttribute:fromLocation:effectiveRange:",
8857 "nextEventForWindow:",
8858 "nextEventMatchingMask:",
8859 "nextEventMatchingMask:untilDate:inMode:dequeue:",
8860 "nextFieldFromItem:",
8861 "nextInode:",
8862 "nextKeyView",
8863 "nextObject",
8864 "nextPath:skipDirs:",
8865 "nextResponder",
8866 "nextResult",
8867 "nextState",
8868 "nextTableData",
8869 "nextText",
8870 "nextToken",
8871 "nextTokenAttributes",
8872 "nextTokenType",
8873 "nextTokenWithPunctuation:",
8874 "nextValidKeyView",
8875 "nextWordFromIndex:forward:",
8876 "nextWordFromSelection:forward:",
8877 "nextWordInString:fromIndex:useBook:forward:",
8878 "nibFileName",
8879 "nibInstantiate",
8880 "nibInstantiateWithOwner:",
8881 "nibInstantiateWithOwner:topLevelObjects:",
8882 "nilEnabledValueForKey:",
8883 "noHref",
8884 "noResize",
8885 "noResponderFor:",
8886 "node",
8887 "node:_adaptChildren:barringMarker:",
8888 "node:acceptsChild:withAdaptation:",
8889 "node:acceptsChildren:withAdaptation:",
8890 "node:adaptChild:",
8891 "node:adaptChildren:",
8892 "node:adaptNode:overChildren:",
8893 "node:addAdaptedChild:",
8894 "node:canInsertAdaptedChild:",
8895 "node:canInsertAdaptedChildren:",
8896 "node:flattenChildAdaptingChildren:",
8897 "node:insertAdaptedChild:atIndex:",
8898 "node:insertAdaptedChildren:atIndex:",
8899 "nodeEditingIvarsCreateIfAbsent",
8900 "nodeEditingIvarsNullIfAbsent",
8901 "nodeEditingIvarsRaiseIfAbsent",
8902 "nodeForMarker:attributes:",
8903 "nodePathFromRoot",
8904 "nodePathToRoot",
8905 "nodeWithObject:",
8906 "nonASCIIByteSet",
8907 "nonASCIICharacterSet",
8908 "nonAggregateRootProject",
8909 "nonBaseCharacterSet",
8910 "nonBreakingSpaceString",
8911 "nonErrorColor",
8912 "nonMergeableFiles",
8913 "nonProjectExecutableStateDictionaryForPath:",
8914 "nonProjectExecutableWithPersistentState:",
8915 "nonretainedObjectValue",
8916 "nonspacingMarkPriority:",
8917 "noop",
8918 "noop:",
8919 "normalizedRect:",
8920 "notANumber",
8921 "notActiveWindowFrameColor",
8922 "notActiveWindowFrameHighlightColor",
8923 "notActiveWindowFrameShadowColor",
8924 "notActiveWindowTitlebarTextColor",
8925 "notImplemented:",
8926 "notShownAttributeForGlyphAtIndex:",
8927 "note",
8928 "noteChange",
8929 "noteCommand:parameter:",
8930 "noteFileSystemChanged",
8931 "noteFileSystemChanged:",
8932 "noteFontCollectionsChanged",
8933 "noteFontCollectionsChangedForUser:",
8934 "noteFontFavoritesChanged",
8935 "noteFontFavoritesChangedForUser:",
8936 "noteNewRecentDocument:",
8937 "noteNewRecentDocumentURL:",
8938 "noteNumberOfItemsChanged",
8939 "noteNumberOfRowsChanged",
8940 "noteSelectionChanged",
8941 "noteUserDefaultsChanged",
8942 "notificationCenter",
8943 "notificationCenterForType:",
8944 "notificationWithName:object:",
8945 "notificationWithName:object:userInfo:",
8946 "notifyDidChange:",
8947 "notifyObjectWhenFinishedExecuting:",
8948 "notifyObserversObjectWillChange:",
8949 "notifyObserversUpToPriority:",
8950 "nowWouldBeAGoodTimeToStartBackgroundSynchronization",
8951 "null",
8952 "nullDescriptor",
8953 "numDesiredBlockReturns",
8954 "numberOfAlternatives",
8955 "numberOfArguments",
8956 "numberOfChildren",
8957 "numberOfColumns",
8958 "numberOfDaysToKeepTrash",
8959 "numberOfFiles",
8960 "numberOfFilteredVCards",
8961 "numberOfGlyphs",
8962 "numberOfImages",
8963 "numberOfItems",
8964 "numberOfItemsInComboBox:",
8965 "numberOfItemsInComboBoxCell:",
8966 "numberOfMatchingAddresses",
8967 "numberOfOpenDocuments",
8968 "numberOfPages",
8969 "numberOfPaletteEntries",
8970 "numberOfPlanes",
8971 "numberOfRows",
8972 "numberOfRowsInTableView:",
8973 "numberOfSamplesPerPaletteEntry",
8974 "numberOfSelectedColumns",
8975 "numberOfSelectedRows",
8976 "numberOfSetBits",
8977 "numberOfSubexpressions",
8978 "numberOfTabViewItems",
8979 "numberOfTableDatas",
8980 "numberOfTickMarks",
8981 "numberOfVCards",
8982 "numberOfVirtualScreens",
8983 "numberOfVisibleColumns",
8984 "numberOfVisibleItems",
8985 "numberWithBool:",
8986 "numberWithChar:",
8987 "numberWithDouble:",
8988 "numberWithFloat:",
8989 "numberWithInt:",
8990 "numberWithLong:",
8991 "numberWithLongLong:",
8992 "numberWithShort:",
8993 "numberWithUnsignedChar:",
8994 "numberWithUnsignedInt:",
8995 "numberWithUnsignedLong:",
8996 "numberWithUnsignedLongLong:",
8997 "numberWithUnsignedShort:",
8998 "objCType",
8999 "object",
9000 "objectAt:",
9001 "objectAtIndex:",
9002 "objectAtIndex:effectiveRange:",
9003 "objectAtIndex:effectiveRange:runIndex:",
9004 "objectAtRunIndex:length:",
9005 "objectBeingTested",
9006 "objectByTranslatingDescriptor:",
9007 "objectDeallocated:",
9008 "objectDidCopy:from:to:withData:recursive:wasLink:",
9009 "objectEnumerator",
9010 "objectExists:",
9011 "objectForGlobalID:",
9012 "objectForIndex:dictionary:",
9013 "objectForKey:",
9014 "objectForKey:inDomain:",
9015 "objectForServicePath:",
9016 "objectForServicePath:app:doLaunch:limitDate:",
9017 "objectHasSubFolders:",
9018 "objectIsAlias:",
9019 "objectIsApplication:",
9020 "objectIsContainer:",
9021 "objectIsKnown:",
9022 "objectIsLeaf:",
9023 "objectIsVisible:",
9024 "objectNames",
9025 "objectSpecifier",
9026 "objectSpecifierForComposeMessage:",
9027 "objectSpecifierForMessage:",
9028 "objectSpecifierForMessageStore:",
9029 "objectSpecifierForMessageStorePath:",
9030 "objectSpecifierForMessageStoreProxy:",
9031 "objectStoreForEntityNamed:",
9032 "objectStoreForFetchSpecification:",
9033 "objectStoreForGlobalID:",
9034 "objectStoreForObject:",
9035 "objectValue",
9036 "objectValueOfSelectedItem",
9037 "objectValues",
9038 "objectWillChange:",
9039 "objectWillCopy:from:to:withData:replaceOK:makeLinks:recursive:",
9040 "objectWithAttributeStringValue:",
9041 "objectZone",
9042 "objectsAtIndexes:",
9043 "objectsByEntityName",
9044 "objectsByEntityNameAndFetchSpecificationName",
9045 "objectsByEvaluatingSpecifier",
9046 "objectsByEvaluatingWithContainers:",
9047 "objectsForKeys:notFoundMarker:",
9048 "objectsForSourceGlobalID:relationshipName:editingContext:",
9049 "objectsWithFetchSpecification:",
9050 "objectsWithFetchSpecification:editingContext:",
9051 "observerForObject:ofClass:",
9052 "observerNotificationSuppressCount",
9053 "observerQueue",
9054 "observersForObject:",
9055 "offStateImage",
9056 "offsetBaselineBy:",
9057 "offsetForPathToFit",
9058 "offsetInFile",
9059 "ok:",
9060 "okButtonAction:",
9061 "okButtonClicked:",
9062 "okClicked:",
9063 "oldSystemColorWithCoder:",
9064 "onStateImage",
9065 "one",
9066 "oneTimeInit",
9067 "opaqueAncestor",
9068 "open",
9069 "open:",
9070 "openAppleMenuItem:",
9071 "openAppleScriptConnection",
9072 "openAsynchronously",
9073 "openAttachmentFromCell:inRect:ofTextView:attachmentDirectory:",
9074 "openBlock:atOffset:forLength:",
9075 "openDocument:",
9076 "openDocumentWithContentsOfFile:display:",
9077 "openDocumentWithContentsOfURL:display:",
9078 "openDocumentWithPath:encoding:",
9079 "openDocumentWithPath:encoding:ignoreRTF:ignoreHTML:",
9080 "openEntryNamed:",
9081 "openFile:",
9082 "openFile:fromImage:at:inView:",
9083 "openFile:ok:",
9084 "openFile:operation:",
9085 "openFile:userData:error:",
9086 "openFile:withApplication:",
9087 "openFile:withApplication:andDeactivate:",
9088 "openFirstDrawer:",
9089 "openGLContext",
9090 "openInBestDirection",
9091 "openInclude:",
9092 "openIndex",
9093 "openList:",
9094 "openOnEdge:",
9095 "openPanel",
9096 "openPanelSheetDidEnd:returnCode:contextInfo:",
9097 "openRange:ofLength:atOffset:forWriting:",
9098 "openRecentDocument:",
9099 "openRegion:ofLength:atAddress:",
9100 "openSavePanelDirectory",
9101 "openSelection:userData:error:",
9102 "openStore:",
9103 "openStore:andMakeKey:",
9104 "openStoreAtPath:",
9105 "openStoreAtPath:andMakeKey:",
9106 "openSynchronously",
9107 "openTagIndexForTokenAtIndex:",
9108 "openTempFile:",
9109 "openTempFile:ok:",
9110 "openTexture:",
9111 "openUntitled",
9112 "openUntitledDocumentOfType:display:",
9113 "openUserDictionary:",
9114 "openWithApplication",
9115 "openWithEncodingAccessory:",
9116 "operatingSystem",
9117 "operatingSystemName",
9118 "operationDidEnd",
9119 "operationWillPerformStep:",
9120 "operationWillStart:withTitle:andID:",
9121 "operatorSelectorForString:",
9122 "optimizeForSpace",
9123 "optimizeForTime",
9124 "optionGroup",
9125 "optionSelected:",
9126 "optionSetting:",
9127 "options",
9128 "orangeColor",
9129 "order",
9130 "orderBack",
9131 "orderBack:",
9132 "orderFront",
9133 "orderFront:",
9134 "orderFrontColorPanel:",
9135 "orderFrontFindPanel:",
9136 "orderFrontFontPanel:",
9137 "orderFrontRegardless",
9138 "orderFrontStandardAboutPanel:",
9139 "orderFrontStandardAboutPanelWithOptions:",
9140 "orderOut",
9141 "orderOut:",
9142 "orderOutCompletionWindow:",
9143 "orderOutToolTip",
9144 "orderOutToolTipImmediately:",
9145 "orderString:range:string:range:flags:",
9146 "orderString:string:",
9147 "orderString:string:flags:",
9148 "orderSurface:relativeTo:",
9149 "orderWindow:relativeTo:",
9150 "orderedDocuments",
9151 "orderedIndex",
9152 "orderedWindows",
9153 "orderingType",
9154 "orientation",
9155 "originFromPoint:",
9156 "originOffset",
9157 "originalMessage",
9158 "otherEventWithType:location:modifierFlags:timestamp:windowNumber:context:subtype:data1:data2:",
9159 "otherKeys",
9160 "otherLinkedOFiles",
9161 "otherSourceDirectories",
9162 "outdent:",
9163 "outdentForListItem:withState:",
9164 "outgoingStorePath",
9165 "outlineTableColumn",
9166 "outlineView:acceptDrop:item:childIndex:",
9167 "outlineView:child:ofItem:",
9168 "outlineView:isItemExpandable:",
9169 "outlineView:itemForPersistentObject:",
9170 "outlineView:numberOfChildrenOfItem:",
9171 "outlineView:objectValueForTableColumn:byItem:",
9172 "outlineView:persistentObjectForItem:",
9173 "outlineView:setObjectValue:forTableColumn:byItem:",
9174 "outlineView:shouldCollapseAutoExpandedItemsForDeposited:",
9175 "outlineView:shouldCollapseItem:",
9176 "outlineView:shouldEditTableColumn:item:",
9177 "outlineView:shouldExpandItem:",
9178 "outlineView:shouldSelectItem:",
9179 "outlineView:shouldSelectTableColumn:",
9180 "outlineView:validateDrop:proposedItem:proposedChildIndex:",
9181 "outlineView:willDisplayCell:forTableColumn:item:",
9182 "outlineView:willDisplayOutlineCell:forTableColumn:item:",
9183 "outlineView:writeItems:toPasteboard:",
9184 "outlineViewColumnDidMove:",
9185 "outlineViewColumnDidResize:",
9186 "outlineViewDoubleClick:",
9187 "outlineViewItemDidCollapse:",
9188 "outlineViewItemDidExpand:",
9189 "outlineViewItemWillCollapse:",
9190 "outlineViewItemWillExpand:",
9191 "outlineViewSelectionDidChange:",
9192 "outlineViewSelectionIsChanging:",
9193 "outlinesWhenSelected",
9194 "outliningImageCellWithRepresentedItem:image:",
9195 "overdrawSpacesInRect:",
9196 "overhead",
9197 "overrideEntriesWithObjectsFromDictionary:keys:",
9198 "owner",
9199 "ownsDestinationObjectsForRelationshipKey:",
9200 "ownsGlobalID:",
9201 "ownsObject:",
9202 "padWithCFString:length:padIndex:",
9203 "padding",
9204 "paddingAction:",
9205 "paddingTextfieldAction:",
9206 "pageCount",
9207 "pageDown",
9208 "pageDown:",
9209 "pageDownAndModifySelection:",
9210 "pageLayout",
9211 "pageOrder",
9212 "pageRectForPageNumber:",
9213 "pageScroll",
9214 "pageSeparatorHeight",
9215 "pageSizeForPaper:",
9216 "pageUp",
9217 "pageUp:",
9218 "pageUpAndModifySelection:",
9219 "palette",
9220 "paletteFontOfSize:",
9221 "panel",
9222 "panel:compareFilename:with:caseSensitive:",
9223 "panel:isValidFilename:",
9224 "panel:shouldShowFilename:",
9225 "panel:willExpand:",
9226 "panelConvertFont:",
9227 "paperName",
9228 "paperSize",
9229 "paragraphSpacing",
9230 "paragraphStyle",
9231 "paragraphs",
9232 "paramDescriptorForKeyword:",
9233 "parameterString",
9234 "parenSet",
9235 "parent",
9236 "parentContext",
9237 "parentEditor",
9238 "parentEvent",
9239 "parentFolderForMailboxAtPath:",
9240 "parentForItem:",
9241 "parentItemRepresentedObjectForMenu:",
9242 "parentMarker:mayCloseTag:",
9243 "parentObjectStore",
9244 "parentOf:",
9245 "parentPath",
9246 "parentWindow",
9247 "parenthesizedStringWithObjects:",
9248 "parse:",
9249 "parseArgument",
9250 "parseCastedValueExpression",
9251 "parseData",
9252 "parseDictionaryOfKey:value:",
9253 "parseError:",
9254 "parseExceptionWithName:token:position:length:reason:userStopped:discipline:",
9255 "parseKey:",
9256 "parseLogicalExpression",
9257 "parseLogicalExpression:logicalOp:",
9258 "parseLogicalOp",
9259 "parseMachMessage:localPort:remotePort:msgid:components:",
9260 "parseMetaRuleBody",
9261 "parseMetaSyntaxLeafResultShouldBeSkipped:",
9262 "parseMetaSyntaxSequence",
9263 "parseMyNumber",
9264 "parseNegNumber",
9265 "parseNil",
9266 "parseNotExpression",
9267 "parseNumber",
9268 "parsePathArray:",
9269 "parseQuotedString",
9270 "parseRelOpExpression",
9271 "parseSeparator",
9272 "parseSeparatorEqualTo:",
9273 "parseStream",
9274 "parseString",
9275 "parseSubproject:",
9276 "parseSubprojects",
9277 "parseSuite:separator:allowOmitLastSeparator:",
9278 "parseSuiteOfPairsKey:separator:value:separator:allowOmitLastSeparator:",
9279 "parseTokenEqualTo:mask:",
9280 "parseTokenWithMask:",
9281 "parseUnquotedString",
9282 "parseVariable",
9283 "parsedGrammarForString:",
9284 "parserForData:",
9285 "pass:",
9286 "passState:throughChildrenOfNode:untilReachingChild:",
9287 "password",
9288 "password:",
9289 "password:ignorePreviousSettings:",
9290 "passwordFromStoredUserInfo",
9291 "passwordPanelCancel:",
9292 "passwordPanelOK:",
9293 "passwordWithoutAskingUser",
9294 "paste:",
9295 "pasteAsPlainText:",
9296 "pasteAsQuotation:",
9297 "pasteAsRichText:",
9298 "pasteFont:",
9299 "pasteImageNamed:",
9300 "pasteItemUpdate:",
9301 "pasteItems:withPath:isPlainText:",
9302 "pasteRuler:",
9303 "pasteboard:provideDataForType:",
9304 "pasteboardByFilteringData:ofType:",
9305 "pasteboardByFilteringFile:",
9306 "pasteboardByFilteringTypesInPasteboard:",
9307 "pasteboardChangedOwner:",
9308 "pasteboardDataRepresentation",
9309 "pasteboardString:isTableRow:isTableData:isCaption:",
9310 "pasteboardWithName:",
9311 "pasteboardWithUniqueName",
9312 "path",
9313 "pathArrayFromNode:",
9314 "pathAt:",
9315 "pathComponents",
9316 "pathContentOfSymbolicLinkAtPath:",
9317 "pathExtension",
9318 "pathForAuxiliaryExecutable:",
9319 "pathForFile:",
9320 "pathForFrameworkNamed:",
9321 "pathForImageResource:",
9322 "pathForIndexInStore:",
9323 "pathForLibraryResource:type:directory:",
9324 "pathForProjectTypeWithName:",
9325 "pathForResource:ofType:",
9326 "pathForResource:ofType:inDirectory:",
9327 "pathForResource:ofType:inDirectory:forLanguage:",
9328 "pathForResource:ofType:inDirectory:forLocalization:",
9329 "pathForSoundResource:",
9330 "pathHasMailboxExtension:",
9331 "pathItemForPoint:",
9332 "pathName",
9333 "pathRelativeToProject:",
9334 "pathSeparator",
9335 "pathStoreWithCharacters:length:",
9336 "pathToColumn:",
9337 "pathToObjectWithName:",
9338 "pathView",
9339 "pathViewClass",
9340 "pathWithComponents:",
9341 "pathWithDirectory:filename:extension:",
9342 "pathsCount",
9343 "pathsForProjectNamed:",
9344 "pathsForResourcesOfType:inDirectory:",
9345 "pathsForResourcesOfType:inDirectory:forLanguage:",
9346 "pathsForResourcesOfType:inDirectory:forLocalization:",
9347 "pathsMatchingExtensions:",
9348 "patternImage",
9349 "pause",
9350 "peekNextToken",
9351 "peekNextTokenType",
9352 "peekTokenType",
9353 "peekTokenWithMask:",
9354 "pendDeliverySheetDidEnd:returnCode:contextInfo:",
9355 "pendingDeliveryMailboxPath",
9356 "pendingDeliveryStore:",
9357 "percentDone",
9358 "perceptualBrightness",
9359 "perform:",
9360 "perform:with:",
9361 "perform:with:with:",
9362 "perform:withEachObjectInArray:",
9363 "perform:withObject:",
9364 "perform:withObject:withObject:",
9365 "performActionFlashForItemAtIndex:",
9366 "performActionForItemAtIndex:",
9367 "performActionWithHighlightingForItemAtIndex:",
9368 "performBruteForceSearchWithString:",
9369 "performChanges",
9370 "performClick:",
9371 "performClick:withTextView:",
9372 "performClickWithFrame:inView:",
9373 "performClose:",
9374 "performDefaultImplementation",
9375 "performDoubleActionWithEvent:textView:frame:",
9376 "performDragOperation:",
9377 "performFileOperation:source:destination:files:tag:",
9378 "performFunction:modes:activity:",
9379 "performKeyEquivalent:",
9380 "performMiniaturize:",
9381 "performMnemonic:",
9382 "performOneway:result:withTarget:selector:",
9383 "performPendedOperations",
9384 "performSearch:",
9385 "performSearchInStore:forString:ranks:booleanSearch:errorString:",
9386 "performSelector:",
9387 "performSelector:object:afterDelay:",
9388 "performSelector:target:argument:order:modes:",
9389 "performSelector:withEachObjectInArray:",
9390 "performSelector:withObject:",
9391 "performSelector:withObject:afterDelay:",
9392 "performSelector:withObject:afterDelay:inModes:",
9393 "performSelector:withObject:withObject:",
9394 "performSelectorReturningUnsigned:",
9395 "performSelectorReturningUnsigned:withObject:",
9396 "performSelectorReturningUnsigned:withObject:withObject:",
9397 "performSingleActionWithEvent:textView:frame:",
9398 "performUpdateWithResponder:",
9399 "performZoom:",
9400 "performv::",
9401 "permissibleDraggedFileTypes",
9402 "persistentDomainForName:",
9403 "persistentDomainNames",
9404 "personalizeRenderingState:copyIfChanging:",
9405 "pickedAllPages:",
9406 "pickedButton:",
9407 "pickedFeature:",
9408 "pickedLayoutList:",
9409 "pickedList:",
9410 "pickedOrientation:",
9411 "pickedPaperSize:",
9412 "pickedPrinter:",
9413 "pickedUnits:",
9414 "pickle",
9415 "pickleAndReopen:",
9416 "pictFrame",
9417 "pipe",
9418 "pixelFormat",
9419 "pixelsHigh",
9420 "pixelsWide",
9421 "placeButtons:firstWidth:secondWidth:thirdWidth:",
9422 "placeView:",
9423 "placementViewFrameChanged:",
9424 "plainTextValue",
9425 "play",
9426 "playsEveryFrame",
9427 "playsSelectionOnly",
9428 "pointSize",
9429 "pointSizeForHTMLFontSize:",
9430 "pointValue",
9431 "pointerToElement:directlyAccessibleElements:",
9432 "pointerValue",
9433 "polarity",
9434 "poolCountHighWaterMark",
9435 "poolCountHighWaterResolution",
9436 "pop",
9437 "pop3ClientVersion",
9438 "popAndInvoke",
9439 "popBundleForImageSearch",
9440 "popCommand:",
9441 "popCommands:pushCommands:",
9442 "popPassword",
9443 "popSpoolDirectory",
9444 "popTopView",
9445 "popUndoObject",
9446 "popUp:",
9447 "popUpContextMenu:withEvent:forView:",
9448 "popUpMenu:atLocation:width:forView:withSelectedItem:withFont:",
9449 "populateMailboxListing",
9450 "populateReplyEvent:withResult:errorNumber:errorDescription:",
9451 "port",
9452 "portCoderWithReceivePort:sendPort:components:",
9453 "portForName:",
9454 "portForName:host:",
9455 "portForName:host:nameServerPortNumber:",
9456 "portForName:onHost:",
9457 "portNumber",
9458 "portWithMachPort:",
9459 "portalDied:",
9460 "portsForMode:",
9461 "poseAs:",
9462 "poseAsClass:",
9463 "positionForSingleWindowMode",
9464 "positionOfGlyph:forCharacter:struckOverRect:",
9465 "positionOfGlyph:precededByGlyph:isNominal:",
9466 "positionOfGlyph:struckOverGlyph:metricsExist:",
9467 "positionOfGlyph:struckOverRect:metricsExist:",
9468 "positionOfGlyph:withRelation:toBaseGlyph:totalAdvancement:metricsExist:",
9469 "positionPopupAction:",
9470 "positionRadioAction:",
9471 "positionSingleWindow:",
9472 "positionsForCompositeSequence:numberOfGlyphs:pointArray:",
9473 "positiveFormat",
9474 "positivePassDirection",
9475 "postActivityFinished",
9476 "postActivityStarting",
9477 "postDrawAllInRect:htmlTextView:",
9478 "postDrawInRect:htmlTextView:",
9479 "postEvent:atStart:",
9480 "postInspectionRefresh:",
9481 "postMailboxListingHasChangedAtPath:",
9482 "postNotification:",
9483 "postNotificationInMainThread:",
9484 "postNotificationName:object:",
9485 "postNotificationName:object:userInfo:",
9486 "postNotificationName:object:userInfo:deliverImmediately:",
9487 "postNotificationName:object:userInfo:flags:",
9488 "postParseProcess",
9489 "postUserInfoHasChangedForMailboxAtPath:",
9490 "postsBoundsChangedNotifications",
9491 "postsFrameChangedNotifications",
9492 "postscriptForKey:withValue:",
9493 "potentialSaveDirectory",
9494 "powerOffIn:andSave:",
9495 "pramValue",
9496 "precededBySpaceCharacter",
9497 "precededByWhitespace",
9498 "preferenceChanged:",
9499 "preferences",
9500 "preferencesChanged:",
9501 "preferencesContentSize",
9502 "preferencesFromDefaults",
9503 "preferencesNibName",
9504 "preferencesOwnerClassName",
9505 "preferencesPanelName",
9506 "preferredAlternative",
9507 "preferredBodyPart",
9508 "preferredEdge",
9509 "preferredEmailAddressToReplyWith",
9510 "preferredFilename",
9511 "preferredFontNames",
9512 "preferredLocalizations",
9513 "preferredLocalizationsFromArray:",
9514 "preferredMIMEStringEncoding",
9515 "preferredPasteboardTypeFromArray:restrictedToTypesFromArray:",
9516 "prefersColorMatch",
9517 "prefersTrackingUntilMouseUp",
9518 "prefetchingRelationshipKeyPaths",
9519 "prefixForLiteralStringOfSize:",
9520 "prefixString:withLanguageType:",
9521 "prefixString:withOSType:",
9522 "prefixWithDelimiter:",
9523 "preflightSelection:",
9524 "prepareAttachmentForUuencoding",
9525 "prepareForDragOperation:",
9526 "prepareForSaveWithCoordinator:editingContext:",
9527 "prepareGState",
9528 "prepareSavePanel:",
9529 "prepareToDeliver",
9530 "prepareWithInvocationTarget:",
9531 "prependTransform:",
9532 "preserveSelectionToGUIView:",
9533 "preserveSelectionToRawViewWithSelection:",
9534 "pressure",
9535 "prettyTextForMarkerText:",
9536 "prettyprintChanges",
9537 "prettyprintedSubstringForTokenRange:wrappingAtColumn:translatingRange:",
9538 "preventWindowOrdering",
9539 "previousEvent",
9540 "previousFieldFromItem:",
9541 "previousKeyView",
9542 "previousPoint",
9543 "previousText",
9544 "previousToken",
9545 "previousValidKeyView",
9546 "primaryEmailAddress",
9547 "primaryMessageStore",
9548 "primaryMessageStorePath",
9549 "principalClass",
9550 "print",
9551 "print:",
9552 "printButtonChanged:",
9553 "printDocument:",
9554 "printDocumentUsingPrintPanel:",
9555 "printFile:ok:",
9556 "printForArchitecture:",
9557 "printForDebugger:",
9558 "printFormat:",
9559 "printFormat:arguments:",
9560 "printInfo",
9561 "printJobTitle",
9562 "printMessage:",
9563 "printMessages:showAllHeaders:",
9564 "printOperationWithView:",
9565 "printOperationWithView:printInfo:",
9566 "printPanel",
9567 "printProjectHierarchy:",
9568 "printShowingPrintPanel:",
9569 "printWithoutDate",
9570 "printWithoutDateForArchitecture:",
9571 "printer",
9572 "printerFont",
9573 "printerNames",
9574 "printerTypes",
9575 "printerWithName:",
9576 "printerWithName:includeUnavailable:",
9577 "printerWithType:",
9578 "printingAdjustmentInLayoutManager:forNominallySpacedGlyphRange:packedGlyphs:count:",
9579 "priority",
9580 "priorityForFlavor:",
9581 "privateFrameworksPath",
9582 "processBooleanSearchString:",
9583 "processCommand:",
9584 "processCommand:argument:",
9585 "processEditing",
9586 "processIdentifier",
9587 "processInfo",
9588 "processInputKeyBindings:",
9589 "processKeyword:option:keyTran:arg:argTran:",
9590 "processKeyword:option:keyTran:arg:argTran:quotedArg:",
9591 "processName",
9592 "processParsingError",
9593 "processRecentChanges",
9594 "processString:",
9595 "processType:file:isDir:",
9596 "progressIndicatorColor",
9597 "progressPanel",
9598 "project",
9599 "projectDidSaveToPath:",
9600 "projectDir",
9601 "projectFileName",
9602 "projectForCanonicalFile:",
9603 "projectHasAttribute:",
9604 "projectIsLoaded:",
9605 "projectName",
9606 "projectSaveTimeout:",
9607 "projectType",
9608 "projectTypeList",
9609 "projectTypeName",
9610 "projectTypeNamed:",
9611 "projectTypeSearchArray",
9612 "projectTypeTableWithName:",
9613 "projectTypeTableWithPath:name:",
9614 "projectTypeVersion",
9615 "projectTypes",
9616 "projectVersion",
9617 "projectsContainingSourceFile:",
9618 "prologueLengthWithMap:",
9619 "prompt",
9620 "promptsAfterFetchLimit",
9621 "promulgateSelection:",
9622 "propagateDeleteForObject:editingContext:",
9623 "propagateDeleteWithEditingContext:",
9624 "propagateDeletesUsingTable:",
9625 "propagateFrameDirtyRects:",
9626 "propagatesDeletesAtEndOfEvent",
9627 "propertiesForObjectWithGlobalID:editingContext:",
9628 "propertyForKey:",
9629 "propertyForKeyIfAvailable:",
9630 "propertyList",
9631 "propertyListForType:",
9632 "propertyListFromStringsFileFormat",
9633 "propertyTableAtIndex:",
9634 "propertyTableCount",
9635 "protocol",
9636 "protocolCheckerWithTarget:protocol:",
9637 "protocolFamily",
9638 "prototype",
9639 "provideNewButtonImage",
9640 "provideNewSubview:",
9641 "provideNewView:",
9642 "providerRespondingToSelector:",
9643 "proxyDrawnWithFrame:needingRedrawOnResign:",
9644 "proxyForFontInfoServer",
9645 "proxyForObject:",
9646 "proxyForRulebookServer",
9647 "proxyWithLocal:",
9648 "proxyWithLocal:connection:",
9649 "proxyWithTarget:connection:",
9650 "pullContentFromDocument:",
9651 "pullsDown",
9652 "punctuationCharacterSet",
9653 "punctuationSet",
9654 "purpleColor",
9655 "push",
9656 "push:",
9657 "pushAttribute:value:range:",
9658 "pushBundleForImageSearch:",
9659 "pushCommand:",
9660 "pushCommand:parameter:",
9661 "pushContentToDocument:",
9662 "pushOrPopCommand:arg:",
9663 "pushOrPopCommand:parameter:",
9664 "pushPathsToBackingStore",
9665 "put::",
9666 "putByte:",
9667 "putCell:atRow:column:",
9668 "putLELong:",
9669 "putLEWord:",
9670 "qdCreatePortForWindow:",
9671 "qdPort",
9672 "qsortUsingFunction:",
9673 "qualifier",
9674 "qualifierForLogicalOp:qualifierArray:",
9675 "qualifierRepresentation",
9676 "qualifierToMatchAllValues:",
9677 "qualifierToMatchAnyValue:",
9678 "qualifierWithBindings:requiresAllVariables:",
9679 "qualifierWithQualifierFormat:",
9680 "qualifierWithQualifierFormat:arguments:",
9681 "qualifierWithQualifierFormat:varargList:",
9682 "qualifiers",
9683 "qualifyWithRelationshipKey:ofObject:",
9684 "query",
9685 "queryUserForBigMessageAction:userResponse:",
9686 "queryUserForPasswordWithMessage:remember:",
9687 "queryUserForYesNoWithMessage:title:yesTitle:noTitle:",
9688 "queryUserIfNeededToCreateMailboxAtPath:orChooseNewMailboxPath:",
9689 "queryUserToSelectMailbox:",
9690 "queueMessageForLaterDelivery:",
9691 "quit",
9692 "quitBecauseErrorCopying:error:",
9693 "quotedFromSpaceDataForMessage",
9694 "quotedMessageString",
9695 "quotedMimeString",
9696 "quotedString",
9697 "quotedStringIfNecessary",
9698 "quotedStringRepresentation",
9699 "quotedStringWithQuote:",
9700 "raise",
9701 "raise:format:",
9702 "raise:format:arguments:",
9703 "raiseBaseline:",
9704 "rangeContainerObject",
9705 "rangeForUserCharacterAttributeChange",
9706 "rangeForUserParagraphAttributeChange",
9707 "rangeForUserTextChange",
9708 "rangeInParentWithMap:",
9709 "rangeMap",
9710 "rangeOfByteFromSet:",
9711 "rangeOfByteFromSet:options:",
9712 "rangeOfByteFromSet:options:range:",
9713 "rangeOfBytes:length:options:range:",
9714 "rangeOfCString:",
9715 "rangeOfCString:options:",
9716 "rangeOfCString:options:range:",
9717 "rangeOfCharacterFromSet:",
9718 "rangeOfCharacterFromSet:options:",
9719 "rangeOfCharacterFromSet:options:range:",
9720 "rangeOfComposedCharacterSequenceAtIndex:",
9721 "rangeOfData:",
9722 "rangeOfData:options:",
9723 "rangeOfData:options:range:",
9724 "rangeOfGraphicalSegmentAtIndex:",
9725 "rangeOfNominallySpacedGlyphsContainingIndex:",
9726 "rangeOfString:",
9727 "rangeOfString:options:",
9728 "rangeOfString:options:range:",
9729 "rangeValue",
9730 "rangeWithMap:",
9731 "rank",
9732 "rate",
9733 "rationalSelectionForSelection:",
9734 "rawController",
9735 "rawData",
9736 "rawFont",
9737 "rawModeAttributesChanged:",
9738 "rawModeDefaults",
9739 "rawRowKeyPaths",
9740 "rawTextController",
9741 "rawTextControllerClass",
9742 "rawTextView",
9743 "rawTextViewClass",
9744 "rcptTo:",
9745 "reactToChangeInDescendant:",
9746 "read:",
9747 "readAccountsUsingDefaultsKey:",
9748 "readAlignedDataSize",
9749 "readBlock:atOffset:forLength:",
9750 "readBytesIntoData:length:",
9751 "readBytesIntoString:length:",
9752 "readColors",
9753 "readData:length:",
9754 "readDataOfLength:",
9755 "readDataOfLength:buffer:",
9756 "readDataToEndOfFile",
9757 "readDefaults",
9758 "readDefaultsFromDictionary:",
9759 "readDocumentFromPbtype:filename:",
9760 "readFileContentsType:toFile:",
9761 "readFileWrapper",
9762 "readFromFile:",
9763 "readFromFile:ofType:",
9764 "readFromStream:",
9765 "readFromURL:ofType:",
9766 "readFromURL:options:documentAttributes:",
9767 "readInBackgroundAndNotify",
9768 "readInBackgroundAndNotifyForModes:",
9769 "readInt",
9770 "readLineIntoData:",
9771 "readLineIntoString:",
9772 "readMemory:withMode:",
9773 "readNamesAndCreateEmailerBoxesFrom:respondTo:",
9774 "readPrintInfo",
9775 "readPrintInfo:",
9776 "readRTFDFromFile:",
9777 "readRange:ofLength:atOffset:",
9778 "readRichText:forView:",
9779 "readSelectionFromPasteboard:",
9780 "readSelectionFromPasteboard:type:",
9781 "readToEndOfFileInBackgroundAndNotify",
9782 "readToEndOfFileInBackgroundAndNotifyForModes:",
9783 "readToken",
9784 "readTokenInto:attributes:",
9785 "readValue:",
9786 "readValuesFromDictionary:",
9787 "readablePasteboardTypes",
9788 "readableTypes",
9789 "realAddDirNamed:",
9790 "reallyDealloc",
9791 "reannotate",
9792 "reapplyChangesFromDictionary:",
9793 "reapplySortingRules:",
9794 "reason",
9795 "rebuildCacheFromStore:",
9796 "rebuildFilteredMessageList",
9797 "rebuildMessageLists",
9798 "rebuildTableOfContents:",
9799 "rebuildTableOfContentsAsynchronously",
9800 "recache",
9801 "recacheAllColors",
9802 "recacheColor",
9803 "receiveMidnightNotification",
9804 "receivePort",
9805 "receivedIMAPMessageFlags:forMessageNumbered:",
9806 "receiversSpecifier",
9807 "recentDocumentURLs",
9808 "recipients",
9809 "recomputeToolTipsForView:remove:add:",
9810 "recordChanges",
9811 "recordChangesInEditingContext",
9812 "recordDescriptor",
9813 "recordForGID:",
9814 "recordForObject:",
9815 "recordMessageToSelectIfEntireSelectionRemoved",
9816 "recordObject:globalID:",
9817 "recordUpdateForObject:changes:",
9818 "recordVisibleMessageRange",
9819 "recordsEventsForClass:",
9820 "rect",
9821 "rectArrayForCharacterRange:withinSelectedCharacterRange:inTextContainer:rectCount:",
9822 "rectArrayForGlyphRange:withinSelectedGlyphRange:inTextContainer:rectCount:",
9823 "rectForKey:inTable:",
9824 "rectForPage:",
9825 "rectForPart:",
9826 "rectOfColumn:",
9827 "rectOfItemAtIndex:",
9828 "rectOfRow:",
9829 "rectOfTickMarkAtIndex:",
9830 "rectValue",
9831 "redColor",
9832 "redComponent",
9833 "redirectedHandleFromResponse:",
9834 "redisplayItemEqualTo:",
9835 "redo",
9836 "redo:",
9837 "redoActionName",
9838 "redoMenuItemTitle",
9839 "redoMenuTitleForUndoActionName:",
9840 "redraw:",
9841 "reenableDisplayPosting",
9842 "reenableFlush",
9843 "reenableHeartBeating:",
9844 "reenableUndoRegistration",
9845 "reevaluateFontSize",
9846 "ref",
9847 "refault:",
9848 "refaultObject:withGlobalID:editingContext:",
9849 "refaultObjects",
9850 "refetch:",
9851 "reflectScrolledClipView:",
9852 "refresh:",
9853 "refreshAtMidnight",
9854 "refreshBrowser",
9855 "refreshDefaults:",
9856 "refreshFaceTable",
9857 "refreshRect:",
9858 "refreshesRefetchedObjects",
9859 "refusesFirstResponder",
9860 "regeneratePaths",
9861 "registerAddressManagerClass:",
9862 "registerAvailableStore:",
9863 "registerBase:",
9864 "registerBody:",
9865 "registerBundle",
9866 "registerClassDescription:",
9867 "registerClassDescription:forClass:",
9868 "registerClient:",
9869 "registerCoercer:selector:toConvertFromClass:toClass:",
9870 "registerCommandDescription:",
9871 "registerDefaults:",
9872 "registerDragTypes:forWindow:",
9873 "registerEventClass:classPointer:",
9874 "registerEventClass:handler:",
9875 "registerForColorAcceptingDragTypes",
9876 "registerForCommandDescription:",
9877 "registerForDocumentWindowChanges",
9878 "registerForDraggedTypes:",
9879 "registerForDrags",
9880 "registerForEditingContext:",
9881 "registerForFilenameDragTypes",
9882 "registerForInspectionObservation",
9883 "registerForServices",
9884 "registerFrameset:",
9885 "registerGlobalHandlers",
9886 "registerHTML:",
9887 "registerHead:",
9888 "registerImageRepClass:",
9889 "registerIndexedStore:",
9890 "registerLanguage:byVendor:",
9891 "registerMessageClass:",
9892 "registerMessageClass:forEncoding:",
9893 "registerName:",
9894 "registerName:withNameServer:",
9895 "registerNewViewer:",
9896 "registerObject:withServicePath:",
9897 "registerObjectForDeallocNotification:",
9898 "registerPort:forName:",
9899 "registerPort:name:",
9900 "registerPort:name:nameServerPortNumber:",
9901 "registerServiceProvider:withName:",
9902 "registerServicesMenuSendTypes:returnTypes:",
9903 "registerTitle:",
9904 "registerTranslator:selector:toTranslateFromClass:",
9905 "registerTranslator:selector:toTranslateFromDescriptorType:",
9906 "registerURLHandleClass:",
9907 "registerUndoForModifiedObject:",
9908 "registerUndoWithTarget:selector:arg:",
9909 "registerUndoWithTarget:selector:object:",
9910 "registerUnitWithName:abbreviation:unitToPointsConversionFactor:stepUpCycle:stepDownCycle:",
9911 "registeredEventClasses",
9912 "registeredImageRepClasses",
9913 "registeredObjects",
9914 "regularExpressionWithString:",
9915 "regularFileContents",
9916 "relationalQualifierOperators",
9917 "relationshipPathByDeletingFirstComponent",
9918 "relationshipPathByDeletingLastComponent",
9919 "relationshipPathIsMultiHop",
9920 "relativeCurveToPoint:controlPoint1:controlPoint2:",
9921 "relativeLineToPoint:",
9922 "relativeMoveToPoint:",
9923 "relativePath",
9924 "relativePosition",
9925 "relativeString",
9926 "release",
9927 "releaseAllPools",
9928 "releaseGState",
9929 "releaseGlobally",
9930 "releaseIndexInfo",
9931 "releaseName:count:",
9932 "releaseTemporaryAddressBooks",
9933 "reloadAccounts",
9934 "reloadColumn:",
9935 "reloadCurrentMessage",
9936 "reloadData",
9937 "reloadDefaultFontFamilies",
9938 "reloadItem:",
9939 "reloadItem:reloadChildren:",
9940 "reloadItemEqualTo:reloadChildren:",
9941 "rememberFileAttributes",
9942 "remoteObjects",
9943 "remove:",
9944 "removeAccount:",
9945 "removeAccountSheetDidEnd:returnCode:account:",
9946 "removeAddressForHeader:atIndex:",
9947 "removeAllActions",
9948 "removeAllActionsWithTarget:",
9949 "removeAllAttachments",
9950 "removeAllChildren",
9951 "removeAllDrawersImmediately",
9952 "removeAllFormattingExceptAttachments",
9953 "removeAllIndices",
9954 "removeAllItems",
9955 "removeAllObjects",
9956 "removeAllObjectsWithTarget:",
9957 "removeAllPoints",
9958 "removeAllRequestModes",
9959 "removeAllToolTips",
9960 "removeAllToolTipsForView:",
9961 "removeAndRetainLastObjectUsingLock",
9962 "removeAt:",
9963 "removeAttachments",
9964 "removeAttachments:",
9965 "removeAttribute:",
9966 "removeAttribute:range:",
9967 "removeAttributeForKey:",
9968 "removeBytesInRange:",
9969 "removeCachedFiles:",
9970 "removeCaption",
9971 "removeCardWithReference:",
9972 "removeCharactersInRange:",
9973 "removeCharactersInString:",
9974 "removeChild:",
9975 "removeChildAtIndex:",
9976 "removeChildrenDirectlyConflictingWithTextStyleFromArray:",
9977 "removeChildrenMatchingTextStyleFromArray:",
9978 "removeClient:",
9979 "removeColor:",
9980 "removeColorWithKey:",
9981 "removeColumn:",
9982 "removeColumnOfItem:",
9983 "removeConnection:fromRunLoop:forMode:",
9984 "removeContextHelpForObject:",
9985 "removeConversation",
9986 "removeCooperatingObjectStore:",
9987 "removeCursorRect:cursor:",
9988 "removeDecriptorAtIndex:",
9989 "removeDescriptorWithKeyword:",
9990 "removeDocument:",
9991 "removeEditor:",
9992 "removeElementAt:",
9993 "removeElementAtIndex:",
9994 "removeElementsInRange:",
9995 "removeElementsInRange:coalesceRuns:",
9996 "removeEmptyRows",
9997 "removeEntry:",
9998 "removeEntryAtIndex:",
9999 "removeEventHandlerForEventClass:andEventID:",
10000 "removeFeedback",
10001 "removeFile",
10002 "removeFile:",
10003 "removeFile:key:",
10004 "removeFileAtPath:handler:",
10005 "removeFileWrapper:",
10006 "removeFixedAttachmentAttributes",
10007 "removeFontTrait:",
10008 "removeFrameUsingName:",
10009 "removeFreedView:",
10010 "removeFreedWindow:",
10011 "removeFromBccRecipientsAtIndex:",
10012 "removeFromCcRecipientsAtIndex:",
10013 "removeFromComposeMessages:",
10014 "removeFromMessageEditors:",
10015 "removeFromRunLoop:forMode:",
10016 "removeFromSuperstructure:",
10017 "removeFromSuperview",
10018 "removeFromSuperviewWithoutNeedingDisplay",
10019 "removeFromToRecipientsAtIndex:",
10020 "removeHandle:",
10021 "removeHandlerForMarker:",
10022 "removeHeaderForKey:",
10023 "removeHeartBeatView:",
10024 "removeImmediately:",
10025 "removeIndex:",
10026 "removeIndexForStore:",
10027 "removeIndexRange:",
10028 "removeInvocationsWithTarget:selector:",
10029 "removeItem",
10030 "removeItem:",
10031 "removeItemAndChildren:",
10032 "removeItemAtIndex:",
10033 "removeItemWithObjectValue:",
10034 "removeItemWithTitle:",
10035 "removeKeysForObject:",
10036 "removeKeysNotIn:",
10037 "removeLastElement",
10038 "removeLastObject",
10039 "removeLayoutManager:",
10040 "removeLeadingSpaceWithSemanticEngine:",
10041 "removeList:",
10042 "removeLocal:",
10043 "removeMailboxAtPath:confirmWithUser:",
10044 "removeMarker:",
10045 "removeMatchingEntry:",
10046 "removeMatchingTypes:",
10047 "removeMessage:",
10048 "removeMessageAtIndexFromAllMessages:",
10049 "removeMessages:fromArray:attributes:",
10050 "removeName:",
10051 "removeObject:",
10052 "removeObject:fromBothSidesOfRelationshipWithKey:",
10053 "removeObject:fromPropertyWithKey:",
10054 "removeObject:inRange:",
10055 "removeObject:range:identical:",
10056 "removeObjectAt:",
10057 "removeObjectAtIndex:",
10058 "removeObjectForKey:",
10059 "removeObjectForKey:inDomain:",
10060 "removeObjectIdenticalTo:",
10061 "removeObjectIdenticalTo:inRange:",
10062 "removeObjectsForKeys:",
10063 "removeObjectsFromCache:",
10064 "removeObjectsFromCacheForStore:",
10065 "removeObjectsFromIndices:numIndices:",
10066 "removeObjectsInArray:",
10067 "removeObjectsInRange:",
10068 "removeObserver:",
10069 "removeObserver:forObject:",
10070 "removeObserver:name:object:",
10071 "removeOmniscientObserver:",
10072 "removePage",
10073 "removeParamDescriptorWithKeyword:",
10074 "removeParentsDirectlyConflictingWithTextStyleFromArray:",
10075 "removeParentsMatchingTextStyleFromArray:",
10076 "removePath:",
10077 "removePathFromLibrarySearchPaths:",
10078 "removePersistentDomainForName:",
10079 "removePort:forMode:",
10080 "removePortForName:",
10081 "removePortsFromAllRunLoops",
10082 "removePortsFromRunLoop:",
10083 "removeProxy:",
10084 "removeRepresentation:",
10085 "removeRequestMode:",
10086 "removeRow:",
10087 "removeRowOfItem:",
10088 "removeRunLoop:",
10089 "removeSelectedEntry:",
10090 "removeServiceProvider:",
10091 "removeSignature:",
10092 "removeSignatureSheetDidEnd:returnCode:contextInfo:",
10093 "removeSpace:atIndex:",
10094 "removeSpecifiedPathForFramework:",
10095 "removeStatusItem:",
10096 "removeStore:",
10097 "removeStoreFromCache:",
10098 "removeStyles:",
10099 "removeSubnodeAtIndex:",
10100 "removeSuiteNamed:",
10101 "removeTabStop:",
10102 "removeTabViewItem:",
10103 "removeTableColumn:",
10104 "removeTargetPersistentStateObjectForKey:",
10105 "removeTemporaryAttribute:forCharacterRange:",
10106 "removeTextAlignment",
10107 "removeTextContainerAtIndex:",
10108 "removeTextStyle:",
10109 "removeTextStyleFromSelection:",
10110 "removeTextStyles:overChildRange:",
10111 "removeTimer:forMode:",
10112 "removeToolTip:",
10113 "removeToolTipForView:tag:",
10114 "removeTrackingRect:",
10115 "removeTrailingSpaceWithSemanticEngine:",
10116 "removeVCard:",
10117 "removeVCardsWithIdenticalEMail:",
10118 "removeValue",
10119 "removeValueAtIndex:fromPropertyWithKey:",
10120 "removeVolatileDomainForName:",
10121 "removeWindowController:",
10122 "removeWindowsItem:",
10123 "removedChild:",
10124 "removedFromTree",
10125 "removedFromTree:",
10126 "rename:",
10127 "renameColor:",
10128 "renameList:",
10129 "renameMailbox:",
10130 "renameMailbox:toMailbox:errorMessage:",
10131 "renameProject:",
10132 "renderBitsWithCode:withSize:",
10133 "renderLineWithCode:",
10134 "renderPICTWithSize:",
10135 "renderShapeWithCode:",
10136 "renderTextWithCode:",
10137 "renderedComment",
10138 "renderedEndTagString",
10139 "renderedScript",
10140 "renderedTagShowsAttributes",
10141 "renderedTagString",
10142 "renderedTagType",
10143 "renderingDidChange",
10144 "renderingRoot",
10145 "renderingRootTextView",
10146 "renewGState",
10147 "renewRows:columns:",
10148 "repairOffer:",
10149 "repairableParseExceptionWithName:token:position:length:reason:repairString:discipline:",
10150 "repeatCount",
10151 "replace:",
10152 "replace:at:",
10153 "replaceAll:",
10154 "replaceAllMessagesWithArray:",
10155 "replaceAndFind:",
10156 "replaceBytesInRange:withBytes:",
10157 "replaceBytesInRange:withBytes:length:",
10158 "replaceCharactersForTextView:inRange:withString:",
10159 "replaceCharactersInRange:withAttributedString:",
10160 "replaceCharactersInRange:withCString:length:",
10161 "replaceCharactersInRange:withCharacters:length:",
10162 "replaceCharactersInRange:withRTF:",
10163 "replaceCharactersInRange:withRTFD:",
10164 "replaceCharactersInRange:withString:",
10165 "replaceElementAt:with:",
10166 "replaceElementAtIndex:withElement:",
10167 "replaceElementsInRange:withElement:coalesceRuns:",
10168 "replaceFile:data:",
10169 "replaceFile:path:",
10170 "replaceFormattedAddress:withAddress:forKey:",
10171 "replaceGlyphAtIndex:withGlyph:",
10172 "replaceLayoutManager:",
10173 "replaceMailAccountsWithAccounts:",
10174 "replaceObject:with:",
10175 "replaceObject:withObject:",
10176 "replaceObjectAt:with:",
10177 "replaceObjectAtIndex:withObject:",
10178 "replaceObjectsInRange:withObject:length:",
10179 "replaceObjectsInRange:withObjects:count:",
10180 "replaceObjectsInRange:withObjectsFromArray:",
10181 "replaceObjectsInRange:withObjectsFromArray:range:",
10182 "replaceSelectionWithItem:",
10183 "replaceString:withString:",
10184 "replaceSubview:with:",
10185 "replaceSubviewWith:",
10186 "replaceTextContainer:",
10187 "replaceTextStorage:",
10188 "replaceTokenRange:withTokensFromFormatter:offsettingBy:",
10189 "replaceVCardWithReference:withVCard:",
10190 "replaceValueAtIndex:inPropertyWithKey:withValue:",
10191 "replaceWithInputOfType:",
10192 "replaceWithItem:",
10193 "replaceWithItem:addingStyles:removingStyles:",
10194 "replacementObjectForArchiver:",
10195 "replacementObjectForCoder:",
10196 "replacementObjectForPortCoder:",
10197 "replyAllMessage:",
10198 "replyFromSendingEvent:withSendMode:sendPriority:timeout:",
10199 "replyMessage:",
10200 "replyTimeout",
10201 "replyTo",
10202 "replyToAddress",
10203 "replyWithException:",
10204 "reportException:",
10205 "representationOfCoveredCharacters",
10206 "representationOfImageRepsInArray:usingType:properties:",
10207 "representationUsingType:properties:",
10208 "representationWithImageProperties:withProperties:",
10209 "representations",
10210 "representedFilename",
10211 "representedFrame",
10212 "representedItem",
10213 "representedObject",
10214 "representedUrl",
10215 "requestLimit",
10216 "requestModes",
10217 "requestStoreForGlobalID:fetchSpecification:object:",
10218 "requestTimeout",
10219 "requestedChangeWithTrait:",
10220 "requiredFileType",
10221 "requiredThickness",
10222 "requiresAllQualifierBindingVariables",
10223 "rerender",
10224 "rerenderItem:",
10225 "reservedSpaceLength",
10226 "reservedThicknessForAccessoryView",
10227 "reservedThicknessForMarkers",
10228 "reset",
10229 "resetAllPorts",
10230 "resetAlpha",
10231 "resetBytesInRange:",
10232 "resetCommunication",
10233 "resetCursorRect:inView:",
10234 "resetCursorRects",
10235 "resetDisplayDisableCount",
10236 "resetFlushDisableCount",
10237 "resetFormElements",
10238 "resetHtmlTextStyles",
10239 "resetLogging",
10240 "resetProfiling",
10241 "resetStandardUserDefaults",
10242 "resetState",
10243 "resetStateWithString:attributedString:",
10244 "resetSystemTimeZone",
10245 "resetTable",
10246 "resetTimer",
10247 "resetTotalAutoreleasedObjects",
10248 "residentSize",
10249 "resignAsSelectionOwner",
10250 "resignCurrentEditor",
10251 "resignFirstResponder",
10252 "resignKeyWindow",
10253 "resignMailboxSelectionOwnerFor:",
10254 "resignMainWindow",
10255 "resignSelection",
10256 "resignSelectionFor:",
10257 "resignUserInterface",
10258 "resizeBlock:toSize:",
10259 "resizeEdgeForEvent:",
10260 "resizeFlags",
10261 "resizeIncrements",
10262 "resizeSubviewsFromPercentageString:defaultPercentage:",
10263 "resizeSubviewsToPercentage:",
10264 "resizeSubviewsWithOldSize:",
10265 "resizeToScreenWithEvent:",
10266 "resizeWithDelta:fromFrame:beginOperation:endOperation:",
10267 "resizeWithEvent:",
10268 "resizeWithMagnification:",
10269 "resizeWithOldSuperviewSize:",
10270 "resizedColumn",
10271 "resolvedKeyDictionary",
10272 "resortMailboxPaths",
10273 "resourceBaseUrl",
10274 "resourceData",
10275 "resourceDataUsingCache:",
10276 "resourceForkData",
10277 "resourceKeys",
10278 "resourceNamed:",
10279 "resourcePath",
10280 "resourceSpecifier",
10281 "respondsTo:",
10282 "respondsToSelector:",
10283 "respondsToSelector:forFault:",
10284 "restoreAttributesOfTextStorage:",
10285 "restoreCachedImage",
10286 "restoreDraft:",
10287 "restoreGraphicsState",
10288 "restoreHTMLText:",
10289 "restoreOriginalGrammar",
10290 "restoreScrollAndSelection",
10291 "restoreVisible:nonDeleted:selection:forStore:viewingState:",
10292 "restoreWindowOnDockDeath",
10293 "resultCodeFromSendingCommand:withArguments:",
10294 "resultCodeFromSendingCommand:withArguments:commandResponse:",
10295 "resultCodeFromSendingCommand:withArguments:commandResponse:expectUntaggedUnderKey:untaggedResult:",
10296 "resultCodeFromSendingCommand:withArguments:commandResponse:expectUntaggedUnderKey:untaggedResult:destFile:keepInMemory:fetchInto:",
10297 "resultsOfPerformingSelector:",
10298 "resultsOfPerformingSelector:withEachObjectInArray:",
10299 "resume",
10300 "resumeLogging",
10301 "retain",
10302 "retainArguments",
10303 "retainCount",
10304 "retainWireCount",
10305 "retainedItemForMarker:tokenizer:",
10306 "retainedMessageHeaderForMessageNumber:",
10307 "retainedStringFromReplyLine",
10308 "retokenize",
10309 "retr:toFileHandle:",
10310 "retrieveReaderLocks",
10311 "returnCompletes",
10312 "returnID",
10313 "returnResult:exception:sequence:imports:",
10314 "returnToSender:",
10315 "returnType",
10316 "reusesColumns",
10317 "revalidate",
10318 "reverseObjectEnumerator",
10319 "revert",
10320 "revert:",
10321 "revertDocumentToSaved:",
10322 "revertToDefault:",
10323 "revertToSavedFromFile:ofType:",
10324 "revertToSavedFromURL:ofType:",
10325 "reviewChangesAndQuitEnumeration:",
10326 "reviewTextViewWidth",
10327 "reviewUnsavedDocumentsWithAlertTitle:cancellable:",
10328 "reviewUnsavedDocumentsWithAlertTitle:cancellable:delegate:didReviewAllSelector:contextInfo:",
10329 "richTextForView:",
10330 "richTextValue",
10331 "rightIndentMarkerWithRulerView:location:",
10332 "rightKey",
10333 "rightMargin",
10334 "rightMarginMarkerWithRulerView:location:",
10335 "rightMouseDown:",
10336 "rightMouseDragged:",
10337 "rightMouseUp:",
10338 "rightNeighbor",
10339 "rightSibling",
10340 "rightTabMarkerWithRulerView:location:",
10341 "rollbackChanges",
10342 "root",
10343 "rootContainer",
10344 "rootEvents",
10345 "rootEventsByDuration",
10346 "rootName",
10347 "rootNode",
10348 "rootObject",
10349 "rootObjectStore",
10350 "rootProject",
10351 "rootProjectTypeNames",
10352 "rootProxy",
10353 "rootProxyForConnectionWithRegisteredName:host:",
10354 "rootProxyForConnectionWithRegisteredName:host:usingNameServer:",
10355 "rotateByAngle:",
10356 "rotateByDegrees:",
10357 "rotateByRadians:",
10358 "rotated",
10359 "roundingBehavior",
10360 "roundingMode",
10361 "routeMessages:",
10362 "routerForStore:",
10363 "row",
10364 "rowAtPoint:",
10365 "rowCount",
10366 "rowForItem:",
10367 "rowForItemEqualTo:",
10368 "rowHeight",
10369 "rowPreviousTo:wrapping:",
10370 "rowSpan",
10371 "rowSubsequentTo:wrapping:",
10372 "rows",
10373 "rowsColsRadioAction:",
10374 "rowsInRect:",
10375 "rowsString",
10376 "rowsTextfieldAction:",
10377 "rtfBold:",
10378 "rtfCentered",
10379 "rtfColor:",
10380 "rtfFixed:",
10381 "rtfFont:",
10382 "rtfFontSize:",
10383 "rtfItalic:",
10384 "rtfLeftAligned",
10385 "rtfReset",
10386 "rtfRightAligned",
10387 "rtfUnderline:",
10388 "ruleThickness",
10389 "ruler",
10390 "rulerAccessoryViewForTextView:paragraphStyle:ruler:enabled:",
10391 "rulerAttributesInRange:",
10392 "rulerMarkersForTextView:paragraphStyle:ruler:",
10393 "rulerStateDescription",
10394 "rulerView:didAddMarker:",
10395 "rulerView:didMoveMarker:",
10396 "rulerView:didRemoveMarker:",
10397 "rulerView:handleMouseDown:",
10398 "rulerView:shouldAddMarker:",
10399 "rulerView:shouldMoveMarker:",
10400 "rulerView:shouldRemoveMarker:",
10401 "rulerView:willAddMarker:atLocation:",
10402 "rulerView:willMoveMarker:toLocation:",
10403 "rulerView:willRemoveMarker:",
10404 "rulerView:willSetClientView:",
10405 "rulerViewClass",
10406 "rulersVisible",
10407 "run",
10408 "runAlertPanelWithTitle:defaultTitle:alternateTitle:otherTitle:message:",
10409 "runBeforeDate:",
10410 "runCommand:withArguments:andInputFrom:",
10411 "runCommand:withArguments:andOutputTo:",
10412 "runCommand:withArguments:withInputFrom:andOutputTo:",
10413 "runImport",
10414 "runInNewThread",
10415 "runInOwnThread",
10416 "runInitialization",
10417 "runLoop",
10418 "runLoopModes",
10419 "runModal",
10420 "runModalFax",
10421 "runModalForDirectory:file:",
10422 "runModalForDirectory:file:relativeToWindow:",
10423 "runModalForDirectory:file:types:",
10424 "runModalForDirectory:file:types:relativeToWindow:",
10425 "runModalForTypes:",
10426 "runModalForWindow:",
10427 "runModalForWindow:relativeToWindow:",
10428 "runModalForWindow:withFirstResponder:",
10429 "runModalIsPrinter:",
10430 "runModalOpenPanel:forTypes:",
10431 "runModalPageLayoutWithPrintInfo:",
10432 "runModalSavePanel:withAccessoryView:",
10433 "runModalSavePanelForSaveOperation:delegate:didSaveSelector:contextInfo:",
10434 "runModalSession:",
10435 "runModalWithPrintInfo:",
10436 "runMode:beforeDate:",
10437 "runMode:untilDate:",
10438 "runOperation",
10439 "runPageLayout:",
10440 "runPipe:withInputFrom:",
10441 "runPipe:withInputFrom:andOutputTo:",
10442 "runPipe:withOutputTo:",
10443 "runPreferencesPanelModallyForOwner:",
10444 "runStartupPanel",
10445 "runUntilDate:",
10446 "runningOnMainThread",
10447 "runtimeAdaptorNames",
10448 "sampleTextForEncoding:language:font:",
10449 "sampleTextForTriplet:",
10450 "samplesPerPixel",
10451 "sanitizedFileName:",
10452 "sanityCheck",
10453 "saturationComponent",
10454 "save:",
10455 "saveAccountInfoToDefaults",
10456 "saveAccounts:usingDefaultsKey:",
10457 "saveAddressBook",
10458 "saveAll:",
10459 "saveAllAddressBooks",
10460 "saveAllDocuments:",
10461 "saveAllEnumeration:",
10462 "saveAs:",
10463 "saveChanges",
10464 "saveChanges:",
10465 "saveChangesInEditingContext:",
10466 "saveDefaults",
10467 "saveDocument:",
10468 "saveDocument:rememberName:shouldClose:",
10469 "saveDocument:rememberName:shouldClose:whenDone:",
10470 "saveDocumentAs:",
10471 "saveDocumentTo:",
10472 "saveDocumentWithDelegate:didSaveSelector:contextInfo:",
10473 "saveFontCollection:withName:",
10474 "saveFrameUsingName:",
10475 "saveGraphicsState",
10476 "saveImageNamed:andShowWarnings:",
10477 "saveMessage",
10478 "saveMessage:",
10479 "saveMessageToDrafts:",
10480 "saveOptions",
10481 "savePanel",
10482 "savePreferencesToDefaults:",
10483 "saveProjectFiles",
10484 "saveProjectFiles:block:",
10485 "saveScrollAndSelection",
10486 "saveServerList",
10487 "saveState",
10488 "saveStateForAllAccounts",
10489 "saveTo:",
10490 "saveToDocument:removeBackup:errorHandler:",
10491 "saveToFile:saveOperation:delegate:didSaveSelector:contextInfo:",
10492 "saveToPath:encoding:updateFilenames:overwriteOK:",
10493 "saveUserInfo",
10494 "saveVisible:nonDeleted:selection:viewingState:",
10495 "saveWeighting",
10496 "savedHostname",
10497 "scale",
10498 "scaleBy:",
10499 "scaleFactor",
10500 "scalePopUpAction:",
10501 "scaleTo::",
10502 "scaleUnitSquareToSize:",
10503 "scaleXBy:yBy:",
10504 "scalesWhenResized",
10505 "scanByte:",
10506 "scanBytesFromSet:intoData:",
10507 "scanCString:intoData:",
10508 "scanCharacter:",
10509 "scanCharactersFromSet:intoString:",
10510 "scanData:intoData:",
10511 "scanDecimal:",
10512 "scanDouble:",
10513 "scanEndIntoString:",
10514 "scanFloat:",
10515 "scanHexInt:",
10516 "scanInt:",
10517 "scanLocation",
10518 "scanLongLong:",
10519 "scanMimeTokenUsingSeparators:",
10520 "scanString:intoString:",
10521 "scanStringOfLength:intoString:",
10522 "scanTokenSeparatedByString:",
10523 "scanUpAndOverString:",
10524 "scanUpToBytesFromSet:intoData:",
10525 "scanUpToCString:intoData:",
10526 "scanUpToCharactersFromSet:intoString:",
10527 "scanUpToData:intoData:",
10528 "scanUpToString:intoString:",
10529 "scanUpToString:options:",
10530 "scannerWithData:",
10531 "scannerWithString:",
10532 "scheduleInRunLoop:forMode:",
10533 "scheduleTimerWithTimeInterval:target:selector:withObject:",
10534 "scheduleTimerWithTimeInterval:target:selector:withObject:inModes:",
10535 "scheduledTimerWithTimeInterval:invocation:repeats:",
10536 "scheduledTimerWithTimeInterval:target:selector:userInfo:repeats:",
10537 "scheme",
10538 "scope",
10539 "screen",
10540 "screenFont",
10541 "screens",
10542 "script",
10543 "scriptCommandForAppleEvent:",
10544 "scriptDidChange:",
10545 "scriptErrorNumber",
10546 "scriptErrorString",
10547 "scriptString",
10548 "scriptStringItem",
10549 "scriptedMessageSize",
10550 "scriptingBeginsWith:",
10551 "scriptingContains:",
10552 "scriptingEndsWith:",
10553 "scriptingIsEqualTo:",
10554 "scriptingIsGreaterThan:",
10555 "scriptingIsGreaterThanOrEqualTo:",
10556 "scriptingIsLessThan:",
10557 "scriptingIsLessThanOrEqualTo:",
10558 "scrollBarColor",
10559 "scrollCellToVisibleAtRow:column:",
10560 "scrollClipView:toPoint:",
10561 "scrollColumnToVisible:",
10562 "scrollColumnsLeftBy:",
10563 "scrollColumnsRightBy:",
10564 "scrollDown",
10565 "scrollItemAtIndexToTop:",
10566 "scrollItemAtIndexToVisible:",
10567 "scrollLineDown:",
10568 "scrollLineUp:",
10569 "scrollPageDown:",
10570 "scrollPageUp:",
10571 "scrollPoint:",
10572 "scrollPoint:fromView:",
10573 "scrollRangeToVisible:",
10574 "scrollRect:by:",
10575 "scrollRectToVisible:",
10576 "scrollRectToVisible:fromView:",
10577 "scrollRowToVisible:",
10578 "scrollRowToVisible:position:",
10579 "scrollToBeginningOfDocument:",
10580 "scrollToEndOfDocument:",
10581 "scrollToFragmentName:",
10582 "scrollToPoint:",
10583 "scrollUp",
10584 "scrollViaScroller:",
10585 "scrollView",
10586 "scrollWheel:",
10587 "scrollerWidth",
10588 "scrollerWidthForControlSize:",
10589 "scrolling",
10590 "scrollsDynamically",
10591 "search:",
10592 "search:attributes:attributesOnly:",
10593 "searchCount:",
10594 "searchIndex:",
10595 "searchList",
10596 "searchNames",
10597 "searchRanks",
10598 "searchResults",
10599 "searchResultsFromLDAPQuery:",
10600 "searchResultsWithResults:connection:",
10601 "searchedPathForFrameworkNamed:",
10602 "secondOfMinute",
10603 "secondaryInvocation",
10604 "secondsFromGMT",
10605 "secondsFromGMTForDate:",
10606 "secondsFromGMTForTimeInterval:",
10607 "seekToEndOfFile",
10608 "seekToFileOffset:",
10609 "select",
10610 "selectAddressBook:",
10611 "selectAll:",
10612 "selectCell:",
10613 "selectCellAtRow:",
10614 "selectCellAtRow:column:",
10615 "selectCellWithTag:",
10616 "selectColumn:byExtendingSelection:",
10617 "selectFile:inFileViewerRootedAtPath:",
10618 "selectFirstTabViewItem:",
10619 "selectFontFaceAtIndex:",
10620 "selectImage:",
10621 "selectItem:",
10622 "selectItemAtIndex:",
10623 "selectItemWithObjectValue:",
10624 "selectItemWithTitle:",
10625 "selectKeyViewFollowingView:",
10626 "selectKeyViewPrecedingView:",
10627 "selectLastTabViewItem:",
10628 "selectLine:",
10629 "selectMailProgram:",
10630 "selectMailbox:errorMessage:",
10631 "selectMailboxPanelCancel:",
10632 "selectMailboxPanelOK:",
10633 "selectMessages:",
10634 "selectModule:",
10635 "selectNewMailSound:",
10636 "selectNextKeyView:",
10637 "selectNextMessage",
10638 "selectNextMessageMovingDownward",
10639 "selectNextMessageMovingUpward",
10640 "selectNextTabViewItem:",
10641 "selectParagraph:",
10642 "selectPathToMailbox:",
10643 "selectPreviousKeyView:",
10644 "selectPreviousMessage",
10645 "selectPreviousTabViewItem:",
10646 "selectResult:",
10647 "selectRow:byExtendingSelection:",
10648 "selectRow:inColumn:",
10649 "selectTabViewItem:",
10650 "selectTabViewItemAtIndex:",
10651 "selectTabViewItemWithIdentifier:",
10652 "selectTableViewRow:",
10653 "selectText:",
10654 "selectTextAtIndex:",
10655 "selectTextAtRow:column:",
10656 "selectToMark:",
10657 "selectWithFrame:inView:editor:delegate:start:length:",
10658 "selectWord:",
10659 "selected",
10660 "selectedAddressBooks",
10661 "selectedAddresses",
10662 "selectedCell",
10663 "selectedCellInColumn:",
10664 "selectedCells",
10665 "selectedColumn",
10666 "selectedColumnEnumerator",
10667 "selectedControlColor",
10668 "selectedControlTextColor",
10669 "selectedElementResized:",
10670 "selectedFont",
10671 "selectedInactiveColor",
10672 "selectedItem",
10673 "selectedItemForUserChange",
10674 "selectedItems",
10675 "selectedKnobColor",
10676 "selectedMailbox",
10677 "selectedMailboxes",
10678 "selectedMenuItemColor",
10679 "selectedMenuItemTextColor",
10680 "selectedOption",
10681 "selectedOptions",
10682 "selectedRange",
10683 "selectedRangeForRoot:",
10684 "selectedRow",
10685 "selectedRowEnumerator",
10686 "selectedRowInColumn:",
10687 "selectedTabViewItem",
10688 "selectedTag",
10689 "selectedTargetCommandLineArguments",
10690 "selectedTargetCommandLineArgumentsArrayIndex",
10691 "selectedTargetCommandLineArgumentsString",
10692 "selectedTextAttributes",
10693 "selectedTextBackgroundColor",
10694 "selectedTextColor",
10695 "selection",
10696 "selectionAddingItem:toSelection:",
10697 "selectionAffinity",
10698 "selectionAtEndOfContent",
10699 "selectionAtStartOfContent",
10700 "selectionByMovingBackwardCharacterFromSelection:",
10701 "selectionByMovingBackwardFromSelection:",
10702 "selectionByMovingDownwardFromSelection:usingOffset:",
10703 "selectionByMovingForwardCharacterFromSelection:",
10704 "selectionByMovingForwardFromSelection:",
10705 "selectionByMovingToParagraphEndFromSelection:movingOutOfBlocks:stoppingAtBreaks:",
10706 "selectionByMovingToParagraphStartFromSelection:movingOutOfBlocks:stoppingAtBreaks:",
10707 "selectionByMovingUpwardFromSelection:usingOffset:",
10708 "selectionByTrackingChange:",
10709 "selectionChanged:",
10710 "selectionChanged:fromRange:toRange:andColorize:",
10711 "selectionColor",
10712 "selectionCount",
10713 "selectionEncompassingInteriorOfItem:",
10714 "selectionEncompassingItem:",
10715 "selectionEncompassingItems:",
10716 "selectionEndItemWithOffset:",
10717 "selectionForStartRoot:index:",
10718 "selectionForUserChange",
10719 "selectionFromOffset:inItem:toOffset:inItem:",
10720 "selectionFromOffset:inItem:toOffset:inItem:affinity:",
10721 "selectionFromRootSelection:endRoot:index:",
10722 "selectionFromStartOfSelection:toEndOfSelection:",
10723 "selectionGranularity",
10724 "selectionIncorporatingFollowingPosition",
10725 "selectionIncorporatingPrecedingPosition",
10726 "selectionInspectingItem:",
10727 "selectionIsChanging:",
10728 "selectionIsFolder",
10729 "selectionIsolatedFromChildren",
10730 "selectionIsolatedFromText",
10731 "selectionIsolatedInNode:",
10732 "selectionMustBeWithinEditedItem",
10733 "selectionOneOnly",
10734 "selectionOwner",
10735 "selectionRangeForProposedRange:granularity:",
10736 "selectionRangeUsingRangeMap:",
10737 "selectionRemovingItem:fromSelection:",
10738 "selectionShouldChangeInOutlineView:",
10739 "selectionShouldChangeInTableView:",
10740 "selectionStartItemWithOffset:",
10741 "selectionWithLocation:affinity:rangeMap:",
10742 "selectionWithLocation:rangeMap:",
10743 "selectionWithRange:affinity:rangeMap:",
10744 "selectionWithRange:rangeMap:",
10745 "selector",
10746 "selectorForCommand:",
10747 "self",
10748 "semanticDiscipline",
10749 "semanticDisciplineLevel",
10750 "semanticEngine",
10751 "semanticErrorOfType:withChildKey:parentKey:",
10752 "semanticPolicyChanged:",
10753 "send",
10754 "send:",
10755 "sendAction",
10756 "sendAction:to:",
10757 "sendAction:to:forAllCells:",
10758 "sendAction:to:from:",
10759 "sendActionOn:",
10760 "sendBeforeDate:",
10761 "sendBeforeDate:components:from:reserved:",
10762 "sendBeforeDate:msgid:components:from:reserved:",
10763 "sendBeforeTime:sendReplyPort:",
10764 "sendBeforeTime:streamData:components:from:msgid:",
10765 "sendBeforeTime:streamData:components:to:from:msgid:reserved:",
10766 "sendData:",
10767 "sendDoubleAction",
10768 "sendEOF",
10769 "sendEvent:",
10770 "sendFormat",
10771 "sendInv",
10772 "sendInvocation:target:",
10773 "sendPort",
10774 "sendPort:withAllRights:",
10775 "sendReleasedProxies",
10776 "sendSizeLimit",
10777 "sendTaggedMsg:",
10778 "sendWireCountForTarget:port:",
10779 "sender",
10780 "senderDidBecomeActive:",
10781 "senderDidResignActive:",
10782 "senderOrReceiverIfSenderIsMe",
10783 "sendmailMailer",
10784 "sendsActionOnArrowKeys",
10785 "sendsActionOnEndEditing",
10786 "sendsDoubleAction",
10787 "sendsSingleAction",
10788 "separatesColumns",
10789 "separator",
10790 "separatorChar",
10791 "separatorItem",
10792 "serialize:length:",
10793 "serializeAlignedBytes:length:",
10794 "serializeAlignedBytesLength:",
10795 "serializeData:",
10796 "serializeDataAt:ofObjCType:context:",
10797 "serializeInt:",
10798 "serializeInt:atIndex:",
10799 "serializeInts:count:",
10800 "serializeInts:count:atIndex:",
10801 "serializeList:",
10802 "serializeListItemIn:at:",
10803 "serializeObject:",
10804 "serializeObjectAt:ofObjCType:intoData:",
10805 "serializePListKeyIn:key:value:",
10806 "serializePListValueIn:key:value:",
10807 "serializePropertyList:",
10808 "serializePropertyList:intoData:",
10809 "serializeString:",
10810 "serializeToData",
10811 "serializeXMLPropertyList:",
10812 "serializedRepresentation",
10813 "serializerStream",
10814 "server",
10815 "serverName",
10816 "serverSideImageMap",
10817 "servers",
10818 "serviceError:error:",
10819 "serviceListener",
10820 "servicesInfoIdentifier:",
10821 "servicesMenu",
10822 "servicesMenuData:forUser:",
10823 "servicesProvider",
10824 "set",
10825 "setAbsoluteFontSizeLevel:",
10826 "setAcceptsArrowKeys:",
10827 "setAcceptsMouseMovedEvents:",
10828 "setAccessoryView:",
10829 "setAccount:",
10830 "setAccountInfo:",
10831 "setAction:",
10832 "setAction:atRow:column:",
10833 "setActionName:",
10834 "setActivated:sender:",
10835 "setActiveLinkColor:",
10836 "setAddress:",
10837 "setAddressList:forHeader:",
10838 "setAlias:",
10839 "setAlignment:",
10840 "setAlignment:range:",
10841 "setAlignmentValue:forAttribute:",
10842 "setAllContextsOutputTraced:",
10843 "setAllContextsSynchronized:",
10844 "setAllowsBranchSelection:",
10845 "setAllowsColumnReordering:",
10846 "setAllowsColumnResizing:",
10847 "setAllowsColumnSelection:",
10848 "setAllowsContinuedTracking:",
10849 "setAllowsEditingTextAttributes:",
10850 "setAllowsEmptySelection:",
10851 "setAllowsFloats:",
10852 "setAllowsIncrementalSearching:",
10853 "setAllowsMixedState:",
10854 "setAllowsMultipleSelection:",
10855 "setAllowsTickMarkValuesOnly:",
10856 "setAllowsTruncatedLabels:",
10857 "setAllowsUndo:",
10858 "setAlpha:",
10859 "setAltIncrementValue:",
10860 "setAlternateImage:",
10861 "setAlternateMnemonicLocation:",
10862 "setAlternateText:",
10863 "setAlternateTitle:",
10864 "setAlternateTitleWithMnemonic:",
10865 "setAltersStateOfSelectedItem:",
10866 "setAlwaysKeepColumnsSizedToFitAvailableSpace:",
10867 "setAlwaysSelectsSelf:",
10868 "setAlwaysVisible:",
10869 "setAnimationDelay:",
10870 "setAppHelpFile:forOSType:",
10871 "setAppIconFile:forOSType:",
10872 "setAppImageForUnreadCount:",
10873 "setAppleMenu:",
10874 "setApplicationClass:",
10875 "setApplicationIconImage:",
10876 "setArchitectureCount:andArchs:",
10877 "setArchiveMailboxPath:",
10878 "setArchiveStorePath:",
10879 "setArgArray:",
10880 "setArgList:",
10881 "setArgument:atIndex:",
10882 "setArgumentBinding:",
10883 "setArguments:",
10884 "setArray:",
10885 "setArrowPosition:",
10886 "setArrowsPosition:",
10887 "setAsMainCarbonMenuBar",
10888 "setAskForReadReceipt:",
10889 "setAspectRatio:",
10890 "setAssociatedInputManager:",
10891 "setAssociatedPoints:atIndex:",
10892 "setAttachedView:",
10893 "setAttachment:",
10894 "setAttachmentCell:",
10895 "setAttachmentDirectory:",
10896 "setAttachmentSize:forGlyphRange:",
10897 "setAttribute:forKey:",
10898 "setAttribute:toSize:percentage:",
10899 "setAttributeDescriptor:forKeyword:",
10900 "setAttributeRuns:",
10901 "setAttributeStart:",
10902 "setAttributedAlternateTitle:",
10903 "setAttributedString:",
10904 "setAttributedStringForNil:",
10905 "setAttributedStringForNotANumber:",
10906 "setAttributedStringForZero:",
10907 "setAttributedStringValue:",
10908 "setAttributedTitle:",
10909 "setAttributes:",
10910 "setAttributes:range:",
10911 "setAttributesInTextStorage:",
10912 "setAutoAlternative:",
10913 "setAutoPositionMask:",
10914 "setAutoResizesOutlineColumn:",
10915 "setAutoUpdateEnabled:",
10916 "setAutodisplay:",
10917 "setAutoenablesItems:",
10918 "setAutomagicallyResizes:",
10919 "setAutoresizesAllColumnsToFit:",
10920 "setAutoresizesOutlineColumn:",
10921 "setAutoresizesSubviews:",
10922 "setAutoresizingMask:",
10923 "setAutosaveExpandedItems:",
10924 "setAutosaveName:",
10925 "setAutosaveTableColumns:",
10926 "setAutoscroll:",
10927 "setAutosizesCells:",
10928 "setAvailableCapacity:",
10929 "setBackEnd:",
10930 "setBackgroundColor:",
10931 "setBackgroundColorString:",
10932 "setBackgroundImageUrl:",
10933 "setBackgroundImageUrlString:",
10934 "setBackgroundLayoutEnabled:",
10935 "setBackgroundProcessingEnabled:",
10936 "setBackingType:",
10937 "setBase:",
10938 "setBaseAffineTransform:",
10939 "setBaseFontSizeLevel:",
10940 "setBaseSpecifier:",
10941 "setBaselineOffset:",
10942 "setBaselineTo:",
10943 "setBaselineToCenterAttachmentOfHeight:",
10944 "setBaselineToCenterImage:",
10945 "setBaselineToCenterImageNamed:",
10946 "setBecomesKeyOnlyIfNeeded:",
10947 "setBezelStyle:",
10948 "setBezeled:",
10949 "setBigMessageWarningSize:",
10950 "setBinding:",
10951 "setBitsPerSample:",
10952 "setBlink",
10953 "setBlueUnderline",
10954 "setBodyData:",
10955 "setBodyParts:",
10956 "setBold",
10957 "setBool:forKey:",
10958 "setBooleanValue:forAttribute:",
10959 "setBorderColor:",
10960 "setBorderOnTop:left:bottom:right:",
10961 "setBorderSize:",
10962 "setBorderType:",
10963 "setBorderWidth:",
10964 "setBordered:",
10965 "setBottomMargin:",
10966 "setBounds:",
10967 "setBoundsOrigin:",
10968 "setBoundsRotation:",
10969 "setBoundsSize:",
10970 "setBoxType:",
10971 "setBrightness:",
10972 "setBrowser:",
10973 "setBrowserBox:",
10974 "setBrowserMayDeferScript:",
10975 "setBulletCharacter:",
10976 "setBulletStyle:",
10977 "setBundleExtension:",
10978 "setButtonID:",
10979 "setButtonSize:",
10980 "setButtonType:",
10981 "setButtons:",
10982 "setByteThreshold:",
10983 "setCacheDepthMatchesImageDepth:",
10984 "setCachePolicy:",
10985 "setCachedSeparately:",
10986 "setCachesBezierPath:",
10987 "setCalendarFormat:",
10988 "setCanBeCancelled:",
10989 "setCanBePended:",
10990 "setCanChooseDirectories:",
10991 "setCanChooseFiles:",
10992 "setCanUseAppKit:",
10993 "setCancelButton:",
10994 "setCaseSensitive:",
10995 "setCell:",
10996 "setCellAttribute:to:",
10997 "setCellBackgroundColor:",
10998 "setCellClass:",
10999 "setCellPrototype:",
11000 "setCellSize:",
11001 "setCellTextAlignment:",
11002 "setCenteredInCell:",
11003 "setCharacterIndex:forGlyphAtIndex:",
11004 "setCharacters:",
11005 "setCharactersToBeSkipped:",
11006 "setChecked:",
11007 "setChildSpecifier:",
11008 "setChildren:",
11009 "setChooser:",
11010 "setClassDelegate:",
11011 "setClassName:",
11012 "setClientSideImageMapName:",
11013 "setClientView:",
11014 "setClip",
11015 "setClipRgn",
11016 "setCloseAction:",
11017 "setCloseTarget:",
11018 "setCloseTokenRange:",
11019 "setColor:",
11020 "setColor:forKey:",
11021 "setColorMask:",
11022 "setColorSpaceName:",
11023 "setColorString:",
11024 "setCols:",
11025 "setColsString:",
11026 "setColumnSpan:",
11027 "setComment:",
11028 "setCompactWhenClosingMailboxes:",
11029 "setComparator:andContext:",
11030 "setCompareSelector:",
11031 "setComparisonFormat:",
11032 "setCompiler:forLanguage:OSType:",
11033 "setCompletes:",
11034 "setCompletionEnabled:",
11035 "setCompressCommand:",
11036 "setCompression:factor:",
11037 "setConstrainedFrameSize:",
11038 "setContainerClassDescription:",
11039 "setContainerIsObjectBeingTested:",
11040 "setContainerIsRangeContainerObject:",
11041 "setContainerSize:",
11042 "setContainerSpecifier:",
11043 "setContent:",
11044 "setContentSize:",
11045 "setContentString:",
11046 "setContentTransferEncoding:",
11047 "setContentView:",
11048 "setContentViewMargins:",
11049 "setContents:andLength:",
11050 "setContentsNoCopy:length:freeWhenDone:isUnicode:",
11051 "setContentsWrap:",
11052 "setContextHelp:forObject:",
11053 "setContextHelpModeActive:",
11054 "setContextMenuRepresentation:",
11055 "setContinuous:",
11056 "setContinuousSpellCheckingEnabled:",
11057 "setControlBox:",
11058 "setControlSize:",
11059 "setControlTint:",
11060 "setConversationRequest:",
11061 "setCoordinates:",
11062 "setCopiesOnScroll:",
11063 "setCornerView:",
11064 "setCount:andPostings:",
11065 "setCount:andPostings:byCopy:",
11066 "setCreateSelector:",
11067 "setCreationZone:",
11068 "setCreator:",
11069 "setCurrentContext:",
11070 "setCurrentDirectoryPath:",
11071 "setCurrentImageNumber:",
11072 "setCurrentIndex:",
11073 "setCurrentInputManager:",
11074 "setCurrentOperation:",
11075 "setCurrentPage:",
11076 "setCurrentTransferMailboxPath:",
11077 "setCursor:",
11078 "setData:",
11079 "setData:forType:",
11080 "setDataCell:",
11081 "setDataRetained:",
11082 "setDataSource:",
11083 "setDateReceived:",
11084 "setDeadKeyProcessingEnabled:",
11085 "setDebugTextView:",
11086 "setDecimalSeparator:",
11087 "setDefaultAttachmentDirectory:",
11088 "setDefaultBehavior:",
11089 "setDefaultButtonCell:",
11090 "setDefaultCollator:",
11091 "setDefaultCoordinator:",
11092 "setDefaultFetchTimestampLag:",
11093 "setDefaultFlatness:",
11094 "setDefaultFontSize:",
11095 "setDefaultHeader:",
11096 "setDefaultLanguage:",
11097 "setDefaultLanguageContext:",
11098 "setDefaultLineCapStyle:",
11099 "setDefaultLineJoinStyle:",
11100 "setDefaultLineWidth:",
11101 "setDefaultMailDirectory:",
11102 "setDefaultMessageStorePath:",
11103 "setDefaultMiterLimit:",
11104 "setDefaultNameServerPortNumber:",
11105 "setDefaultParentObjectStore:",
11106 "setDefaultPreferencesClass:",
11107 "setDefaultPreferredAlternative:",
11108 "setDefaultPrinter:",
11109 "setDefaultPrinterWithName:isFax:",
11110 "setDefaultPriority:",
11111 "setDefaultSharedEditingContext:",
11112 "setDefaultSignature:",
11113 "setDefaultString:forKey:inDictionary:",
11114 "setDefaultTimeZone:",
11115 "setDefaultValue:",
11116 "setDefaultWindingRule:",
11117 "setDeferSync:",
11118 "setDeferred:",
11119 "setDelegate:",
11120 "setDelegate:withNotifyingTextView:",
11121 "setDeleteMessagesOnServer:",
11122 "setDeleteSelector:",
11123 "setDeltaFontSizeLevel:",
11124 "setDepthLimit:",
11125 "setDescriptor:forKeyword:",
11126 "setDestination:",
11127 "setDevice:",
11128 "setDictionary:",
11129 "setDirectUndoBody:",
11130 "setDirectUndoDirtyFlags:",
11131 "setDirectUndoFrameset:",
11132 "setDirectUndoHead:",
11133 "setDirectUndoHtml:",
11134 "setDirectUndoTitle:",
11135 "setDirectory:",
11136 "setDirtyFlag:",
11137 "setDisplayDisciplineLevelsForDisplayOnly:",
11138 "setDisplayName:",
11139 "setDisplaySeparatelyInMailboxesDrawer:",
11140 "setDisplaysMessageNumbers:",
11141 "setDisplaysMessageSizes:",
11142 "setDisplaysSearchRank:",
11143 "setDisposable:",
11144 "setDocument:",
11145 "setDocumentAttributes:",
11146 "setDocumentBaseUrl:",
11147 "setDocumentClass:",
11148 "setDocumentCursor:",
11149 "setDocumentEdited:",
11150 "setDocumentName:",
11151 "setDocumentView:",
11152 "setDouble:forKey:",
11153 "setDoubleAction:",
11154 "setDoubleValue:",
11155 "setDraftsMailboxPath:",
11156 "setDraggingDelegate:",
11157 "setDrawsBackground:",
11158 "setDrawsCellBackground:",
11159 "setDrawsColumnSeparators:",
11160 "setDrawsGrid:",
11161 "setDrawsOutsideLineFragment:forGlyphAtIndex:",
11162 "setDropItem:dropChildIndex:",
11163 "setDropRow:dropOperation:",
11164 "setDynamicCounterpart:",
11165 "setDynamicDepthLimit:",
11166 "setEMail:",
11167 "setEchosBullets:",
11168 "setEditAddressBook:",
11169 "setEditable:",
11170 "setEditedCell:",
11171 "setEditedFlag:",
11172 "setEditingContextSelector:",
11173 "setEditingField:",
11174 "setEditingSwitches:",
11175 "setEffectiveColumnSpan:",
11176 "setEffectiveRowSpan:",
11177 "setEmailAddresses:",
11178 "setEnableFloatParsing:",
11179 "setEnableIntegerParsing:",
11180 "setEnabled:",
11181 "setEncoding:",
11182 "setEncodingAccessory:",
11183 "setEncodingPopupButton:",
11184 "setEncodingType:",
11185 "setEndSpecifier:",
11186 "setEndSubelementIdentifier:",
11187 "setEndSubelementIndex:",
11188 "setEntityName:",
11189 "setEntryType:",
11190 "setEntryWidth:",
11191 "setEnvironment:",
11192 "setErrorAction:",
11193 "setErrorProc:",
11194 "setEvaluationErrorNumber:",
11195 "setEventCoalescingEnabled:",
11196 "setEventHandler:andSelector:forEventClass:andEventID:",
11197 "setEventMask:",
11198 "setEventsTraced:",
11199 "setExcludedFromWindowsMenu:",
11200 "setExpandButton:",
11201 "setExtraLineFragmentRect:usedRect:textContainer:",
11202 "setFaceString:",
11203 "setFaces:",
11204 "setFamilies:",
11205 "setFavoritesButton:",
11206 "setFavoritesPopup:",
11207 "setFeature:forPopUp:",
11208 "setFeed:",
11209 "setFeedTitle:value:",
11210 "setFetchLimit:",
11211 "setFetchRemoteURLs:",
11212 "setFetchSelector:",
11213 "setFetchTimestamp:",
11214 "setFetchesRawRows:",
11215 "setFieldEditor:",
11216 "setFile:",
11217 "setFileAttributes:",
11218 "setFileName:",
11219 "setFilePermissionsRecursively:",
11220 "setFileType:",
11221 "setFileWrapper:",
11222 "setFilename:",
11223 "setFilterString:",
11224 "setFindString:",
11225 "setFindString:writeToPasteboard:",
11226 "setFinderFlags:",
11227 "setFirst",
11228 "setFirstHandle",
11229 "setFirstLineHeadIndent:",
11230 "setFirstName:",
11231 "setFixedCapacityLimit:",
11232 "setFixedFont",
11233 "setFlagsFromDictionary:forMessage:",
11234 "setFlagsFromDictionary:forMessages:",
11235 "setFlatness:",
11236 "setFlipped:",
11237 "setFloat:forKey:",
11238 "setFloatValue:",
11239 "setFloatValue:knobProportion:",
11240 "setFloatingPanel:",
11241 "setFloatingPointFormat:left:right:",
11242 "setFocusStack:",
11243 "setFocusedMessages:",
11244 "setFollowLinks:",
11245 "setFollowsItalicAngle:",
11246 "setFont:",
11247 "setFont:range:",
11248 "setFontFace:",
11249 "setFontManagerFactory:",
11250 "setFontMenu:",
11251 "setFontName:",
11252 "setFontPanelFactory:",
11253 "setFontSize:",
11254 "setForID:",
11255 "setForItem:",
11256 "setForegroundColor:",
11257 "setForm:",
11258 "setFormat:",
11259 "setFormatter:",
11260 "setFragment:",
11261 "setFragmentCleanup:",
11262 "setFragmentCleanupAtEnd",
11263 "setFrame:",
11264 "setFrame:display:",
11265 "setFrameAutosaveName:",
11266 "setFrameBorder:",
11267 "setFrameColor:",
11268 "setFrameFromContentFrame:",
11269 "setFrameFromString:",
11270 "setFrameOrigin:",
11271 "setFrameRotation:",
11272 "setFrameSize:",
11273 "setFrameTopLeftPoint:",
11274 "setFrameUsingName:",
11275 "setFrameViewClass:",
11276 "setFrameset:",
11277 "setFramesetController:",
11278 "setFramesetView:",
11279 "setFramesetViewClass:",
11280 "setFrozenCell:",
11281 "setFullScreen",
11282 "setFullUserName:",
11283 "setGradientType:",
11284 "setGraphicAttributeWithCode:",
11285 "setGraphicsState:",
11286 "setGridColor:",
11287 "setGroupIdentifier:",
11288 "setGroupsByEvent:",
11289 "setHTMLString:",
11290 "setHTMLTree:",
11291 "setHTMLTreeClass:",
11292 "setHTMLView:",
11293 "setHandle:",
11294 "setHandler:forMarker:",
11295 "setHandler:forMarkers:",
11296 "setHasChanges:",
11297 "setHasFocusView:",
11298 "setHasHorizontalRuler:",
11299 "setHasHorizontalScroller:",
11300 "setHasMultiplePages:",
11301 "setHasOfflineChanges:forStoreAtPath:",
11302 "setHasProperty:",
11303 "setHasRoundedCornersForButton:",
11304 "setHasRoundedCornersForPopUp:",
11305 "setHasScrollerOnRight:",
11306 "setHasShadow:",
11307 "setHasThousandSeparators:",
11308 "setHasUndoManager:",
11309 "setHasVerticalRuler:",
11310 "setHasVerticalScroller:",
11311 "setHeadIndent:",
11312 "setHeader",
11313 "setHeader:forKey:",
11314 "setHeaderCell:",
11315 "setHeaderLevel:",
11316 "setHeaderView:",
11317 "setHeaders:",
11318 "setHeartBeatCycle:",
11319 "setHeight:",
11320 "setHeight:percentage:",
11321 "setHeightAbsolute:",
11322 "setHeightPercentage:",
11323 "setHeightProportional:",
11324 "setHeightString:",
11325 "setHeightTracksTextView:",
11326 "setHiddenUntilMouseMoves:",
11327 "setHidesOnDeactivate:",
11328 "setHighlightMode:",
11329 "setHighlighted:",
11330 "setHighlightedItemIndex:",
11331 "setHighlightedTableColumn:",
11332 "setHighlightsBy:",
11333 "setHintCapacity:",
11334 "setHints:",
11335 "setHomeButton:",
11336 "setHorizontal:",
11337 "setHorizontalEdgePadding:",
11338 "setHorizontalLineScroll:",
11339 "setHorizontalPageScroll:",
11340 "setHorizontalPagination:",
11341 "setHorizontalRulerView:",
11342 "setHorizontalScroller:",
11343 "setHorizontalSpace:",
11344 "setHorizontallyCentered:",
11345 "setHorizontallyResizable:",
11346 "setHostCacheEnabled:",
11347 "setHostname:",
11348 "setHref:",
11349 "setHtmlAddedTextStyles:",
11350 "setHtmlDeletedTextStyles:",
11351 "setHtmlView:",
11352 "setHyphenationFactor:",
11353 "setIMAPMessageFlags:",
11354 "setIcon:",
11355 "setIconRef:label:",
11356 "setIdentifier:",
11357 "setIgnoreRichTextButton:",
11358 "setIgnoreSelectionChanges:",
11359 "setIgnoredWords:inSpellDocumentWithTag:",
11360 "setIgnoresAlpha:",
11361 "setIgnoresMultiClick:",
11362 "setImage:",
11363 "setImageAlignment:",
11364 "setImageDimsWhenDisabled:",
11365 "setImageFrameStyle:",
11366 "setImageNamed:forView:",
11367 "setImageNumber:",
11368 "setImageOrigin:",
11369 "setImagePosition:",
11370 "setImageScaling:",
11371 "setImageSize:",
11372 "setImplementor:atIndex:",
11373 "setImportsGraphics:",
11374 "setInboxMessageStorePath:",
11375 "setIncludeDeleted:",
11376 "setIncomingSpoolDirectory:",
11377 "setIndentationMarkerFollowsCell:",
11378 "setIndentationPerLevel:",
11379 "setIndependentConversationQueueing:",
11380 "setIndeterminate:",
11381 "setIndex:",
11382 "setIndexStyle:",
11383 "setIndexValue:",
11384 "setIndicatorImage:inTableColumn:",
11385 "setInfo:",
11386 "setInitialFirstResponder:",
11387 "setInitialGState:",
11388 "setInitialToolTipDelay:",
11389 "setInputSize:",
11390 "setInsertSelector:",
11391 "setInsertionPointColor:",
11392 "setInset:",
11393 "setInsetsForVisibleAreaFromLeft:top:right:bottom:",
11394 "setInspectedSelection:",
11395 "setInspectorView:withInitialFirstResponder:",
11396 "setInstancesRetainRegisteredObjects:",
11397 "setIntAttribute:value:forGlyphAtIndex:",
11398 "setIntValue:",
11399 "setIntValue:forAttribute:withDefault:",
11400 "setIntValue:forAttribute:withDefault:minimum:",
11401 "setInteger:forKey:",
11402 "setInterRowSpacing:",
11403 "setIntercellSpacing:",
11404 "setInterfaceStyle:",
11405 "setInterlineSpacing:",
11406 "setInterpreterArguments:",
11407 "setInterpreterPath:",
11408 "setInvalidatesObjectsWhenFreed:",
11409 "setIsActive:",
11410 "setIsClosable:",
11411 "setIsDeep:",
11412 "setIsDirty:",
11413 "setIsError:",
11414 "setIsHeader:",
11415 "setIsInlineSpellCheckingEnabled:",
11416 "setIsMiniaturized:",
11417 "setIsOffline:",
11418 "setIsOpaque:",
11419 "setIsPaneSplitter:",
11420 "setIsResizable:",
11421 "setIsSorted:",
11422 "setIsSortedAscending:",
11423 "setIsSortedDescending:",
11424 "setIsUp:",
11425 "setIsVisible:",
11426 "setIsZoomed:",
11427 "setItalic",
11428 "setItemHeight:",
11429 "setItemRange:",
11430 "setJobDisposition:",
11431 "setJobFeature:option:inPrintInfo:",
11432 "setKey:",
11433 "setKey:andLength:",
11434 "setKey:andLength:withHint:",
11435 "setKeyBindingManager:",
11436 "setKeyCell:",
11437 "setKeyEquivalent:",
11438 "setKeyEquivalentFont:",
11439 "setKeyEquivalentFont:size:",
11440 "setKeyEquivalentModifierMask:",
11441 "setKeyView:",
11442 "setKnobThickness:",
11443 "setLabel:",
11444 "setLanguage:",
11445 "setLanguageName:",
11446 "setLast",
11447 "setLastCharacterIndex:",
11448 "setLastColumn:",
11449 "setLastComponentOfFileName:",
11450 "setLastName:",
11451 "setLastOpenSavePanelDirectory:",
11452 "setLastTextContainer:",
11453 "setLaunchPath:",
11454 "setLayoutManager:",
11455 "setLeadingOffset:",
11456 "setLeaf:",
11457 "setLeftMargin:",
11458 "setLength:",
11459 "setLevel:",
11460 "setLevelsOfUndo:",
11461 "setLineBreakMode:",
11462 "setLineCapStyle:",
11463 "setLineColor:",
11464 "setLineDash:count:phase:",
11465 "setLineFragmentPadding:",
11466 "setLineFragmentRect:forGlyphRange:usedRect:",
11467 "setLineJoinStyle:",
11468 "setLineScroll:",
11469 "setLineSpacing:",
11470 "setLineWidth:",
11471 "setLinkColor:",
11472 "setLinkState:",
11473 "setListPopUp:",
11474 "setLoaded:",
11475 "setLocalLibraryDirectory:",
11476 "setLocale:",
11477 "setLocalizationFromDefaults",
11478 "setLocalizesFormat:",
11479 "setLocation:forStartOfGlyphRange:",
11480 "setLocksObjects:",
11481 "setLocksObjectsBeforeFirstModification:",
11482 "setLoggingEnabled:forEventClass:",
11483 "setLong:forKey:",
11484 "setLoopMode:",
11485 "setMailboxSelectionOwnerFrom:",
11486 "setMailboxesController:",
11487 "setMailerPath:",
11488 "setMainBodyPart:",
11489 "setMainMenu:",
11490 "setMainNibFile:forOSType:",
11491 "setMakeVariable:toValue:",
11492 "setMarginColor:",
11493 "setMarginFloat:",
11494 "setMarginHeight:",
11495 "setMarginWidth:",
11496 "setMark:",
11497 "setMarkedText:selectedRange:",
11498 "setMarkedTextAttributes:",
11499 "setMarker:",
11500 "setMarkerLocation:",
11501 "setMarkers:",
11502 "setMasterClassDescription:",
11503 "setMatchesOnMultipleResolution:",
11504 "setMatrixClass:",
11505 "setMax:",
11506 "setMaxContentSize:",
11507 "setMaxHeight:",
11508 "setMaxLength:",
11509 "setMaxSize:",
11510 "setMaxValue:",
11511 "setMaxVisibleColumns:",
11512 "setMaxWidth:",
11513 "setMaximum:",
11514 "setMaximumLineHeight:",
11515 "setMboxRange:",
11516 "setMeasureRenderedText:",
11517 "setMeasurementUnits:",
11518 "setMenu:",
11519 "setMenuChangedMessagesEnabled:",
11520 "setMenuItem:",
11521 "setMenuItemCell:forItemAtIndex:",
11522 "setMenuRepresentation:",
11523 "setMenuView:",
11524 "setMenuZone:",
11525 "setMessage:",
11526 "setMessageBody:",
11527 "setMessageContents:",
11528 "setMessageFlags:",
11529 "setMessageHandler:",
11530 "setMessagePrinter:",
11531 "setMessageScroll:",
11532 "setMessageStore:",
11533 "setMessageType:",
11534 "setMethod:",
11535 "setMilliseconds:",
11536 "setMimeHeader:forKey:",
11537 "setMimeParameter:forKey:",
11538 "setMimeType:",
11539 "setMimeType:mimeSubtype:",
11540 "setMimeTypeFromFile:type:creator:",
11541 "setMinColumnWidth:",
11542 "setMinContentSize:",
11543 "setMinSize:",
11544 "setMinValue:",
11545 "setMinWidth:",
11546 "setMinimum:",
11547 "setMinimumLineHeight:",
11548 "setMiniwindowImage:",
11549 "setMiniwindowTitle:",
11550 "setMissingAttachmentString:",
11551 "setMiterLimit:",
11552 "setMixedStateImage:",
11553 "setMnemonicLocation:",
11554 "setMode:",
11555 "setMode:uid:gid:mTime:inode:",
11556 "setModes:",
11557 "setMonitoredActivity:",
11558 "setMonoCharacterSeparatorCharacters:usualPunctuation:",
11559 "setMountPoint:",
11560 "setMovable:",
11561 "setMovie:",
11562 "setMsgid:",
11563 "setMultiple:",
11564 "setMultipleCharacterSeparators:",
11565 "setMutableAttributedString:",
11566 "setMutableDictionary:",
11567 "setMuted:",
11568 "setName:",
11569 "setNameField:",
11570 "setNameForRow:",
11571 "setNeedsDisplay",
11572 "setNeedsDisplay:",
11573 "setNeedsDisplayForItemAtIndex:",
11574 "setNeedsDisplayInRect:",
11575 "setNeedsDisplayInRect:avoidAdditionalLayout:",
11576 "setNeedsSizing:",
11577 "setNeedsToSynchronize",
11578 "setNeedsToSynchronizeWithOtherClients:",
11579 "setNegativeFormat:",
11580 "setNewFolderButton:",
11581 "setNext",
11582 "setNextHandle",
11583 "setNextKeyView:",
11584 "setNextResponder:",
11585 "setNextState",
11586 "setNextText:",
11587 "setNextTokenAttributeDictionaryForItem:",
11588 "setNoHref:",
11589 "setNoResize:",
11590 "setNotShownAttribute:forGlyphAtIndex:",
11591 "setNote:",
11592 "setNotificationCenterSerializeRemoves:",
11593 "setNumSlots:",
11594 "setNumberOfColumns:",
11595 "setNumberOfDaysToKeepTrash:",
11596 "setNumberOfPages:",
11597 "setNumberOfRows:",
11598 "setNumberOfTickMarks:",
11599 "setNumberOfVisibleItems:",
11600 "setObject:",
11601 "setObject:atIndex:",
11602 "setObject:forIndex:dictionary:",
11603 "setObject:forKey:",
11604 "setObject:forKey:inDomain:",
11605 "setObjectBeingTested:",
11606 "setObjectValue:",
11607 "setObjectZone:",
11608 "setObscured:",
11609 "setOffScreen:width:height:rowbytes:",
11610 "setOffStateImage:",
11611 "setOk:",
11612 "setOkButton:",
11613 "setOnMouseEntered:",
11614 "setOnMouseExited:",
11615 "setOnStateImage:",
11616 "setOneShot:",
11617 "setOpaque:",
11618 "setOpenGLContext:",
11619 "setOption:value:",
11620 "setOptionsDictionary:",
11621 "setOptionsPopUp:",
11622 "setOrdered:",
11623 "setOrderedIndex:",
11624 "setOrderingType:",
11625 "setOrientation:",
11626 "setOriginOffset:",
11627 "setOriginalMessage:",
11628 "setOtherSourceDirectories:",
11629 "setOutlineTableColumn:",
11630 "setOutlinesWhenSelected:",
11631 "setOutputTraced:",
11632 "setPackage:",
11633 "setPageOrder:",
11634 "setPageScroll:",
11635 "setPalettePopUp:",
11636 "setPanelAttribsForList",
11637 "setPanelFont:isMultiple:",
11638 "setPaperFeedForPopUp:",
11639 "setPaperName:",
11640 "setPaperSize:",
11641 "setParagraphSpacing:",
11642 "setParagraphStyle:",
11643 "setParagraphs:",
11644 "setParamDescriptor:forKeyword:",
11645 "setParent:",
11646 "setParentDataSource:relationshipKey:",
11647 "setParentEditor:",
11648 "setParentWindow:",
11649 "setPassword:",
11650 "setPath:",
11651 "setPath:forFramework:",
11652 "setPath:overwriteExistingAddressBook:",
11653 "setPathName:",
11654 "setPathName:delegate:",
11655 "setPathName:mode:uid:gid:mTime:inode:",
11656 "setPathSeparator:",
11657 "setPathViewClass:",
11658 "setPenAttributeWithCode:",
11659 "setPercentDone:",
11660 "setPercentageHeight:",
11661 "setPercentageWidth:",
11662 "setPeriodicDelay:interval:",
11663 "setPersistentDomain:forName:",
11664 "setPersistentExpandedItemsFromArray:",
11665 "setPersistentTableColumnsFromArray:",
11666 "setPicker:",
11667 "setPickerMask:",
11668 "setPickerMode:",
11669 "setPixelFormat:",
11670 "setPixelsHigh:",
11671 "setPixelsWide:",
11672 "setPlainTextValue:",
11673 "setPlaysEveryFrame:",
11674 "setPlaysSelectionOnly:",
11675 "setPoolCountHighWaterMark:",
11676 "setPoolCountHighWaterResolution:",
11677 "setPopPassword:",
11678 "setPort:",
11679 "setPortNumber:",
11680 "setPosition:",
11681 "setPositiveFormat:",
11682 "setPostsBoundsChangedNotifications:",
11683 "setPostsFrameChangedNotifications:",
11684 "setPotentialSaveDirectory:",
11685 "setPramValue:",
11686 "setPreferredAlternative:",
11687 "setPreferredDisciplineLevelsForDisplayOnly:",
11688 "setPreferredEdge:",
11689 "setPreferredFilename:",
11690 "setPreferredFontNames:",
11691 "setPrefersColorMatch:",
11692 "setPrefetchingRelationshipKeyPaths:",
11693 "setPreserveParents:",
11694 "setPreview:",
11695 "setPreviewBox:",
11696 "setPrevious",
11697 "setPreviousText:",
11698 "setPrimaryEmailAddress:",
11699 "setPrincipalClass:",
11700 "setPrintInfo:",
11701 "setPrintPanel:",
11702 "setPrinter:",
11703 "setPriority:forFlavor:",
11704 "setProcessName:",
11705 "setProject:",
11706 "setProjectDir:",
11707 "setProjectName:",
11708 "setProjectType:",
11709 "setProjectTypeVersion:",
11710 "setProjectVersion:",
11711 "setPrompt:",
11712 "setPromptsAfterFetchLimit:",
11713 "setPropagatesDeletesAtEndOfEvent:",
11714 "setProperties:",
11715 "setProperty:forKey:",
11716 "setProperty:withValue:",
11717 "setPropertyList:",
11718 "setPropertyList:forType:",
11719 "setProtocolForProxy:",
11720 "setPrototype:",
11721 "setPullsDown:",
11722 "setQualifier:",
11723 "setQuoteBinding:",
11724 "setQuotingWithSingleQuote:double:",
11725 "setRangeContainerObject:",
11726 "setRank:",
11727 "setRate:",
11728 "setRawController:",
11729 "setRawData:",
11730 "setRawRowKeyPaths:",
11731 "setRawTextControllerClass:",
11732 "setRawTextView:",
11733 "setRawTextViewClass:",
11734 "setRead:forMessage:",
11735 "setRead:forMessages:",
11736 "setReceiversSpecifier:",
11737 "setRecordsEvents:forClass:",
11738 "setRefreshesRefetchedObjects:",
11739 "setRefusesFirstResponder:",
11740 "setRelativePosition:",
11741 "setReleasedWhenClosed:",
11742 "setRemovable:",
11743 "setRemovableDeviceButton:",
11744 "setRepeatCountForNextCommand:",
11745 "setReplyTimeout:",
11746 "setReporter:selector:",
11747 "setRepresentedFilename:",
11748 "setRepresentedFrame:",
11749 "setRepresentedItem:",
11750 "setRepresentedObject:",
11751 "setRepresentedView:",
11752 "setRequestTimeout:",
11753 "setRequiredFileType:",
11754 "setRequiresAllQualifierBindingVariables:",
11755 "setReservedThicknessForAccessoryView:",
11756 "setReservedThicknessForMarkers:",
11757 "setResizable:",
11758 "setResizeIncrements:",
11759 "setResizeable:",
11760 "setResourceData:",
11761 "setResourceForkData:",
11762 "setResourceLocator:",
11763 "setResult:item:isHeader:",
11764 "setResultsLimit:",
11765 "setReturnCompletes:",
11766 "setReturnValue:",
11767 "setReusesColumns:",
11768 "setRichText:",
11769 "setRichTextValue:",
11770 "setRightMargin:",
11771 "setRootObject:",
11772 "setRoundingBehavior:",
11773 "setRouterClass:",
11774 "setRowHeight:",
11775 "setRowSpan:",
11776 "setRows:",
11777 "setRowsString:",
11778 "setRuleThickness:",
11779 "setRulerViewClass:",
11780 "setRulerVisible:",
11781 "setRulersVisible:",
11782 "setRunLoop:",
11783 "setRunLoopModes:",
11784 "setRuntimeAdaptorNames:",
11785 "setSaveWeighting:",
11786 "setScaleFactor:",
11787 "setScalesWhenResized:",
11788 "setScanLocation:",
11789 "setScope:",
11790 "setScript:",
11791 "setScriptErrorNumber:",
11792 "setScriptErrorString:",
11793 "setScriptString:",
11794 "setScrollView:",
11795 "setScrollable:",
11796 "setScrollers:",
11797 "setScrolling:",
11798 "setScrollsDynamically:",
11799 "setSearchList:",
11800 "setSearchRanks:",
11801 "setSelectable:",
11802 "setSelected:",
11803 "setSelectedAddressBooks:",
11804 "setSelectedAddressBooksByType:",
11805 "setSelectedFont:isMultiple:",
11806 "setSelectedRange:",
11807 "setSelectedRange:affinity:stillSelecting:",
11808 "setSelectedTargetCommandLineArgumentsArrayIndex:",
11809 "setSelectedTextAttributes:",
11810 "setSelection:",
11811 "setSelection:inspecting:promulgateImmediately:",
11812 "setSelectionAlignment:",
11813 "setSelectionByRect:",
11814 "setSelectionFrom:",
11815 "setSelectionFrom:to:anchor:highlight:",
11816 "setSelectionGranularity:",
11817 "setSelectionNeedsPromulgation:",
11818 "setSelectionRootItem:",
11819 "setSelectionString:",
11820 "setSelectionString:andFormat:",
11821 "setSelectionStringAndSelect:",
11822 "setSelector:",
11823 "setSemanticDisciplineLevel:",
11824 "setSendDoubleAction:",
11825 "setSendFormat:",
11826 "setSendSingleAction:",
11827 "setSendSizeLimit:",
11828 "setSender:",
11829 "setSendmailMailer:",
11830 "setSendsActionOnArrowKeys:",
11831 "setSendsActionOnEndEditing:",
11832 "setSeparatesColumns:",
11833 "setSeparator:",
11834 "setServerSideImageMap:",
11835 "setServicesMenu:",
11836 "setServicesMenuItemEnabled:forUser:enabled:",
11837 "setServicesProvider:",
11838 "setSet:",
11839 "setSetButton:",
11840 "setShadowState:",
11841 "setShape:",
11842 "setSharedEditingContext:",
11843 "setSharedPrintInfo:",
11844 "setSharedScriptSuiteRegistry:",
11845 "setShellCommand:",
11846 "setShouldAutoFetch:",
11847 "setShouldBeViewedInline:",
11848 "setShouldCascadeWindows:",
11849 "setShouldCloseDocument:",
11850 "setShouldCreateUI:",
11851 "setShouldGenerateMain:",
11852 "setShouldValidateInspectedSelection:",
11853 "setShowAllHeaders:",
11854 "setShowPanels:",
11855 "setShowsAlpha:",
11856 "setShowsBorderOnlyWhileMouseInside:",
11857 "setShowsComposeAccessoryView:",
11858 "setShowsControlCharacters:",
11859 "setShowsFirstResponder:",
11860 "setShowsInvisibleCharacters:",
11861 "setShowsLabel:",
11862 "setShowsShade:",
11863 "setShowsStateBy:",
11864 "setShowsToolTip:",
11865 "setSibling1:",
11866 "setSibling2:",
11867 "setSignatureSelectionMethod:",
11868 "setSignatures:",
11869 "setSize1:",
11870 "setSize2:",
11871 "setSize3:",
11872 "setSize4:",
11873 "setSize5:",
11874 "setSize6:",
11875 "setSize7:",
11876 "setSize:",
11877 "setSize:relative:",
11878 "setSizeLimit:",
11879 "setSizeString:",
11880 "setSizeTitle:",
11881 "setSizes:",
11882 "setSkipWhitespace:",
11883 "setSmartInsertDeleteEnabled:",
11884 "setSnapToButtons:",
11885 "setSocketFromHandle:",
11886 "setSoftLeftEdge:",
11887 "setSoftRightEdge:",
11888 "setSortOrder:",
11889 "setSortOrderings:",
11890 "setSortRules:",
11891 "setSound:",
11892 "setSource:",
11893 "setSourceUrl:",
11894 "setSourceUrlString:",
11895 "setSpanning:",
11896 "setSpoolDirectory:",
11897 "setStandardError:",
11898 "setStandardInput:",
11899 "setStandardOutput:",
11900 "setStandardUserDefaults:",
11901 "setStartSpecifier:",
11902 "setStartSubelementIdentifier:",
11903 "setStartSubelementIndex:",
11904 "setStartingIndex:",
11905 "setStartingValue:",
11906 "setStartsNewProcessGroup:",
11907 "setStartupPath:",
11908 "setState:",
11909 "setState:atRow:column:",
11910 "setStateFromSelectionOwner",
11911 "setStaticCounterpart:",
11912 "setStatus:",
11913 "setStatusBar:",
11914 "setStatusMenu:",
11915 "setStatusMessage:",
11916 "setStatusMessage:percentDone:",
11917 "setStatusText:",
11918 "setStopsValidationAfterFirstError:",
11919 "setStrikethrough",
11920 "setString:",
11921 "setString:forType:",
11922 "setStringValue:",
11923 "setStringValue:forAttribute:",
11924 "setStyleMask:",
11925 "setSubject:",
11926 "setSubmenu:",
11927 "setSubmenu:forItem:",
11928 "setSubmenuRepresentedObjectsAreStale",
11929 "setSubscript",
11930 "setSubscript:",
11931 "setSubstitutionEditingContext:",
11932 "setSum:",
11933 "setSupermenu:",
11934 "setSuperscript",
11935 "setSuperscript:",
11936 "setSupressesDuplicates:",
11937 "setSuspended:",
11938 "setSynchronized:",
11939 "setSyntacticDiscipline:semanticDiscipline:displayOnly:",
11940 "setSyntacticDisciplineLevel:",
11941 "setSystemCharacterProperties:",
11942 "setSystemLanguage:",
11943 "setSystemLanguageContext:",
11944 "setSystemLanguages:",
11945 "setTabKeyTraversesCells:",
11946 "setTabStops:",
11947 "setTabViewType:",
11948 "setTable:",
11949 "setTableColumn:toVisible:atPosition:",
11950 "setTableView:",
11951 "setTag:",
11952 "setTag:atRow:column:",
11953 "setTag:target:action:atRow:column:",
11954 "setTailIndent:",
11955 "setTakesTitleFromPreviousColumn:",
11956 "setTarCommand:",
11957 "setTarget:",
11958 "setTarget:atRow:column:",
11959 "setTargetAbstractName:",
11960 "setTargetAdditionalSourceDirectories:",
11961 "setTargetClass:extraData:",
11962 "setTargetCommandLineArgumentsArray:",
11963 "setTargetDLLPaths:",
11964 "setTargetDisplayName:",
11965 "setTargetEnvironment:",
11966 "setTargetPath:",
11967 "setTargetPersistentStateObject:forKey:",
11968 "setTargetUrl:",
11969 "setTargetUses:debuggerNamed:",
11970 "setTaskDictionary:",
11971 "setTaskName:",
11972 "setTearOffMenuRepresentation:",
11973 "setTemplate:",
11974 "setTemporaryAttributes:forCharacterRange:",
11975 "setTest:",
11976 "setText:",
11977 "setTextAlignment:",
11978 "setTextAlignment:overChildRange:",
11979 "setTextAttributeWithCode:",
11980 "setTextAttributesForNegativeValues:",
11981 "setTextAttributesForPositiveValues:",
11982 "setTextBody:",
11983 "setTextColor:",
11984 "setTextColor:range:",
11985 "setTextContainer:",
11986 "setTextContainer:forGlyphRange:",
11987 "setTextContainerInset:",
11988 "setTextController:",
11989 "setTextFont:",
11990 "setTextProc:",
11991 "setTextStorage:",
11992 "setTextView:",
11993 "setTextViewClass:",
11994 "setTextureWithPath:",
11995 "setTextureWithUrl:",
11996 "setThemeFrameWidgetState:",
11997 "setThickness:",
11998 "setThousandSeparator:",
11999 "setTickMarkPosition:",
12000 "setTimeStamp:",
12001 "setTimeThreshold:",
12002 "setTimeZone:",
12003 "setTimeout:",
12004 "setTitle:",
12005 "setTitle:andDefeatWrap:",
12006 "setTitle:andMessage:",
12007 "setTitle:forView:",
12008 "setTitle:ofColumn:",
12009 "setTitleAlignment:",
12010 "setTitleCell:",
12011 "setTitleColor:",
12012 "setTitleFont:",
12013 "setTitleNoCopy:",
12014 "setTitlePosition:",
12015 "setTitleString:",
12016 "setTitleWidth:",
12017 "setTitleWithMnemonic:",
12018 "setTitleWithRepresentedFilename:",
12019 "setTitled:",
12020 "setTo:",
12021 "setTokenRange:",
12022 "setToolTip:",
12023 "setToolTip:forCell:",
12024 "setToolTip:forView:cell:",
12025 "setToolTipForView:rect:owner:userData:",
12026 "setToolTips",
12027 "setToolbarClass:",
12028 "setToolbarController:",
12029 "setTopLevelObject:",
12030 "setTopMargin:",
12031 "setTouched:",
12032 "setTraceEventQueue:",
12033 "setTrackingConstraint:",
12034 "setTrackingConstraintKeyMask:",
12035 "setTrailingOffset:",
12036 "setTransformStruct:",
12037 "setTransparent:",
12038 "setTrashMailboxName:",
12039 "setTreatsFilePackagesAsDirectories:",
12040 "setTree:",
12041 "setTrimAppExtension:",
12042 "setType:",
12043 "setTypesetter:",
12044 "setTypingAttributes:",
12045 "setURL:",
12046 "setUid:",
12047 "setUnderline",
12048 "setUndoActionName:",
12049 "setUndoManager:",
12050 "setUndoNotificationEnabled:",
12051 "setUndoable:",
12052 "setUnquotedStringCharacters:lowerCaseLetters:upperCaseLetters:digits:",
12053 "setUnquotedStringStartCharacters:lowerCaseLetters:upperCaseLetters:digits:",
12054 "setUnreadCount:forMailboxAtPath:",
12055 "setUpAttachment:forTextView:",
12056 "setUpContextMenuItem:",
12057 "setUpFieldEditorAttributes:",
12058 "setUpGState",
12059 "setUpPrintOperationDefaultValues",
12060 "setUrl:",
12061 "setUserAgent:",
12062 "setUserDefinedFaces:",
12063 "setUserDefinedFaces:selectingCanonicalFaceString:",
12064 "setUserDefinedFaces:selectingIndex:",
12065 "setUserFilteredHeaders:",
12066 "setUserFixedPitchFont:",
12067 "setUserFont:",
12068 "setUserInfo:",
12069 "setUserIsTyping:",
12070 "setUsername:",
12071 "setUsesAddressLineBreaks:",
12072 "setUsesContextRelativeEncoding:",
12073 "setUsesDataSource:",
12074 "setUsesDistinct:",
12075 "setUsesEPSOnResolutionMismatch:",
12076 "setUsesFontPanel:",
12077 "setUsesItemFromMenu:",
12078 "setUsesRuler:",
12079 "setUsesScreenFonts:",
12080 "setUsesThreadedAnimation:",
12081 "setUsesUserKeyEquivalents:",
12082 "setUsesVectorMovement:",
12083 "setValid:",
12084 "setValidForStartup:",
12085 "setValidateSize:",
12086 "setValue:",
12087 "setValue:forAttribute:",
12088 "setValue:inObject:",
12089 "setValues:forParameter:",
12090 "setVersion:",
12091 "setVersionNb:",
12092 "setVertical:",
12093 "setVerticalAlignment:",
12094 "setVerticalLineScroll:",
12095 "setVerticalPageScroll:",
12096 "setVerticalPagination:",
12097 "setVerticalRulerView:",
12098 "setVerticalScroller:",
12099 "setVerticalSpace:",
12100 "setVerticallyCentered:",
12101 "setVerticallyResizable:",
12102 "setView:",
12103 "setViewSize:",
12104 "setViewsNeedDisplay:",
12105 "setVisited",
12106 "setVisitedLinkColor:",
12107 "setVolatileDomain:forName:",
12108 "setVolume:",
12109 "setWaitCursorEnabled:",
12110 "setWantsToBeColor:",
12111 "setWasInterpolated:",
12112 "setWidth:",
12113 "setWidth:percentage:",
12114 "setWidthAbsolute:",
12115 "setWidthPercentage:",
12116 "setWidthProportional:",
12117 "setWidthString:",
12118 "setWidthTracksTextView:",
12119 "setWillDebugWhenLaunched:",
12120 "setWindingRule:",
12121 "setWindow:",
12122 "setWindowController:",
12123 "setWindowFrameAutosaveName:",
12124 "setWindowFrameForAttachingToRect:onScreen:preferredEdge:popUpSelectedItem:",
12125 "setWindowsMenu:",
12126 "setWindowsNeedUpdate:",
12127 "setWithArray:",
12128 "setWithCapacity:",
12129 "setWithObject:",
12130 "setWithObjects:",
12131 "setWithObjects:count:",
12132 "setWithSet:",
12133 "setWordFieldStringValue:",
12134 "setWords:",
12135 "setWorksWhenModal:",
12136 "setWraps:",
12137 "setWriteRtfEnriched:",
12138 "set_box:",
12139 "set_delegate:",
12140 "set_docView:",
12141 "set_mailboxesDrawerBox:",
12142 "set_messageViewerBox:",
12143 "set_outlineView:",
12144 "set_paletteMatrix:",
12145 "set_progressBar:",
12146 "set_progressIndicator:",
12147 "set_scrollView:",
12148 "set_searchField:",
12149 "set_splitView:",
12150 "set_statusField:",
12151 "set_stopButton:",
12152 "set_tableManager:",
12153 "set_tableView:",
12154 "set_taskNameField:",
12155 "set_textViewer:",
12156 "set_toolbar:",
12157 "set_transferMenuItem:",
12158 "set_window:",
12159 "settingFrameDuringCellAdjustment:",
12160 "setup:inRoot:oneShot:",
12161 "setupAccountFromValuesInUI:",
12162 "setupAccounts",
12163 "setupAppNIBsforProject:inFolder:projectName:",
12164 "setupCarbonMenuBar",
12165 "setupConnectionForServerName:",
12166 "setupFileWrapper:",
12167 "setupFontAndTabsForTextView:withRawFont:",
12168 "setupForNoMenuBar",
12169 "setupGuessesBrowser",
12170 "setupInitialTextViewSharedState",
12171 "setupMainThreadObject",
12172 "setupOutlineView:",
12173 "setupUIForMessage:",
12174 "setupUIFromValuesInAccount:",
12175 "shadeColorWithDistance:towardsColor:",
12176 "shadow",
12177 "shadowColor",
12178 "shadowState",
12179 "shadowWithLevel:",
12180 "shallowCopy",
12181 "shallowMutableCopy",
12182 "shape",
12183 "shapeWindow",
12184 "sharedAEDescriptorTranslator",
12185 "sharedAppleEventManager",
12186 "sharedApplication",
12187 "sharedCoercionHandler",
12188 "sharedColorPanel",
12189 "sharedColorPanelExists",
12190 "sharedContextMenu",
12191 "sharedDocumentController",
12192 "sharedDragManager",
12193 "sharedEditingContext",
12194 "sharedFocusState",
12195 "sharedFontController",
12196 "sharedFontManager",
12197 "sharedFontPanel",
12198 "sharedFontPanelExists",
12199 "sharedFrameworksPath",
12200 "sharedGlyphGenerator",
12201 "sharedHeartBeat",
12202 "sharedHelpManager",
12203 "sharedInfoPanel",
12204 "sharedInspector",
12205 "sharedInspectorManager",
12206 "sharedInspectorManagerWithoutCreating",
12207 "sharedInstance",
12208 "sharedKeyBindingManager",
12209 "sharedMagnifier",
12210 "sharedManager",
12211 "sharedPanel",
12212 "sharedPopupMenuOfMailboxes",
12213 "sharedPreferences",
12214 "sharedPrintInfo",
12215 "sharedScriptExecutionContext",
12216 "sharedScriptSuiteRegistry",
12217 "sharedScriptingAppleEventHandler",
12218 "sharedServiceMaster",
12219 "sharedSpellChecker",
12220 "sharedSpellCheckerExists",
12221 "sharedSupportPath",
12222 "sharedSystemTypesetter",
12223 "sharedTableWizard",
12224 "sharedToolTipManager",
12225 "sharedTracer",
12226 "sharedWorkspace",
12227 "shellCommand",
12228 "shiftModifySelection:",
12229 "shortMonthNames",
12230 "shortName",
12231 "shortValue",
12232 "shortWeekdayNames",
12233 "shouldAbsorbEdgeWhiteSpace",
12234 "shouldAddEmailerMailbox:",
12235 "shouldAddEudoraMailbox:",
12236 "shouldAddNetscapeMailbox:",
12237 "shouldAddOEMailbox:",
12238 "shouldAutoFetch",
12239 "shouldBeViewedInline",
12240 "shouldCancel",
12241 "shouldCascadeWindows",
12242 "shouldChangePrintInfo:",
12243 "shouldChangeTextInRange:replacementString:",
12244 "shouldCloseDocument",
12245 "shouldCloseWindowController:",
12246 "shouldCloseWindowController:delegate:shouldCloseSelector:contextInfo:",
12247 "shouldCollapseAutoExpandedItemsForDeposited:",
12248 "shouldCreateUI",
12249 "shouldDecodeAsAttachment",
12250 "shouldDecodeSoftLinebreaks",
12251 "shouldDelayWindowOrderingForEvent:",
12252 "shouldDeliverMessage:delivery:",
12253 "shouldDrawColor",
12254 "shouldDrawInsertionPoint",
12255 "shouldDrawUsingImageCacheForCellFrame:controlView:",
12256 "shouldEdit:inRect:ofView:",
12257 "shouldGenerateMain",
12258 "shouldMoveDeletedMessagesToTrash",
12259 "shouldNotImplement:",
12260 "shouldPerformInvocation:",
12261 "shouldPropagateDeleteForObject:inEditingContext:forRelationshipKey:",
12262 "shouldRemoveWhenEmpty",
12263 "shouldRunSavePanelWithAccessoryView",
12264 "shouldSubstituteCustomClass",
12265 "shouldUnmount:",
12266 "shouldWriteIconHeader",
12267 "shouldWriteMakeFile",
12268 "show",
12269 "showActivityViewer:",
12270 "showActivityViewerWindow",
12271 "showAddressManagerPanel",
12272 "showAddressPanel:",
12273 "showAllHeaders:",
12274 "showAllViewers",
12275 "showAndMakeKey:",
12276 "showAppletTags",
12277 "showAttachmentCell:atPoint:",
12278 "showAttachmentCell:inRect:characterIndex:",
12279 "showBestAlternative:",
12280 "showBreakTags",
12281 "showCMYKView:",
12282 "showColorPanel:",
12283 "showComments",
12284 "showComposeAccessoryView",
12285 "showComposeWindow:",
12286 "showContextHelp:",
12287 "showContextHelpForObject:locationHint:",
12288 "showController:adjustingSize:",
12289 "showDeletions:",
12290 "showDeminiaturizedWindow",
12291 "showEditingCharacters",
12292 "showError:",
12293 "showFavorites",
12294 "showFavorites:",
12295 "showFeedbackAtPoint:",
12296 "showFilteredHeaders:",
12297 "showFirstAlternative:",
12298 "showFontPanel:",
12299 "showGUIOrPreview:",
12300 "showGUIView:",
12301 "showGenericBackgroundAndText",
12302 "showGreyScaleView:",
12303 "showGuessPanel:",
12304 "showHSBView:",
12305 "showHelp:",
12306 "showHelpFile:context:",
12307 "showIllegalFragments",
12308 "showImageTags",
12309 "showInfoPanel:",
12310 "showInlineFrameTags",
12311 "showInspector:",
12312 "showKnownTags",
12313 "showMailboxesPanel:",
12314 "showMainThreadIsBusy:",
12315 "showMainThreadIsNotBusy:",
12316 "showMessage:",
12317 "showMessage:arguments:",
12318 "showModalPreferencesPanel",
12319 "showModalPreferencesPanelForOwner:",
12320 "showNextAlternative:",
12321 "showNoView",
12322 "showNonbreakingSpaces",
12323 "showNumbers:",
12324 "showPackedGlyphs:length:glyphRange:atPoint:font:color:printingAdjustment:",
12325 "showPanel:",
12326 "showPanel:andNotify:with:",
12327 "showPanels",
12328 "showParagraphTags",
12329 "showPeople:",
12330 "showPools",
12331 "showPreferences:",
12332 "showPreferencesPanel",
12333 "showPreferencesPanel:",
12334 "showPreferencesPanelForOwner:",
12335 "showPreviewView:",
12336 "showPreviousAlternative:",
12337 "showPrintPanel:",
12338 "showRGBView:",
12339 "showRawView:",
12340 "showScript",
12341 "showSearchPanel:",
12342 "showSelectionAndCenter:",
12343 "showSizes:",
12344 "showSpacesVisibly",
12345 "showStatusLine:",
12346 "showStatusMessage:",
12347 "showTableTags",
12348 "showThreadIsBusy",
12349 "showTip:",
12350 "showTopLevelTags",
12351 "showUI",
12352 "showUnknownTags",
12353 "showValidation:",
12354 "showViewerWindow:",
12355 "showWindow:",
12356 "showWindows",
12357 "showsAlpha",
12358 "showsBorderOnlyWhileMouseInside",
12359 "showsControlCharacters",
12360 "showsFirstResponder",
12361 "showsInvisibleCharacters",
12362 "showsLabel",
12363 "showsShade",
12364 "showsStateBy",
12365 "showsToolTip",
12366 "shutAllDrawers:",
12367 "sideBorderCell",
12368 "sideSpacer",
12369 "signal",
12370 "signature",
12371 "signatureOfType:",
12372 "signatureSelectionMethod",
12373 "signatureWithObjCTypes:",
12374 "signatures",
12375 "signaturesPath",
12376 "significantText",
12377 "simpleChild",
12378 "singlestep:",
12379 "size",
12380 "sizeAndInstallSubviews",
12381 "sizeCreditsView",
12382 "sizeDecrease1:",
12383 "sizeDecrease2:",
12384 "sizeDecrease3:",
12385 "sizeDecrease4:",
12386 "sizeDecrease5:",
12387 "sizeDecrease6:",
12388 "sizeForKey:inTable:",
12389 "sizeForMagnification:",
12390 "sizeForPaperName:",
12391 "sizeIncrease1:",
12392 "sizeIncrease2:",
12393 "sizeIncrease3:",
12394 "sizeIncrease4:",
12395 "sizeIncrease5:",
12396 "sizeIncrease6:",
12397 "sizeLastColumnToFit",
12398 "sizeLimit",
12399 "sizeOfBlock:",
12400 "sizeOfDictionary:",
12401 "sizeOfLabel:",
12402 "sizeOfMessageNumber:",
12403 "sizeOfMessagesAvailable",
12404 "sizeOfTitlebarButtons",
12405 "sizeOfTitlebarButtons:",
12406 "sizeOfTypesetterGlyphInfo",
12407 "sizeSimpleCellsEnMasse",
12408 "sizeString",
12409 "sizeToCells",
12410 "sizeToFit",
12411 "sizeValue",
12412 "sizeWithAttributes:",
12413 "skipDescendents",
12414 "skipDirectory",
12415 "skipDirectory:",
12416 "skipUnimplementedOpcode:",
12417 "skipWhitespace",
12418 "skippingWhitespace",
12419 "sleepForTimeInterval:",
12420 "sleepUntilDate:",
12421 "slideDraggedImageTo:",
12422 "slideImage:from:to:",
12423 "slotForKey:",
12424 "smallSystemFontSize",
12425 "smaller:",
12426 "smallestEncoding",
12427 "smartCapitalizedString",
12428 "smartDeleteRangeForProposedRange:",
12429 "smartInsertAfterStringForString:replacingRange:",
12430 "smartInsertBeforeStringForString:replacingRange:",
12431 "smartInsertDeleteEnabled",
12432 "smartInsertForString:replacingRange:beforeString:afterString:",
12433 "snapshot",
12434 "socket",
12435 "socketType",
12436 "softLeftEdge",
12437 "softRightEdge",
12438 "sortAscending:",
12439 "sortByAuthor:",
12440 "sortByDate:",
12441 "sortByNumber:",
12442 "sortByReadStatus:",
12443 "sortBySize:",
12444 "sortByTitle:",
12445 "sortDescending:",
12446 "sortKeyForString:range:flags:",
12447 "sortOrder",
12448 "sortOrderToColumnKey:",
12449 "sortOrderingWithKey:selector:",
12450 "sortOrderings",
12451 "sortRules",
12452 "sortRulesPath",
12453 "sortSubviewsUsingFunction:context:",
12454 "sortUsingFunction:context:",
12455 "sortUsingFunction:context:range:",
12456 "sortUsingKeyOrderArray:",
12457 "sortUsingSelector:",
12458 "sortedArrayHint",
12459 "sortedArrayUsingFunction:context:",
12460 "sortedArrayUsingFunction:context:hint:",
12461 "sortedArrayUsingKeyOrderArray:",
12462 "sortedArrayUsingSelector:",
12463 "sortedArrayUsingSelector:hint:",
12464 "sound",
12465 "sound:didFinishPlaying:",
12466 "soundNamed:",
12467 "soundUnfilteredFileTypes",
12468 "soundUnfilteredPasteboardTypes",
12469 "source",
12470 "sourceDirectories",
12471 "sourceDirectoryPaths",
12472 "sourceKeys",
12473 "sourceTree",
12474 "sourceUrl",
12475 "sourceUrlString",
12476 "spaceToOpen:",
12477 "spacerRowWithHeight:columnSpan:backgroundColor:",
12478 "spacesPerTab",
12479 "spacingAction:",
12480 "spacingTextfieldAction:",
12481 "specialImageWithType:",
12482 "specifiedPathForFrameworkNamed:",
12483 "spellCheckerDocumentTag",
12484 "spellServer:didForgetWord:inLanguage:",
12485 "spellServer:didLearnWord:inLanguage:",
12486 "spellServer:findMisspelledWordInString:language:wordCount:countOnly:",
12487 "spellServer:suggestGuessesForWord:inLanguage:",
12488 "spellingPanel",
12489 "splitCellHorizontally:",
12490 "splitCellVertically:",
12491 "splitFrameHorizontally:",
12492 "splitFrameVertically:",
12493 "splitKeysIntoSubkeys",
12494 "splitOverRange:",
12495 "splitVertically:",
12496 "splitView:canCollapseSubview:",
12497 "splitView:constrainMaxCoordinate:ofSubviewAt:",
12498 "splitView:constrainMinCoordinate:maxCoordinate:ofSubviewAt:",
12499 "splitView:constrainMinCoordinate:ofSubviewAt:",
12500 "splitView:constrainSplitPosition:ofSubviewAt:",
12501 "splitView:resizeSubviewsWithOldSize:",
12502 "splitViewDidResizeSubviews:",
12503 "splitViewWillResizeSubviews:",
12504 "spoolDirectory",
12505 "spoolToTableData:",
12506 "standardDoubleActionForEvent:inTextView:withFrame:",
12507 "standardError",
12508 "standardInput",
12509 "standardOutput",
12510 "standardRunLoopModes",
12511 "standardUserDefaults",
12512 "standardizedNativePath",
12513 "standardizedURL",
12514 "standardizedURLPath",
12515 "start:",
12516 "startAnimation:",
12517 "startArchiving:",
12518 "startDate",
12519 "startEditingKey:",
12520 "startEditingOption:",
12521 "startIndex",
12522 "startInputStream:closeOnEnd:",
12523 "startLogging",
12524 "startMessageClearCheck:",
12525 "startObservingViewBoundsChange:",
12526 "startPeriodicEventsAfterDelay:withPeriod:",
12527 "startProfiling",
12528 "startRegion:atAddress:",
12529 "startRegion:ofLength:atAddress:",
12530 "startRoot",
12531 "startSelectionObservation",
12532 "startSpecifier",
12533 "startSubelementIdentifier",
12534 "startSubelementIndex",
12535 "startSynchronization",
12536 "startTimer:userInfo:",
12537 "startTrackingAt:inView:",
12538 "startTrackingWithEvent:inView:withDelegate:",
12539 "startTransaction",
12540 "startWaitCursorTimer",
12541 "starters",
12542 "startingIndex",
12543 "startupPath",
12544 "stashSize",
12545 "state",
12546 "stateForChild:ofItem:",
12547 "stateImageOffset",
12548 "stateImageRectForBounds:",
12549 "stateImageWidth",
12550 "staticValidationDescription",
12551 "statistics",
12552 "status",
12553 "statusBar",
12554 "statusForMailbox:args:errorMessage:",
12555 "statusForTable:",
12556 "statusItemWithLength:",
12557 "statusMenu",
12558 "statusMessage",
12559 "statusOf:",
12560 "stepBack:",
12561 "stepForward:",
12562 "stepKey:elements:number:state:",
12563 "stepsCountForOperation:",
12564 "stop",
12565 "stop:",
12566 "stopAllActivity",
12567 "stopAnimation:",
12568 "stopCoalescing",
12569 "stopEditingSession",
12570 "stopLogging",
12571 "stopModal",
12572 "stopModalWithCode:",
12573 "stopObservingViewBoundsChange:",
12574 "stopPeriodicEvents",
12575 "stopProfiling",
12576 "stopSelectionObservation",
12577 "stopTimer",
12578 "stopTracking:at:inView:mouseIsUp:",
12579 "stopTrackingWithEvent:",
12580 "stopUpdatingIndex",
12581 "stopsValidationAfterFirstError",
12582 "store",
12583 "storeAtPathIsWritable:",
12584 "storeBeingDeleted:",
12585 "storeClass",
12586 "storeColorPanel:",
12587 "storeDidOpen:",
12588 "storeExistsForPath:",
12589 "storeFlags:state:forUids:",
12590 "storeForMailboxAtPath:",
12591 "storeForMailboxAtPath:create:",
12592 "storePath",
12593 "storePathRelativeToAccount",
12594 "storePathRelativeToMailboxDirectory",
12595 "storeStructureChanged:",
12596 "storedValueForKey:",
12597 "stream",
12598 "string",
12599 "string:",
12600 "stringArrayForKey:",
12601 "stringByAbbreviatingWithTildeInPath",
12602 "stringByAddingPercentEscapes",
12603 "stringByAppendingFormat:",
12604 "stringByAppendingPathComponent:",
12605 "stringByAppendingPathExtension:",
12606 "stringByAppendingString:",
12607 "stringByConvertingPathToURL",
12608 "stringByConvertingURLToPath",
12609 "stringByDeletingLastPathComponent",
12610 "stringByDeletingPathExtension",
12611 "stringByDeletingSuffixWithDelimiter:",
12612 "stringByExpandingEnvironmentVariablesInString:",
12613 "stringByExpandingTildeInPath",
12614 "stringByExpandingVariablesInString:withDictionary:objectList:",
12615 "stringByInsertingText:",
12616 "stringByLocalizingReOrFwdPrefix",
12617 "stringByRemovingPercentEscapes",
12618 "stringByRemovingPrefix:ignoreCase:",
12619 "stringByRemovingReAndFwd",
12620 "stringByReplacingString:withString:",
12621 "stringByResolvingSymlinksInPath",
12622 "stringByStandardizingPath",
12623 "stringByStrippingEnclosingNewlines",
12624 "stringBySummingWithStringAsIntegers:",
12625 "stringDrawingTextStorage",
12626 "stringEncodingFromMimeCharsetTag:",
12627 "stringForDPSError:",
12628 "stringForIndexing",
12629 "stringForKey:",
12630 "stringForKey:inTable:",
12631 "stringForObjectValue:",
12632 "stringForOperatorSelector:",
12633 "stringForType:",
12634 "stringFromGrammarKey:isPlural:",
12635 "stringListForKey:inTable:",
12636 "stringMarkingUpcaseTransitionsWithDelimiter2:",
12637 "stringMarkingUpcaseTransitionsWithDelimiter:",
12638 "stringRepeatedTimes:",
12639 "stringRepresentation",
12640 "stringToColor",
12641 "stringToComplete:",
12642 "stringToPrintWithHTMLString:",
12643 "stringValue",
12644 "stringValueForAttribute:",
12645 "stringWithCString:",
12646 "stringWithCString:length:",
12647 "stringWithCapacity:",
12648 "stringWithCharacters:length:",
12649 "stringWithContentsOfFile:",
12650 "stringWithContentsOfURL:",
12651 "stringWithData:encoding:",
12652 "stringWithFileSystemRepresentation:length:",
12653 "stringWithFormat:",
12654 "stringWithFormat:locale:",
12655 "stringWithRepeatedCharacter:count:",
12656 "stringWithSavedFrame",
12657 "stringWithString:",
12658 "stringWithString:language:",
12659 "stringWithUTF8String:",
12660 "stringWithoutAmpersand",
12661 "stringWithoutLeadingSpace",
12662 "stringWithoutNewlinesOnEnds",
12663 "stringWithoutSpaceOnEnds",
12664 "stringWithoutTrailingSpace",
12665 "stringsByAppendingPathComponent:",
12666 "stringsByAppendingPaths:",
12667 "strippedHTMLStringWithData:",
12668 "stroke",
12669 "strokeLineFromPoint:toPoint:",
12670 "strokeRect:",
12671 "structuralElementsInItem:",
12672 "structureDidChange",
12673 "styleInfo",
12674 "styleInfoForSelection:ofAttributedString:",
12675 "styleMask",
12676 "subProjectTypeList",
12677 "subProjectTypesForProjectType:",
12678 "subarrayWithRange:",
12679 "subclassFrameForSuperclassFrame:selected:",
12680 "subclassResponsibility:",
12681 "subdataFromIndex:",
12682 "subdataToIndex:",
12683 "subdataWithRange:",
12684 "subdivideBezierWithFlatness:startPoint:controlPoint1:controlPoint2:endPoint:",
12685 "subelements",
12686 "subevents",
12687 "subject",
12688 "subjectChanged",
12689 "subkeyListForKey:",
12690 "submenu",
12691 "submenuAction:",
12692 "submenuRepresentedObjects",
12693 "submenuRepresentedObjectsAreStale",
12694 "submitButton",
12695 "submitValue",
12696 "submitWithButton:inHTMLView:",
12697 "subnodeAtIndex:",
12698 "subnodes",
12699 "subnodesCount",
12700 "subpathsAtPath:",
12701 "subprojKeys",
12702 "subprojectKeyList",
12703 "subprojects",
12704 "subscript:",
12705 "subscriptRange:",
12706 "subsetMappingForSourceDictionaryInitializer:",
12707 "subsetMappingForSourceDictionaryInitializer:sourceKeys:destinationKeys:",
12708 "substituteFontForFont:",
12709 "substitutionEditingContext",
12710 "substringFromIndex:",
12711 "substringToIndex:",
12712 "substringWithRange:",
12713 "subtractPostingsIn:",
12714 "subtractTextStyle:subtractingDirectConflicts:",
12715 "subtreeWidthsInvalid",
12716 "subtype",
12717 "subview:didDrawRect:",
12718 "subviews",
12719 "suffixForOSType:",
12720 "suffixWithDelimiter:",
12721 "suiteDescription",
12722 "suiteForAppleEventCode:",
12723 "suiteName",
12724 "suiteNameArray",
12725 "suiteNames",
12726 "sum",
12727 "superClass",
12728 "superClassDescription",
12729 "superProject",
12730 "superclass",
12731 "superclassDescription",
12732 "superclassFrameForSubclassFrame:",
12733 "supermenu",
12734 "superscript:",
12735 "superscriptRange:",
12736 "superview",
12737 "superviewChanged:",
12738 "superviewFrameChanged:",
12739 "supportedEncodings",
12740 "supportedWindowDepths",
12741 "supportsAuthentication",
12742 "supportsCommand:",
12743 "supportsMode:",
12744 "supportsMultipleSelection",
12745 "supportsReadingData",
12746 "supportsWritingData",
12747 "suppressCapitalizedKeyWarning",
12748 "suppressFinalBlockCharacters",
12749 "suppressObserverNotification",
12750 "surfaceID",
12751 "suspendLogging",
12752 "suspendReaderLocks",
12753 "suspended",
12754 "suspiciousCodepage1252ByteSet",
12755 "swapElement:withElement:",
12756 "swapWithMark:",
12757 "swatchWidth",
12758 "switchEditFocusToCell:",
12759 "switchImage:",
12760 "switchList:",
12761 "symbolicLinkDestination",
12762 "syncItemsWithPopup",
12763 "syncToView",
12764 "syncToView:",
12765 "syncToViewUnconditionally",
12766 "synchronize",
12767 "synchronizeFile",
12768 "synchronizeMailboxesMenusIfNeeded",
12769 "synchronizeTitleAndSelectedItem",
12770 "synchronizeWindowTitleWithDocumentName",
12771 "synchronizeWithOtherClients",
12772 "synchronizeWithServer",
12773 "synonymTerminologyDictionary:",
12774 "syntacticDiscipline",
12775 "syntacticDisciplineLevel",
12776 "syntacticPolicyChanged:",
12777 "systemCharacterProperties",
12778 "systemColorsDidChange:",
12779 "systemDefaultPortNameServer",
12780 "systemDeveloperDirectory",
12781 "systemExtensions",
12782 "systemExtensionsList",
12783 "systemFontOfSize:",
12784 "systemFontSize",
12785 "systemLanguage",
12786 "systemLanguageContext",
12787 "systemLanguages",
12788 "systemLibraryDirectory",
12789 "systemStatusBar",
12790 "systemTimeZone",
12791 "systemVersion",
12792 "tabKeyTraversesCells",
12793 "tabState",
12794 "tabStopType",
12795 "tabStops",
12796 "tabView",
12797 "tabView:didSelectTabViewItem:",
12798 "tabView:shouldSelectTabViewItem:",
12799 "tabView:willSelectTabViewItem:",
12800 "tabViewAdded",
12801 "tabViewDidChangeNumberOfTabViewItems:",
12802 "tabViewItemAtIndex:",
12803 "tabViewItemAtPoint:",
12804 "tabViewItems",
12805 "tabViewRemoved",
12806 "tabViewType",
12807 "table",
12808 "tableColor",
12809 "tableColumnWithIdentifier:",
12810 "tableColumns",
12811 "tableDatas",
12812 "tableDecorationSize",
12813 "tableEnumerator",
12814 "tableFor:",
12815 "tableMatrixBox",
12816 "tableStructureChanged",
12817 "tableView",
12818 "tableView:acceptDrop:row:dropOperation:",
12819 "tableView:didClickTableColumn:",
12820 "tableView:didDragTableColumn:",
12821 "tableView:doCommandBySelector:",
12822 "tableView:dragImageForRows:event:dragImageOffset:",
12823 "tableView:mouseDownInHeaderOfTableColumn:",
12824 "tableView:objectValueForTableColumn:row:",
12825 "tableView:setObjectValue:forTableColumn:row:",
12826 "tableView:shouldEditTableColumn:row:",
12827 "tableView:shouldSelectRow:",
12828 "tableView:shouldSelectTableColumn:",
12829 "tableView:validateDrop:proposedRow:proposedDropOperation:",
12830 "tableView:willDisplayCell:forTableColumn:row:",
12831 "tableView:willStartDragWithEvent:",
12832 "tableView:writeRows:toPasteboard:",
12833 "tableViewAction:",
12834 "tableViewColumnDidMove:",
12835 "tableViewColumnDidResize:",
12836 "tableViewDidEndDragging:",
12837 "tableViewDidScroll:",
12838 "tableViewDragWillEnd:deposited:",
12839 "tableViewSelectionDidChange:",
12840 "tableViewSelectionIsChanging:",
12841 "tag",
12842 "tagForItem:",
12843 "tagWithRange:",
12844 "tailIndent",
12845 "takeColorFrom:",
12846 "takeDoubleValueFrom:",
12847 "takeFindStringFromSelection:",
12848 "takeFloatValueFrom:",
12849 "takeIntValueFrom:",
12850 "takeObjectValueFrom:",
12851 "takeOverAsSelectionOwner",
12852 "takeSelectedTabViewItemFromSender:",
12853 "takeSettingsFromAccount:",
12854 "takeStoredValue:forKey:",
12855 "takeStoredValuesFromDictionary:",
12856 "takeStringValueFrom:",
12857 "takeValue:forKey:",
12858 "takeValue:forKeyPath:",
12859 "takeValuesFromDictionary:",
12860 "takesTitleFromPreviousColumn",
12861 "tarCommand",
12862 "target",
12863 "targetAbstractName",
12864 "targetAdditionalSourceDirectories",
12865 "targetAllowableDebuggerNames",
12866 "targetClass",
12867 "targetClassForFault:",
12868 "targetCommandLineArgumentsArray",
12869 "targetDLLPaths",
12870 "targetDisplayName",
12871 "targetEnvironment",
12872 "targetForAction:",
12873 "targetForAction:to:from:",
12874 "targetPath",
12875 "targetPersistentState",
12876 "targetPersistentStateObjectForKey:",
12877 "targetSourceDirectories",
12878 "targetSourceTree",
12879 "targetUrl",
12880 "targetUsesDebuggerNamed:",
12881 "targetsFor:",
12882 "taskDictionary",
12883 "taskExitedNormally",
12884 "taskName",
12885 "tearOffMenuRepresentation",
12886 "tearOffTitlebarHighlightColor",
12887 "tearOffTitlebarShadowColor",
12888 "template",
12889 "temporaryAddressBookFromLDAPSearchResults:",
12890 "temporaryAddressBookWithName:",
12891 "temporaryAttributesAtCharacterIndex:effectiveRange:",
12892 "terminate",
12893 "terminate:",
12894 "terminateForClient:",
12895 "terminateNoConfirm",
12896 "terminateTask",
12897 "terminationStatus",
12898 "test",
12899 "testPart:",
12900 "testStructArrayAtIndex:",
12901 "text",
12902 "textAlignment",
12903 "textAlignmentForSelection",
12904 "textAttributesForNegativeValues",
12905 "textAttributesForPositiveValues",
12906 "textBackgroundColor",
12907 "textColor",
12908 "textContainer",
12909 "textContainerChangedGeometry:",
12910 "textContainerChangedTextView:",
12911 "textContainerForGlyphAtIndex:effectiveRange:",
12912 "textContainerHeight",
12913 "textContainerInset",
12914 "textContainerOrigin",
12915 "textContainerWidth",
12916 "textContainers",
12917 "textController",
12918 "textDidBeginEditing:",
12919 "textDidChange:",
12920 "textDidEndEditing:",
12921 "textEncoding",
12922 "textFindingStringWithRangeMap:",
12923 "textMergeWithLogging:",
12924 "textObjectToSearchIn",
12925 "textProc",
12926 "textRangeForTokenRange:",
12927 "textShouldBeginEditing:",
12928 "textShouldEndEditing:",
12929 "textStorage",
12930 "textStorage:edited:range:changeInLength:invalidatedRange:",
12931 "textStorageDidProcessEditing:",
12932 "textStorageWillProcessEditing:",
12933 "textStorageWithSize:",
12934 "textStyleForFontTrait:shouldRemove:",
12935 "textStyles",
12936 "textView",
12937 "textView:clickedOnCell:inRect:",
12938 "textView:clickedOnCell:inRect:atIndex:",
12939 "textView:clickedOnLink:",
12940 "textView:clickedOnLink:atIndex:",
12941 "textView:doCommandBySelector:",
12942 "textView:doubleClickedOnCell:inRect:",
12943 "textView:doubleClickedOnCell:inRect:atIndex:",
12944 "textView:draggedCell:inRect:event:",
12945 "textView:draggedCell:inRect:event:atIndex:",
12946 "textView:shouldChangeTextInRange:replacementString:",
12947 "textView:shouldReadSelectionFromPasteboard:type:result:",
12948 "textView:willChangeSelectionFromCharacterRange:toCharacterRange:",
12949 "textViewChangedFrame:",
12950 "textViewClass",
12951 "textViewDidChangeSelection:",
12952 "textViewForBeginningOfSelection",
12953 "textViewWidthFitsContent",
12954 "texture",
12955 "textureUrl",
12956 "thickness",
12957 "thicknessRequiredInRuler",
12958 "thousandSeparator",
12959 "thousandsSeparator",
12960 "threadDictionary",
12961 "tickMarkPosition",
12962 "tickMarkValueAtIndex:",
12963 "tightenKerning:",
12964 "tile",
12965 "timeInterval",
12966 "timeIntervalSince1970",
12967 "timeIntervalSinceDate:",
12968 "timeIntervalSinceNow",
12969 "timeIntervalSinceReferenceDate",
12970 "timeZone",
12971 "timeZoneDetail",
12972 "timeZoneForSecondsFromGMT:",
12973 "timeZoneWithAbbreviation:",
12974 "timeZoneWithName:",
12975 "timeZoneWithName:data:",
12976 "timeout",
12977 "timeoutOnSaveToProjectPath:",
12978 "timerWithFireDate:target:selector:userInfo:",
12979 "timerWithTimeInterval:invocation:repeats:",
12980 "timerWithTimeInterval:target:selector:userInfo:repeats:",
12981 "timersForMode:",
12982 "timestamp",
12983 "title",
12984 "titleAlignment",
12985 "titleBarFontOfSize:",
12986 "titleButtonOfClass:",
12987 "titleCell",
12988 "titleColor",
12989 "titleFont",
12990 "titleForView:",
12991 "titleFrameOfColumn:",
12992 "titleHeight",
12993 "titleOfColumn:",
12994 "titleOfSelectedItem",
12995 "titlePosition",
12996 "titleRect",
12997 "titleRectForBounds:",
12998 "titleString",
12999 "titleWidth",
13000 "titleWidth:",
13001 "titlebarRect",
13002 "tmpNameFromPath:",
13003 "tmpNameFromPath:extension:",
13004 "to",
13005 "toManyRelationshipKeys",
13006 "toOneRelationshipKeys",
13007 "toRecipients",
13008 "tocHeaderData",
13009 "tocSillyDateInt",
13010 "toggle:",
13011 "toggleContinuousSpellChecking:",
13012 "toggleEditingCharacters:",
13013 "toggleFrameConnected:",
13014 "toggleHyphenation:",
13015 "toggleMultiple:",
13016 "togglePageBreaks:",
13017 "togglePlatformInputSystem:",
13018 "toggleRich:",
13019 "toggleRuler:",
13020 "toggleSelected:",
13021 "toggleTableEditingMode:",
13022 "toggleWidgetInView:withButtonID:action:",
13023 "tokenCount",
13024 "tokenIndex",
13025 "tokenInfoAtIndex:",
13026 "tokenRange",
13027 "tokenRangeForTextRange:",
13028 "tokenize",
13029 "tokenizeUsing:",
13030 "toolBarAction:",
13031 "toolTip",
13032 "toolTipColor",
13033 "toolTipForCell:",
13034 "toolTipForView:cell:",
13035 "toolTipTextColor",
13036 "toolTipsFontOfSize:",
13037 "toolbar",
13038 "toolbarButton",
13039 "toolbarClass",
13040 "toolbarConfiguration",
13041 "toolbarController",
13042 "toolbarResponder",
13043 "toolbarStrings",
13044 "tooltipStringForItem:",
13045 "tooltipStringForString:",
13046 "topAutoreleasePoolCount",
13047 "topLevelObject",
13048 "topLevelTableWithHeaderParent:imageParent:topMargin:",
13049 "topMargin",
13050 "topRenderingRoot",
13051 "topTextView",
13052 "topUndoObject",
13053 "totalAutoreleasedObjects",
13054 "totalCount",
13055 "totalCount:andSize:",
13056 "totalDiskSpace",
13057 "totalWidthOfAllColumns",
13058 "touchRegion:ofLength:",
13059 "touched",
13060 "trace",
13061 "traceWithFlavor:priority:format:",
13062 "traceWithFlavor:priority:format:arguments:",
13063 "trackKnob:",
13064 "trackLinkInRect:ofView:",
13065 "trackMagnifierForPanel:",
13066 "trackMarker:withMouseEvent:",
13067 "trackMouse:adding:",
13068 "trackMouse:inRect:ofView:atCharacterIndex:untilMouseUp:",
13069 "trackMouse:inRect:ofView:untilMouseUp:",
13070 "trackPagingArea:",
13071 "trackRect",
13072 "trackScrollButtons:",
13073 "trackWithEvent:",
13074 "trackWithEvent:inView:withDelegate:",
13075 "trackerForSelection:",
13076 "trackingConstraint",
13077 "trackingConstraintKeyMask",
13078 "trackingNumber",
13079 "trailingBlockCharacterLengthWithMap:",
13080 "trailingOffset",
13081 "traitsOfFont:",
13082 "transactionID",
13083 "transferAgain:",
13084 "transferSelectionToMailboxAtPath:deleteOriginals:",
13085 "transferToMailbox:",
13086 "transform",
13087 "transform:",
13088 "transformBezierPath:",
13089 "transformPoint:",
13090 "transformRect:",
13091 "transformSize:",
13092 "transformStruct",
13093 "transformUsingAffineTransform:",
13094 "translateFromKeys:toKeys:",
13095 "translateOriginToPoint:",
13096 "translateTo::",
13097 "translateXBy:yBy:",
13098 "transparentColor",
13099 "transpose:",
13100 "transposeWords:",
13101 "trashCheckboxClicked:",
13102 "trashMailboxName",
13103 "trashMessageStoreCreatingIfNeeded:",
13104 "trashMessageStorePath",
13105 "traverseAtProject:data:",
13106 "traverseProject:targetObject:targetSelector:userData:",
13107 "traverseWithTarget:selector:context:",
13108 "treatsFilePackagesAsDirectories",
13109 "tree",
13110 "trimWhitespace",
13111 "trimWithCharactersInCFString:",
13112 "truncateFileAtOffset:",
13113 "tryLock",
13114 "tryLockForReading",
13115 "tryLockForWriting",
13116 "tryLockWhenCondition:",
13117 "tryToPerform:with:",
13118 "turnOffKerning:",
13119 "turnOffLigatures:",
13120 "twiddleToHTMLTextFieldTextView",
13121 "twiddleToNSTextView",
13122 "type",
13123 "typeChanged:",
13124 "typeComboBoxChanged:",
13125 "typeDescription",
13126 "typeEnumerator",
13127 "typeForArgumentWithName:",
13128 "typeForKey:",
13129 "typeFromFileExtension:",
13130 "typeToUnixName:",
13131 "types",
13132 "typesFilterableTo:",
13133 "typesetter",
13134 "typesetterLaidOneGlyph:",
13135 "typingAttributes",
13136 "uid",
13137 "unableToSetNilForKey:",
13138 "unarchiveObjectWithData:",
13139 "unarchiveObjectWithFile:",
13140 "unarchiver:objectForReference:",
13141 "uncacheDarkenedImage:",
13142 "unchainContext",
13143 "uncommentedAddress",
13144 "uncommentedAddressList",
13145 "uncommentedAddressRespectingGroups",
13146 "undeleteLastDeletedMessages",
13147 "undeleteMessage",
13148 "undeleteMessages:",
13149 "undeleteSelection",
13150 "underline:",
13151 "underlineGlyphRange:underlineType:lineFragmentRect:lineFragmentGlyphRange:containerOrigin:",
13152 "underlinePosition",
13153 "underlineThickness",
13154 "undo",
13155 "undo:",
13156 "undoActionName",
13157 "undoFieldToSlider",
13158 "undoLevels",
13159 "undoLevelsChanged:",
13160 "undoManager",
13161 "undoManagerDidBeginUndoGrouping:",
13162 "undoManagerForTextView:",
13163 "undoManagerForWindow:",
13164 "undoMenuItemTitle",
13165 "undoMenuTitleForUndoActionName:",
13166 "undoNestedGroup",
13167 "undoNotificationEnabled",
13168 "undoRedo:",
13169 "undoSliderToField",
13170 "unescapedUnicodeString",
13171 "unfocus:",
13172 "unfocusView:",
13173 "unfreeze:",
13174 "unhide",
13175 "unhide:",
13176 "unhideAllApplications:",
13177 "unhideApplication",
13178 "unhideWithoutActivation",
13179 "unionBitVector:",
13180 "unionSet:",
13181 "unionWithBitVector:",
13182 "uniqueInstance:",
13183 "uniqueKey:",
13184 "uniquePath",
13185 "uniquePathWithMaximumLength:",
13186 "uniqueSpellDocumentTag",
13187 "uniqueStateIdentifier",
13188 "uniqueURL",
13189 "uniquedAttributes",
13190 "uniquedMarkerString",
13191 "unixToTypeName:",
13192 "unload",
13193 "unlock",
13194 "unlockFocus",
13195 "unlockFocusInRect:",
13196 "unlockForReading",
13197 "unlockForWriting",
13198 "unlockTopMostReader",
13199 "unlockWithCondition:",
13200 "unmarkText",
13201 "unmountAndEjectDeviceAtPath:",
13202 "unmounted:",
13203 "unparse",
13204 "unquotedAttributeStringValue",
13205 "unquotedFromSpaceDataWithRange:",
13206 "unquotedString",
13207 "unreadCount",
13208 "unreadCountChanged:",
13209 "unreadCountForMailboxAtPath:",
13210 "unregisterDragTypesForWindow:",
13211 "unregisterDraggedTypes",
13212 "unregisterImageRepClass:",
13213 "unregisterIndexedStore:",
13214 "unregisterMessageClass:",
13215 "unregisterMessageClassForEncoding:",
13216 "unregisterObjectWithServicePath:",
13217 "unregisterServiceProviderNamed:",
13218 "unrollTransaction",
13219 "unscript:",
13220 "unscriptRange:",
13221 "unsignedCharValue",
13222 "unsignedIntValue",
13223 "unsignedLongLongValue",
13224 "unsignedLongValue",
13225 "unsignedShortValue",
13226 "unwrapFromNode:adapting:",
13227 "update",
13228 "update:",
13229 "updateAppendButtonState",
13230 "updateAppleMenu:",
13231 "updateAttachmentsFromPath:",
13232 "updateBackground:",
13233 "updateCell:",
13234 "updateCellInside:",
13235 "updateChangeCount:",
13236 "updateCurGlyphOffset",
13237 "updateDragTypeRegistration",
13238 "updateDynamicServices:",
13239 "updateEnabledState",
13240 "updateEventCoalescing",
13241 "updateFavoritesDestination:",
13242 "updateFeedback",
13243 "updateFileAttributesFromPath:",
13244 "updateFileExtensions:",
13245 "updateFilteredListsForMessagesAdded:reason:",
13246 "updateFilteredListsForMessagesRemoved:reason:",
13247 "updateFontPanel",
13248 "updateFrame",
13249 "updateFrameColors:",
13250 "updateFromPath:",
13251 "updateFromPrintInfo",
13252 "updateFromSnapshot:",
13253 "updateHeaderFields",
13254 "updateHeartBeatState",
13255 "updateInDock",
13256 "updateInfo:parent:rootObject:",
13257 "updateInputContexts",
13258 "updateInsertionPointStateAndRestartTimer:",
13259 "updateMailboxListing:",
13260 "updateMap:forChangeInLength:",
13261 "updateNameMap",
13262 "updateNib",
13263 "updateObject:",
13264 "updateOptions",
13265 "updateOptionsWithApplicationIcon",
13266 "updateOptionsWithApplicationName",
13267 "updateOptionsWithBackgroundImage",
13268 "updateOptionsWithCopyright",
13269 "updateOptionsWithCredits",
13270 "updateOptionsWithProjectVersion",
13271 "updateOptionsWithVersion",
13272 "updatePageColorsPanel",
13273 "updateProjects",
13274 "updateRendering",
13275 "updateRendering:",
13276 "updateRequestServers:forUser:",
13277 "updateRuler",
13278 "updateScroller",
13279 "updateSpellingPanelWithMisspelledWord:",
13280 "updateSubmenu:",
13281 "updateSwatch",
13282 "updateTableHeaderToMatchCurrentSort",
13283 "updateTextViewerToSelection",
13284 "updateTitleControls",
13285 "updateToggleWidget:",
13286 "updateUI",
13287 "updateUIOfTextField:withPath:",
13288 "updateUserInfoToLatestValues",
13289 "updateValidationButton:",
13290 "updateWindowDirtyState:",
13291 "updateWindows",
13292 "updateWindowsItem:",
13293 "updatedObjects",
13294 "uppercaseLetterCharacterSet",
13295 "uppercaseSelfWithLocale:",
13296 "uppercaseString",
13297 "uppercaseStringWithLanguage:",
13298 "uppercaseWord:",
13299 "uppercasedRetainedStringWithCharacters:length:",
13300 "url",
13301 "urlEncodedString",
13302 "urlPathByAppendingComponent:",
13303 "urlPathByDeletingLastComponent",
13304 "urlPathRelativeToPath:",
13305 "urlStringForLocation:inFrame:",
13306 "urlVisited:",
13307 "usableParts",
13308 "useAllLigatures:",
13309 "useDeferredFaultCreation",
13310 "useDisabledEffectForState:",
13311 "useFont:",
13312 "useHighlightEffectForState:",
13313 "useOptimizedDrawing:",
13314 "useStandardKerning:",
13315 "useStandardLigatures:",
13316 "useStoredAccessor",
13317 "usedRectForTextContainer:",
13318 "usedRectIncludingFloaters",
13319 "user",
13320 "user:",
13321 "userAddressBookWithName:",
13322 "userAgent",
13323 "userChoseTargetFile:",
13324 "userData",
13325 "userDefaultsChanged",
13326 "userDefinedFaces",
13327 "userEmail",
13328 "userFacesChanged:",
13329 "userFilteredHeaders",
13330 "userFixedPitchFontOfSize:",
13331 "userFontOfSize:",
13332 "userFullName",
13333 "userHomeDirectory",
13334 "userInfo",
13335 "userInfoForMailboxAtPath:",
13336 "userInfoForMailboxAtPath:fetchIfNotCached:",
13337 "userInfoForMailboxAtPath:fetchIfNotCached:refreshIfCached:",
13338 "userIsTyping",
13339 "userKeyEquivalent",
13340 "userKeyEquivalentModifierMask",
13341 "userName",
13342 "userPresentableDescription",
13343 "userPresentableDescriptionForObject:",
13344 "userWantsIndexForStore",
13345 "username",
13346 "usesAddressLineBreaks",
13347 "usesButtons",
13348 "usesContextRelativeEncoding",
13349 "usesDataSource",
13350 "usesDistinct",
13351 "usesEPSOnResolutionMismatch",
13352 "usesFontPanel",
13353 "usesItemFromMenu",
13354 "usesNewLayout",
13355 "usesRuler",
13356 "usesScreenFonts",
13357 "usesThreadedAnimation",
13358 "usesUserKeyEquivalents",
13359 "usesVectorMovement",
13360 "uudecodedDataIntoFile:mode:",
13361 "uuencodedDataWithFile:mode:",
13362 "vCard",
13363 "vCardAtFilteredIndex:",
13364 "vCardAtIndex:",
13365 "vCardFromEmailAddress:",
13366 "vCardReferenceAtIndex:",
13367 "vCardResolvingReference:",
13368 "vCardWithFirstName:lastName:emailAddress:",
13369 "vCardWithString:",
13370 "vCardsMatchingString:",
13371 "validAttributesForMarkedText",
13372 "validForStartup",
13373 "validRequestorForSendType:returnType:",
13374 "validStartCharacter:",
13375 "validateChangesForSave",
13376 "validateDeletesUsingTable:",
13377 "validateEditing",
13378 "validateForDelete",
13379 "validateForInsert",
13380 "validateForSave",
13381 "validateForUpdate",
13382 "validateInspectedSelection",
13383 "validateItem:",
13384 "validateKeysWithRootClassDescription:",
13385 "validateMenuItem:",
13386 "validateMenuMatrix:withResponder:",
13387 "validateObjectForDelete:",
13388 "validateObjectForSave:",
13389 "validatePath:ignore:",
13390 "validateRename",
13391 "validateRenameColor",
13392 "validateRenameList",
13393 "validateSelection",
13394 "validateTable:withSelector:exceptionArray:continueAfterFailure:",
13395 "validateTakeValue:forKeyPath:",
13396 "validateToolBar",
13397 "validateToolBarButton:",
13398 "validateToolCluster",
13399 "validateToolbarAction:",
13400 "validateUI",
13401 "validateUserInterfaceItem:",
13402 "validateValue:forKey:",
13403 "validateValuesInUI",
13404 "validateVisibleColumns",
13405 "validateWithMessageArray:itemArray:",
13406 "validationDescription",
13407 "validationErrors",
13408 "validationExceptionWithFormat:",
13409 "value",
13410 "value:withObjCType:",
13411 "valueAtIndex:inPropertyWithKey:",
13412 "valueForAttribute:",
13413 "valueForDirtyFlag:",
13414 "valueForKey:",
13415 "valueForKeyPath:",
13416 "valueForProperty:",
13417 "valueOfAttribute:changedFrom:to:",
13418 "valueWithBytes:objCType:",
13419 "valueWithNonretainedObject:",
13420 "valueWithPoint:",
13421 "valueWithPointer:",
13422 "valueWithRange:",
13423 "valueWithRect:",
13424 "valueWithSize:",
13425 "valuesForKeys:",
13426 "valuesForKeys:object:",
13427 "variableWithKey:",
13428 "verboseVersion",
13429 "verifyWithDelegate:",
13430 "version",
13431 "versionForClassName:",
13432 "versionForClassNamed:",
13433 "versionInfo",
13434 "versionNb",
13435 "versionString",
13436 "verticalAlignPopupAction:",
13437 "verticalAlignment",
13438 "verticalLineScroll",
13439 "verticalPageScroll",
13440 "verticalPagination",
13441 "verticalResizeCursor",
13442 "verticalRulerView",
13443 "verticalScroller",
13444 "verticalSpace",
13445 "view",
13446 "view:stringForToolTip:point:userData:",
13447 "viewBoundsChanged:",
13448 "viewDidMoveToSuperview",
13449 "viewDidMoveToWindow",
13450 "viewForItem:",
13451 "viewForPreferenceNamed:",
13452 "viewFrameChanged:",
13453 "viewHeight",
13454 "viewSize",
13455 "viewSizeChanged:",
13456 "viewSource:",
13457 "viewWillMoveToSuperview:",
13458 "viewWillMoveToWindow:",
13459 "viewWithTag:",
13460 "viewedMessage:",
13461 "viewingAttributes",
13462 "viewsNeedDisplay",
13463 "visibleFrame",
13464 "visibleRect",
13465 "visitedLinkColor",
13466 "volatileDomainForName:",
13467 "volatileDomainNames",
13468 "volume",
13469 "wait",
13470 "waitForDataInBackgroundAndNotify",
13471 "waitForDataInBackgroundAndNotifyForModes:",
13472 "waitUntilDate:",
13473 "waitUntilExit",
13474 "walkOver",
13475 "wantsDoubleBuffering",
13476 "wantsMargin",
13477 "wantsSynchronizedDeallocation",
13478 "wantsToBeColor",
13479 "wantsToDelayTextChangeNotifications",
13480 "wantsToHandleMouseEvents",
13481 "wantsToInterpretAllKeystrokes",
13482 "wantsToTrackMouse",
13483 "wantsToTrackMouseForEvent:",
13484 "wantsToTrackMouseForEvent:inRect:ofView:atCharacterIndex:",
13485 "warnIfDeleteMessages:",
13486 "wasInterpolated",
13487 "wasRepaired",
13488 "wbMergeCells:",
13489 "wbRemoveColumn:",
13490 "wbRemoveRow:",
13491 "wbSplitCells:",
13492 "wbSplitCellsHorizontally:",
13493 "wbSplitCellsVertically:",
13494 "weightOfFont:",
13495 "weightOfTag:",
13496 "wellForRect:flipped:",
13497 "whiteColor",
13498 "whiteComponent",
13499 "whitespaceAndNewlineCharacterSet",
13500 "whitespaceCharacterSet",
13501 "whitespaceDescription",
13502 "widestOptionWidthForPopUp:",
13503 "widgetInView:withButtonID:action:",
13504 "width",
13505 "widthAdjustLimit",
13506 "widthForColumnAtIndex:returningWidthType:",
13507 "widthOfString:",
13508 "widthPopupAction:",
13509 "widthString",
13510 "widthTextfieldAction:",
13511 "widthTracksTextView",
13512 "widthsInvalid",
13513 "willBeDisplayed",
13514 "willCancelDelayedPerformWith:::",
13515 "willChange",
13516 "willDebugWhenLaunched",
13517 "willEndCloseSheet:returnCode:contextInfo:",
13518 "willFireDelayedPerform:",
13519 "willForwardSelector:",
13520 "willFreeOnWrite",
13521 "willReadRelationship:",
13522 "willRemoveSubview:",
13523 "willRunOSPanel",
13524 "willSaveProjectAtPath:client:",
13525 "willScheduleDelayedPerform:with::::",
13526 "willSetLineFragmentRect:forGlyphRange:usedRect:",
13527 "willingnessToDecode:",
13528 "windingRule",
13529 "window",
13530 "windowBackgroundColor",
13531 "windowController",
13532 "windowControllerDidLoadNib:",
13533 "windowControllerWillLoadNib:",
13534 "windowControllers",
13535 "windowDidBecomeKey:",
13536 "windowDidBecomeMain:",
13537 "windowDidChangeScreen:",
13538 "windowDidDeminiaturize:",
13539 "windowDidExpose:",
13540 "windowDidLoad",
13541 "windowDidMiniaturize:",
13542 "windowDidMove:",
13543 "windowDidResignKey:",
13544 "windowDidResignMain:",
13545 "windowDidResize:",
13546 "windowDidUpdate:",
13547 "windowFrameAutosaveName",
13548 "windowFrameColor",
13549 "windowFrameOutlineColor",
13550 "windowFrameTextColor",
13551 "windowID",
13552 "windowNibName",
13553 "windowNibPath",
13554 "windowNumber",
13555 "windowShouldClose:",
13556 "windowShouldZoom:toFrame:",
13557 "windowTitle",
13558 "windowTitleForDocumentDisplayName:",
13559 "windowTitlebarLinesSpacingWidth",
13560 "windowTitlebarLinesSpacingWidth:",
13561 "windowTitlebarTitleLinesSpacingWidth",
13562 "windowTitlebarTitleLinesSpacingWidth:",
13563 "windowToDefaults:",
13564 "windowWillClose:",
13565 "windowWillLoad",
13566 "windowWillMiniaturize:",
13567 "windowWillMove:",
13568 "windowWillResize:toSize:",
13569 "windowWillReturnFieldEditor:toObject:",
13570 "windowWillReturnUndoManager:",
13571 "windowWillUseStandardFrame:defaultFrame:",
13572 "windowWithWindowNumber:",
13573 "windows",
13574 "windowsMenu",
13575 "wordMovementHandler",
13576 "words",
13577 "workQueue",
13578 "worksWhenModal",
13579 "wrapInNode:",
13580 "wrapperExtensions",
13581 "wrapperForAppleFileDataWithFileEncodingHint:",
13582 "wrapperForBinHex40DataWithFileEncodingHint:",
13583 "wraps",
13584 "writablePasteboardTypes",
13585 "writableTypes",
13586 "write:",
13587 "writeAlignedDataSize:",
13588 "writeAttachment:",
13589 "writeBOSArray:count:ofType:",
13590 "writeBOSNumString:length:ofType:scale:",
13591 "writeBOSString:length:",
13592 "writeBaselineOffset:",
13593 "writeBinaryObjectSequence:length:",
13594 "writeBody",
13595 "writeBytes:length:",
13596 "writeChangesToDisk",
13597 "writeCharacterAttributes:previousAttributes:",
13598 "writeColor:foreground:",
13599 "writeColorTable",
13600 "writeColors",
13601 "writeCommand:begin:",
13602 "writeData:",
13603 "writeData:length:",
13604 "writeData:to:",
13605 "writeDefaultsToDictionary:",
13606 "writeDelayedInt:for:",
13607 "writeDocument:pbtype:filename:",
13608 "writeEPSInsideRect:toPasteboard:",
13609 "writeEscapedUTF8String:",
13610 "writeFd:",
13611 "writeFile:",
13612 "writeFileContents:",
13613 "writeFileWrapper:",
13614 "writeFont:",
13615 "writeFontTable",
13616 "writeGdbFile",
13617 "writeGeneratedFiles",
13618 "writeHeader",
13619 "writeHyphenation",
13620 "writeIconHeaderFile",
13621 "writeInt:",
13622 "writeKern:",
13623 "writeLossyString:",
13624 "writeMakeFile",
13625 "writeMemory:",
13626 "writeNewline",
13627 "writePBProject",
13628 "writePDFInsideRect:toPasteboard:",
13629 "writePaperSize",
13630 "writeParagraphStyle:",
13631 "writePath:docInfo:errorHandler:remapContents:",
13632 "writePostScriptWithLanguageEncodingConversion:",
13633 "writePrintInfo",
13634 "writePrintInfo:",
13635 "writeProfilingDataToPath:",
13636 "writeProperty:forKey:",
13637 "writeRTF",
13638 "writeRTFDToFile:atomically:",
13639 "writeRange:ofLength:atOffset:",
13640 "writeRoomForInt:",
13641 "writeRtf:arg:",
13642 "writeRtfEnriched",
13643 "writeSelectionToPasteboard:type:",
13644 "writeSelectionToPasteboard:types:",
13645 "writeStyleSheetTable",
13646 "writeSuperscript:",
13647 "writeTargetPersistentStateForExecutable:",
13648 "writeTargetPersistentStateToProject",
13649 "writeText:isRTF:",
13650 "writeToFile:",
13651 "writeToFile:atomically:",
13652 "writeToFile:atomically:updateFilenames:",
13653 "writeToFile:ofType:",
13654 "writeToFile:ofType:originalFile:saveOperation:",
13655 "writeToPasteboard:",
13656 "writeToPath:safely:",
13657 "writeToURL:atomically:",
13658 "writeToURL:ofType:",
13659 "writeUnderlineStyle:",
13660 "writeUpdatedMessageDataToDisk",
13661 "writeValue:andLength:",
13662 "writeValuesToDictionary:",
13663 "writeWithBackupToFile:ofType:saveOperation:",
13664 "xHeight",
13665 "yank:",
13666 "yankAndSelect:",
13667 "yearOfCommonEra",
13668 "years:months:days:hours:minutes:seconds:sinceDate:",
13669 "yellowColor",
13670 "yellowComponent",
13671 "zero",
13672 "zeroLengthSelectionAfterItem:",
13673 "zeroLengthSelectionAfterPrologueOfNode:",
13674 "zeroLengthSelectionAtEndOfConjointSelection:",
13675 "zeroLengthSelectionAtEndOfSelection:",
13676 "zeroLengthSelectionAtOrAfterLocation:rangeMap:",
13677 "zeroLengthSelectionAtOrBeforeLocation:rangeMap:",
13678 "zeroLengthSelectionAtStartOfConjointSelection:",
13679 "zeroLengthSelectionAtStartOfSelection:",
13680 "zeroLengthSelectionBeforeEpilogueOfNode:",
13681 "zeroLengthSelectionBeforeItem:",
13682 "zone",
13683 "zoom:",
13684 "zoomButton",
13685 };
13686