Crate objc2_app_kit
source ·Expand description
§Bindings to the AppKit
framework
See Apple’s docs and the general docs on framework crates for more information.
Note that a lot of functionality in AppKit requires that the application
has initialized properly, which is only done after the application
delegate has received applicationDidFinishLaunching
.
You should aspire to do all your UI initialization work in there!
§NSWindow
Be careful when creating NSWindow
if it’s not inside a window
controller; in those cases you’re required to call
window.releasedWhenClosed(false)
to get correct memory management, which
is also why the creation methods for NSWindow
are unsafe
.
§Examples
Implementing NSApplicationDelegate
for a custom class.
ⓘ
#![deny(unsafe_op_in_unsafe_fn)]
use objc2::rc::Retained;
use objc2::runtime::ProtocolObject;
use objc2::{declare_class, msg_send_id, mutability, ClassType, DeclaredClass};
use objc2_app_kit::{NSApplication, NSApplicationActivationPolicy, NSApplicationDelegate};
use objc2_foundation::{
ns_string, MainThreadMarker, NSCopying, NSNotification, NSObject, NSObjectProtocol, NSString,
};
#[derive(Debug)]
#[allow(unused)]
struct Ivars {
ivar: u8,
another_ivar: bool,
box_ivar: Box<i32>,
maybe_box_ivar: Option<Box<i32>>,
id_ivar: Retained<NSString>,
maybe_id_ivar: Option<Retained<NSString>>,
}
declare_class!(
struct AppDelegate;
// SAFETY:
// - The superclass NSObject does not have any subclassing requirements.
// - Main thread only mutability is correct, since this is an application delegate.
// - `AppDelegate` does not implement `Drop`.
unsafe impl ClassType for AppDelegate {
type Super = NSObject;
type Mutability = mutability::MainThreadOnly;
const NAME: &'static str = "MyAppDelegate";
}
impl DeclaredClass for AppDelegate {
type Ivars = Ivars;
}
unsafe impl NSObjectProtocol for AppDelegate {}
unsafe impl NSApplicationDelegate for AppDelegate {
#[method(applicationDidFinishLaunching:)]
fn did_finish_launching(&self, notification: &NSNotification) {
println!("Did finish launching!");
// Do something with the notification
dbg!(notification);
}
#[method(applicationWillTerminate:)]
fn will_terminate(&self, _notification: &NSNotification) {
println!("Will terminate!");
}
}
);
impl AppDelegate {
fn new(ivar: u8, another_ivar: bool, mtm: MainThreadMarker) -> Retained<Self> {
let this = mtm.alloc();
let this = this.set_ivars(Ivars {
ivar,
another_ivar,
box_ivar: Box::new(2),
maybe_box_ivar: None,
id_ivar: NSString::from_str("abc"),
maybe_id_ivar: Some(ns_string!("def").copy()),
});
unsafe { msg_send_id![super(this), init] }
}
}
fn main() {
let mtm: MainThreadMarker = MainThreadMarker::new().unwrap();
let app = NSApplication::sharedApplication(mtm);
app.setActivationPolicy(NSApplicationActivationPolicy::Regular);
// configure the application delegate
let delegate = AppDelegate::new(42, true, mtm);
let object = ProtocolObject::from_ref(&*delegate);
app.setDelegate(Some(object));
// run the app
unsafe { app.run() };
}
An example showing basic and a bit more advanced usage of NSPasteboard
.
ⓘ
//! Read from the global pasteboard, and write a new string into it.
//!
//! Works on macOS 10.7+
#![deny(unsafe_op_in_unsafe_fn)]
use objc2::rc::Retained;
use objc2::runtime::{AnyClass, AnyObject, ProtocolObject};
use objc2::ClassType;
use objc2_app_kit::{NSPasteboard, NSPasteboardTypeString};
use objc2_foundation::{NSArray, NSCopying, NSString};
/// Simplest implementation
pub fn get_text_1(pasteboard: &NSPasteboard) -> Option<Retained<NSString>> {
unsafe { pasteboard.stringForType(NSPasteboardTypeString) }
}
/// More complex implementation using `readObjectsForClasses:options:`,
/// intended to show how some patterns might require more knowledge of
/// nitty-gritty details.
pub fn get_text_2(pasteboard: &NSPasteboard) -> Option<Retained<NSString>> {
// The NSPasteboard API is a bit weird, it requires you to pass classes as
// objects, which `objc2_foundation::NSArray` was not really made for - so
// we convert the class to an `AnyObject` type instead.
//
// TODO: Investigate and find a better way to express this in `objc2`.
let string_class = {
let cls: *const AnyClass = NSString::class();
let cls = cls as *mut AnyObject;
unsafe { Retained::retain(cls).unwrap() }
};
let class_array = NSArray::from_vec(vec![string_class]);
let objects = unsafe { pasteboard.readObjectsForClasses_options(&class_array, None) };
let obj: *const AnyObject = objects?.first()?;
// And this part is weird as well, since we now have to convert the object
// into an NSString, which we know it to be since that's what we told
// `readObjectsForClasses:options:`.
let obj = obj as *mut NSString;
Some(unsafe { Retained::retain(obj) }.unwrap())
}
pub fn set_text(pasteboard: &NSPasteboard, text: &NSString) {
let _ = unsafe { pasteboard.clearContents() };
let obj = ProtocolObject::from_retained(text.copy());
let objects = NSArray::from_vec(vec![obj]);
let res = unsafe { pasteboard.writeObjects(&objects) };
if !res {
panic!("Failed writing to pasteboard");
}
}
fn main() {
let pasteboard = unsafe { NSPasteboard::generalPasteboard() };
let impl_1 = get_text_1(&pasteboard);
let impl_2 = get_text_2(&pasteboard);
println!("Pasteboard text from implementation 1 was: {impl_1:?}");
println!("Pasteboard text from implementation 2 was: {impl_2:?}");
assert_eq!(impl_1, impl_2);
let s = NSString::from_str("Hello, world!");
set_text(&pasteboard, &s);
println!("Now the pasteboard text should be: {s:?}");
assert_eq!(Some(s), get_text_1(&pasteboard));
}
Structs§
- NSATSTypesetter
NSATSTypesetter
andNSTypesetter
- NSAccessibilityAnnotationPosition
NSAccessibilityConstants
- NSAccessibilityCustomAction
NSAccessibilityCustomAction
- NSAccessibilityCustomRotor
NSAccessibilityCustomRotor
- NSAccessibilityCustomRotorItemResult
NSAccessibilityCustomRotor
- NSAccessibilityCustomRotorSearchDirection
NSAccessibilityCustomRotor
- NSAccessibilityCustomRotorSearchParameters
NSAccessibilityCustomRotor
- NSAccessibilityCustomRotorType
NSAccessibilityCustomRotor
- NSAccessibilityElement
NSAccessibilityElement
- NSAccessibilityOrientation
NSAccessibilityConstants
- NSAccessibilityPriorityLevel
NSAccessibilityConstants
- NSAccessibilityRulerMarkerType
NSAccessibilityConstants
- NSAccessibilitySortDirection
NSAccessibilityConstants
- NSAccessibilityUnits
NSAccessibilityConstants
- NSActionCell
NSActionCell
andNSCell
- NSAlert
NSAlert
- NSAlertStyle
NSAlert
- NSAlignmentFeedbackFilter
NSAlignmentFeedbackFilter
- NSAnimation
NSAnimation
- NSAnimationBlockingMode
NSAnimation
- NSAnimationContext
NSAnimationContext
- NSAnimationCurve
NSAnimation
- NSAppearance
NSAppearance
- NSApplication
NSApplication
andNSResponder
- NSApplicationActivationOptions
NSRunningApplication
- NSApplicationActivationPolicy
NSRunningApplication
- NSApplicationDelegateReply
NSApplication
- NSApplicationOcclusionState
NSApplication
- NSApplicationPresentationOptions
NSApplication
- NSApplicationPrintReply
NSApplication
- NSApplicationTerminateReply
NSApplication
- NSArrayController
NSArrayController
andNSController
andNSObjectController
- NSBackgroundStyle
NSCell
- NSBackingStoreType
NSGraphics
- NSBezelStyle
NSButtonCell
- NSBezierPath
NSBezierPath
- NSBezierPathElement
NSBezierPath
- NSBindingSelectionMarker
NSKeyValueBinding
- NSBitmapFormat
NSBitmapImageRep
- NSBitmapImageFileType
NSBitmapImageRep
- NSBitmapImageRep
NSBitmapImageRep
andNSImageRep
- NSBorderType
NSView
- NSBox
NSBox
andNSResponder
andNSView
- NSBoxType
NSBox
- NSBrowser
NSBrowser
andNSControl
andNSResponder
andNSView
- NSBrowserCell
NSBrowserCell
andNSCell
- NSBrowserColumnResizingType
NSBrowser
- NSBrowserDropOperation
NSBrowser
- NSButton
NSButton
andNSControl
andNSResponder
andNSView
- NSButtonCell
NSActionCell
andNSButtonCell
andNSCell
- NSButtonTouchBarItem
NSButtonTouchBarItem
andNSTouchBarItem
- NSButtonType
NSButtonCell
- NSCIImageRep
NSCIImageRep
andNSImageRep
- NSCandidateListTouchBarItem
NSCandidateListTouchBarItem
andNSTouchBarItem
- NSCell
NSCell
- NSCellAttribute
NSCell
- NSCellHitResult
NSCell
- NSCellImagePosition
NSCell
- NSCellStyleMask
NSCell
- NSCellType
NSCell
- NSCharacterCollection
NSGlyphInfo
- NSClickGestureRecognizer
NSClickGestureRecognizer
andNSGestureRecognizer
- NSClipView
NSClipView
andNSResponder
andNSView
- NSCloudKitSharingServiceOptions
NSSharingService
- NSCollectionElementCategory
NSCollectionViewLayout
- NSCollectionLayoutAnchor
NSCollectionViewCompositionalLayout
- NSCollectionLayoutBoundarySupplementaryItem
NSCollectionViewCompositionalLayout
- NSCollectionLayoutDecorationItem
NSCollectionViewCompositionalLayout
- NSCollectionLayoutDimension
NSCollectionViewCompositionalLayout
- NSCollectionLayoutEdgeSpacing
NSCollectionViewCompositionalLayout
- NSCollectionLayoutGroup
NSCollectionViewCompositionalLayout
- NSCollectionLayoutGroupCustomItem
NSCollectionViewCompositionalLayout
- NSCollectionLayoutItem
NSCollectionViewCompositionalLayout
- NSCollectionLayoutSection
NSCollectionViewCompositionalLayout
- NSCollectionLayoutSectionOrthogonalScrollingBehavior
NSCollectionViewCompositionalLayout
- NSCollectionLayoutSize
NSCollectionViewCompositionalLayout
- NSCollectionLayoutSpacing
NSCollectionViewCompositionalLayout
- NSCollectionLayoutSupplementaryItem
NSCollectionViewCompositionalLayout
- NSCollectionUpdateAction
NSCollectionViewLayout
- NSCollectionView
NSCollectionView
andNSResponder
andNSView
- NSCollectionViewCompositionalLayout
NSCollectionViewCompositionalLayout
andNSCollectionViewLayout
- NSCollectionViewCompositionalLayoutConfiguration
NSCollectionViewCompositionalLayout
- NSCollectionViewDiffableDataSource
NSDiffableDataSource
- NSCollectionViewDropOperation
NSCollectionView
- NSCollectionViewFlowLayout
NSCollectionViewFlowLayout
andNSCollectionViewLayout
- NSCollectionViewFlowLayoutInvalidationContext
NSCollectionViewFlowLayout
andNSCollectionViewLayout
- NSCollectionViewGridLayout
NSCollectionViewGridLayout
andNSCollectionViewLayout
- NSCollectionViewItem
NSCollectionView
andNSResponder
andNSViewController
- NSCollectionViewItemHighlightState
NSCollectionView
- NSCollectionViewLayout
NSCollectionViewLayout
- NSCollectionViewLayoutAttributes
NSCollectionViewLayout
- NSCollectionViewLayoutInvalidationContext
NSCollectionViewLayout
- NSCollectionViewScrollDirection
NSCollectionViewFlowLayout
- NSCollectionViewScrollPosition
NSCollectionView
- NSCollectionViewTransitionLayout
NSCollectionViewLayout
andNSCollectionViewTransitionLayout
- NSCollectionViewUpdateItem
NSCollectionViewLayout
- NSColor
NSColor
- NSColorList
NSColorList
- NSColorPanel
NSColorPanel
andNSPanel
andNSResponder
andNSWindow
- NSColorPanelMode
NSColorPanel
- NSColorPanelOptions
NSColorPanel
- NSColorPicker
NSColorPicker
- NSColorPickerTouchBarItem
NSColorPickerTouchBarItem
andNSTouchBarItem
- NSColorRenderingIntent
NSGraphics
- NSColorSampler
NSColorSampler
- NSColorSpace
NSColorSpace
- NSColorSpaceModel
NSColorSpace
- NSColorSystemEffect
NSColor
- NSColorType
NSColor
- NSColorWell
NSColorWell
andNSControl
andNSResponder
andNSView
- NSColorWellStyle
NSColorWell
- NSComboBox
NSComboBox
andNSControl
andNSResponder
andNSTextField
andNSView
- NSComboBoxCell
NSActionCell
andNSCell
andNSComboBoxCell
andNSTextFieldCell
- NSComboButton
NSComboButton
andNSControl
andNSResponder
andNSView
- NSComboButtonStyle
NSComboButton
- NSCompositingOperation
NSGraphics
- NSControl
NSControl
andNSResponder
andNSView
- NSControlCharacterAction
NSLayoutManager
- NSControlSize
NSCell
- NSControlTint
NSCell
- NSController
NSController
- NSCorrectionIndicatorType
NSSpellChecker
- NSCorrectionResponse
NSSpellChecker
- NSCursor
NSCursor
- NSCustomImageRep
NSCustomImageRep
andNSImageRep
- NSCustomTouchBarItem
NSCustomTouchBarItem
andNSTouchBarItem
- NSDataAsset
NSDataAsset
- NSDatePicker
NSControl
andNSDatePicker
andNSResponder
andNSView
- NSDatePickerCell
NSActionCell
andNSCell
andNSDatePickerCell
- NSDatePickerElementFlags
NSDatePickerCell
- NSDatePickerMode
NSDatePickerCell
- NSDatePickerStyle
NSDatePickerCell
- NSDictionaryController
NSArrayController
andNSController
andNSDictionaryController
andNSObjectController
- NSDictionaryControllerKeyValuePair
NSDictionaryController
- NSDiffableDataSourceSnapshot
NSDiffableDataSource
- NSDirectionalEdgeInsets
NSCollectionViewCompositionalLayout
- NSDirectionalRectEdge
NSCollectionViewCompositionalLayout
- NSDisplayGamut
NSGraphics
- NSDockTile
NSDockTile
- NSDocument
NSDocument
- NSDocumentChangeType
NSDocument
- NSDocumentController
NSDocumentController
- NSDragOperation
NSDragging
- NSDraggingContext
NSDragging
- NSDraggingFormation
NSDragging
- NSDraggingImageComponent
NSDraggingItem
- NSDraggingItem
NSDraggingItem
- NSDraggingItemEnumerationOptions
NSDragging
- NSDraggingSession
NSDraggingSession
- NSDrawerState
NSDrawer
- NSEvent
NSEvent
- NSEventButtonMask
NSEvent
- NSEventGestureAxis
NSEvent
- NSEventMask
NSEvent
- NSEventModifierFlags
NSEvent
- NSEventPhase
NSEvent
- NSEventSubtype
NSEvent
- NSEventSwipeTrackingOptions
NSEvent
- NSEventType
NSEvent
- NSFilePromiseProvider
NSFilePromiseProvider
- NSFilePromiseReceiver
NSFilePromiseReceiver
- NSFindPanelAction
NSTextView
- NSFindPanelSubstringMatchType
NSTextView
- NSFocusRingPlacement
NSGraphics
- NSFocusRingType
NSGraphics
- NSFont
NSFont
- NSFontAction
NSFontManager
- NSFontAssetRequest
NSFontAssetRequest
- NSFontAssetRequestOptions
NSFontAssetRequest
- NSFontCollection
NSFontCollection
- NSFontCollectionOptions
NSFontManager
- NSFontCollectionVisibility
NSFontCollection
- NSFontDescriptor
NSFontDescriptor
- NSFontDescriptorSymbolicTraits
NSFontDescriptor
- NSFontManager
NSFontManager
- NSFontPanel
NSFontPanel
andNSPanel
andNSResponder
andNSWindow
- NSFontPanelModeMask
NSFontPanel
- NSFontRenderingMode
NSFont
- NSFontTraitMask
NSFontManager
- NSFormCell
NSActionCell
andNSCell
andNSFormCell
- NSGestureRecognizer
NSGestureRecognizer
- NSGestureRecognizerState
NSGestureRecognizer
- NSGlyphGenerator
NSGlyphGenerator
- NSGlyphInfo
NSGlyphInfo
- NSGlyphProperty
NSLayoutManager
- NSGradient
NSGradient
- NSGradientDrawingOptions
NSGradient
- NSGraphicsContext
NSGraphicsContext
- NSGridCell
NSGridView
- NSGridCellPlacement
NSGridView
- NSGridColumn
NSGridView
- NSGridRow
NSGridView
- NSGridRowAlignment
NSGridView
- NSGridView
NSGridView
andNSResponder
andNSView
- NSGroupTouchBarItem
NSGroupTouchBarItem
andNSTouchBarItem
- NSHapticFeedbackManager
NSHapticFeedback
- NSHapticFeedbackPattern
NSHapticFeedback
- NSHapticFeedbackPerformanceTime
NSHapticFeedback
- NSHelpManager
NSHelpManager
- NSImage
NSImage
- NSImageAlignment
NSImageCell
- NSImageCacheMode
NSImage
- NSImageCell
NSCell
andNSImageCell
- NSImageDynamicRange
NSImageView
- NSImageFrameStyle
NSImageCell
- NSImageInterpolation
NSGraphicsContext
- NSImageLayoutDirection
NSImageRep
- NSImageLoadStatus
NSImage
- NSImageRep
NSImageRep
- NSImageRepLoadStatus
NSBitmapImageRep
- NSImageResizingMode
NSImage
- NSImageScaling
NSCell
- NSImageSymbolConfiguration
NSImage
- NSImageSymbolScale
NSImage
- NSImageView
NSControl
andNSImageView
andNSResponder
andNSView
- NSLayoutAnchor
NSLayoutAnchor
- NSLayoutAttribute
NSLayoutConstraint
- NSLayoutConstraint
NSLayoutConstraint
- NSLayoutConstraintOrientation
NSLayoutConstraint
- NSLayoutDimension
NSLayoutAnchor
- NSLayoutFormatOptions
NSLayoutConstraint
- NSLayoutGuide
NSLayoutGuide
- NSLayoutManager
NSLayoutManager
- NSLayoutRelation
NSLayoutConstraint
- NSLayoutXAxisAnchor
NSLayoutAnchor
- NSLayoutYAxisAnchor
NSLayoutAnchor
- NSLevelIndicator
NSControl
andNSLevelIndicator
andNSResponder
andNSView
- NSLevelIndicatorCell
NSActionCell
andNSCell
andNSLevelIndicatorCell
- NSLevelIndicatorPlaceholderVisibility
NSLevelIndicator
- NSLevelIndicatorStyle
NSLevelIndicatorCell
- NSLineBreakMode
NSParagraphStyle
- NSLineBreakStrategy
NSParagraphStyle
- NSLineCapStyle
NSBezierPath
- NSLineJoinStyle
NSBezierPath
- NSLineMovementDirection
NSTextContainer
- NSLineSweepDirection
NSTextContainer
- NSMagnificationGestureRecognizer
NSGestureRecognizer
andNSMagnificationGestureRecognizer
- NSMatrix
NSControl
andNSMatrix
andNSResponder
andNSView
- NSMatrixMode
NSMatrix
- NSMediaLibrary
NSMediaLibraryBrowserController
- NSMediaLibraryBrowserController
NSMediaLibraryBrowserController
- NSMenu
NSMenu
- NSMenuItem
NSMenuItem
- NSMenuItemBadge
NSMenuItemBadge
- NSMenuItemBadgeType
NSMenuItemBadge
- NSMenuItemCell
NSActionCell
andNSButtonCell
andNSCell
andNSMenuItemCell
- NSMenuPresentationStyle
NSMenu
- NSMenuProperties
NSMenu
- NSMenuSelectionMode
NSMenu
- NSMenuToolbarItem
NSMenuToolbarItem
andNSToolbarItem
- NSMutableFontCollection
NSFontCollection
- NSMutableParagraphStyle
NSParagraphStyle
- NSNib
NSNib
- NSObjectController
NSController
andNSObjectController
- NSOpenPanel
NSOpenPanel
andNSPanel
andNSResponder
andNSSavePanel
andNSWindow
- NSOutlineView
NSControl
andNSOutlineView
andNSResponder
andNSTableView
andNSView
- NSPDFImageRep
NSImageRep
andNSPDFImageRep
- NSPDFInfo
NSPDFInfo
- NSPDFPanel
NSPDFPanel
- NSPDFPanelOptions
NSPDFPanel
- NSPICTImageRep
NSImageRep
andNSPICTImageRep
- NSPageController
NSPageController
andNSResponder
andNSViewController
- NSPageControllerTransitionStyle
NSPageController
- NSPageLayout
NSPageLayout
- NSPageLayoutResult
NSPageLayout
- NSPanGestureRecognizer
NSGestureRecognizer
andNSPanGestureRecognizer
- NSPanel
NSPanel
andNSResponder
andNSWindow
- NSPaperOrientation
NSPrintInfo
- NSParagraphStyle
NSParagraphStyle
- NSPasteboard
NSPasteboard
- NSPasteboardContentsOptions
NSPasteboard
- NSPasteboardItem
NSPasteboardItem
- NSPasteboardReadingOptions
NSPasteboard
- NSPasteboardWritingOptions
NSPasteboard
- NSPathCell
NSActionCell
andNSCell
andNSPathCell
- NSPathComponentCell
NSActionCell
andNSCell
andNSPathComponentCell
andNSTextFieldCell
- NSPathControl
NSControl
andNSPathControl
andNSResponder
andNSView
- NSPathControlItem
NSPathControlItem
- NSPathStyle
NSPathCell
- NSPersistentDocument
NSDocument
andNSPersistentDocument
- NSPickerTouchBarItem
NSPickerTouchBarItem
andNSTouchBarItem
- NSPickerTouchBarItemControlRepresentation
NSPickerTouchBarItem
- NSPickerTouchBarItemSelectionMode
NSPickerTouchBarItem
- NSPointingDeviceType
NSEvent
- NSPopUpArrowPosition
NSPopUpButtonCell
- NSPopUpButton
NSButton
andNSControl
andNSPopUpButton
andNSResponder
andNSView
- NSPopUpButtonCell
NSActionCell
andNSButtonCell
andNSCell
andNSMenuItemCell
andNSPopUpButtonCell
- NSPopover
NSPopover
andNSResponder
- NSPopoverBehavior
NSPopover
- NSPopoverTouchBarItem
NSPopoverTouchBarItem
andNSTouchBarItem
- NSPredicateEditor
NSControl
andNSPredicateEditor
andNSResponder
andNSRuleEditor
andNSView
- NSPredicateEditorRowTemplate
NSPredicateEditorRowTemplate
- NSPressGestureRecognizer
NSGestureRecognizer
andNSPressGestureRecognizer
- NSPressureBehavior
NSEvent
- NSPressureConfiguration
NSPressureConfiguration
- NSPreviewRepresentingActivityItem
NSPreviewRepresentingActivityItem
- NSPrintInfo
NSPrintInfo
- NSPrintOperation
NSPrintOperation
- NSPrintPanel
NSPrintPanel
- NSPrintPanelOptions
NSPrintPanel
- NSPrintPanelResult
NSPrintPanel
- NSPrintRenderingQuality
NSPrintOperation
- NSPrinter
NSPrinter
- NSPrinterTableStatus
NSPrinter
- NSPrintingPageOrder
NSPrintOperation
- NSPrintingPaginationMode
NSPrintInfo
- NSProgressIndicator
NSProgressIndicator
andNSResponder
andNSView
- NSProgressIndicatorStyle
NSProgressIndicator
- NSRectAlignment
NSCollectionViewCompositionalLayout
- NSRemoteNotificationType
NSApplication
- NSRequestUserAttentionType
NSApplication
- NSResponder
NSResponder
- NSRotationGestureRecognizer
NSGestureRecognizer
andNSRotationGestureRecognizer
- NSRuleEditor
NSControl
andNSResponder
andNSRuleEditor
andNSView
- NSRuleEditorNestingMode
NSRuleEditor
- NSRuleEditorRowType
NSRuleEditor
- NSRulerMarker
NSRulerMarker
- NSRulerOrientation
NSRulerView
- NSRulerView
NSResponder
andNSRulerView
andNSView
- NSRunningApplication
NSRunningApplication
- NSSaveOperationType
NSDocument
- NSSavePanel
NSPanel
andNSResponder
andNSSavePanel
andNSWindow
- NSScreen
NSScreen
- NSScrollElasticity
NSScrollView
- NSScrollView
NSResponder
andNSScrollView
andNSView
- NSScrollViewFindBarPosition
NSScrollView
- NSScroller
NSControl
andNSResponder
andNSScroller
andNSView
- NSScrollerKnobStyle
NSScroller
- NSScrollerPart
NSScroller
- NSScrollerStyle
NSScroller
- NSScrubber
NSResponder
andNSScrubber
andNSView
- NSScrubberAlignment
NSScrubber
- NSScrubberArrangedView
NSResponder
andNSScrubberItemView
andNSView
- NSScrubberFlowLayout
NSScrubberLayout
- NSScrubberImageItemView
NSResponder
andNSScrubberItemView
andNSView
- NSScrubberItemView
NSResponder
andNSScrubberItemView
andNSView
- NSScrubberLayout
NSScrubberLayout
- NSScrubberLayoutAttributes
NSScrubberLayout
- NSScrubberMode
NSScrubber
- NSScrubberProportionalLayout
NSScrubberLayout
- NSScrubberSelectionStyle
NSScrubber
- NSScrubberSelectionView
NSResponder
andNSScrubberItemView
andNSView
- NSScrubberTextItemView
NSResponder
andNSScrubberItemView
andNSView
- NSSearchField
NSControl
andNSResponder
andNSSearchField
andNSTextField
andNSView
- NSSearchFieldCell
NSActionCell
andNSCell
andNSSearchFieldCell
andNSTextFieldCell
- NSSearchToolbarItem
NSSearchToolbarItem
andNSToolbarItem
- NSSecureTextField
NSControl
andNSResponder
andNSSecureTextField
andNSTextField
andNSView
- NSSecureTextFieldCell
NSActionCell
andNSCell
andNSSecureTextField
andNSTextFieldCell
- NSSegmentDistribution
NSSegmentedControl
- NSSegmentStyle
NSSegmentedControl
- NSSegmentSwitchTracking
NSSegmentedControl
- NSSegmentedCell
NSActionCell
andNSCell
andNSSegmentedCell
- NSSegmentedControl
NSControl
andNSResponder
andNSSegmentedControl
andNSView
- NSSelectionAffinity
NSTextView
- NSSelectionDirection
NSWindow
- NSSelectionGranularity
NSTextView
- NSShadow
NSShadow
- NSSharingContentScope
NSSharingService
- NSSharingService
NSSharingService
- NSSharingServicePicker
NSSharingService
- NSSharingServicePickerToolbarItem
NSSharingServicePickerToolbarItem
andNSToolbarItem
- NSSharingServicePickerTouchBarItem
NSSharingServicePickerTouchBarItem
andNSTouchBarItem
- NSSlider
NSControl
andNSResponder
andNSSlider
andNSView
- NSSliderAccessory
NSSliderAccessory
- NSSliderAccessoryBehavior
NSSliderAccessory
- NSSliderCell
NSActionCell
andNSCell
andNSSliderCell
- NSSliderTouchBarItem
NSSliderTouchBarItem
andNSTouchBarItem
- NSSliderType
NSSliderCell
- NSSound
NSSound
- NSSpeechBoundary
NSSpeechSynthesizer
- NSSpeechRecognizer
NSSpeechRecognizer
- NSSpellChecker
NSSpellChecker
- NSSpellingState
NSAttributedString
- NSSplitView
NSResponder
andNSSplitView
andNSView
- NSSplitViewController
NSResponder
andNSSplitViewController
andNSViewController
- NSSplitViewDividerStyle
NSSplitView
- NSSplitViewItem
NSSplitViewItem
- NSSplitViewItemBehavior
NSSplitViewItem
- NSSplitViewItemCollapseBehavior
NSSplitViewItem
- NSSpringLoadingHighlight
NSDragging
- NSSpringLoadingOptions
NSDragging
- NSStackView
NSResponder
andNSStackView
andNSView
- NSStackViewDistribution
NSStackView
- NSStackViewGravity
NSStackView
- NSStatusBar
NSStatusBar
- NSStatusBarButton
NSButton
andNSControl
andNSResponder
andNSStatusBarButton
andNSView
- NSStatusItem
NSStatusItem
- NSStatusItemBehavior
NSStatusItem
- NSStepper
NSControl
andNSResponder
andNSStepper
andNSView
- NSStepperCell
NSActionCell
andNSCell
andNSStepperCell
- NSStepperTouchBarItem
NSStepperTouchBarItem
andNSTouchBarItem
- NSStoryboard
NSStoryboard
- NSStoryboardSegue
NSStoryboardSegue
- NSStringDrawingContext
NSStringDrawing
- NSStringDrawingOptions
NSStringDrawing
- NSSwitch
NSControl
andNSResponder
andNSSwitch
andNSView
- NSTIFFCompression
NSBitmapImageRep
- NSTabPosition
NSTabView
- NSTabState
NSTabViewItem
- NSTabView
NSResponder
andNSTabView
andNSView
- NSTabViewBorderType
NSTabView
- NSTabViewController
NSResponder
andNSTabViewController
andNSViewController
- NSTabViewControllerTabStyle
NSTabViewController
- NSTabViewItem
NSTabViewItem
- NSTabViewType
NSTabView
- NSTableCellView
NSResponder
andNSTableCellView
andNSView
- NSTableColumn
NSTableColumn
- NSTableColumnResizingOptions
NSTableColumn
- NSTableHeaderCell
NSActionCell
andNSCell
andNSTableHeaderCell
andNSTextFieldCell
- NSTableHeaderView
NSResponder
andNSTableHeaderView
andNSView
- NSTableRowActionEdge
NSTableView
- NSTableRowView
NSResponder
andNSTableRowView
andNSView
- NSTableView
NSControl
andNSResponder
andNSTableView
andNSView
- NSTableViewAnimationOptions
NSTableView
- NSTableViewColumnAutoresizingStyle
NSTableView
- NSTableViewDiffableDataSource
NSTableViewDiffableDataSource
- NSTableViewDraggingDestinationFeedbackStyle
NSTableView
- NSTableViewDropOperation
NSTableView
- NSTableViewGridLineStyle
NSTableView
- NSTableViewRowAction
NSTableViewRowAction
- NSTableViewRowActionStyle
NSTableViewRowAction
- NSTableViewRowSizeStyle
NSTableView
- NSTableViewSelectionHighlightStyle
NSTableView
- NSTableViewStyle
NSTableView
- NSText
NSResponder
andNSText
andNSView
- NSTextAlignment
NSText
- NSTextAlternatives
NSTextAlternatives
- NSTextAttachment
NSTextAttachment
- NSTextAttachmentCell
NSCell
andNSTextAttachmentCell
- NSTextAttachmentViewProvider
NSTextAttachment
- NSTextBlock
NSTextTable
- NSTextBlockDimension
NSTextTable
- NSTextBlockLayer
NSTextTable
- NSTextBlockValueType
NSTextTable
- NSTextBlockVerticalAlignment
NSTextTable
- NSTextCheckingController
NSTextCheckingController
- NSTextContainer
NSTextContainer
- NSTextContentManager
NSTextContentManager
- NSTextContentManagerEnumerationOptions
NSTextContentManager
- NSTextContentStorage
NSTextContentManager
- NSTextCursorAccessoryPlacement
NSTextInputClient
- NSTextElement
NSTextElement
- NSTextField
NSControl
andNSResponder
andNSTextField
andNSView
- NSTextFieldBezelStyle
NSTextFieldCell
- NSTextFieldCell
NSActionCell
andNSCell
andNSTextFieldCell
- NSTextFinder
NSTextFinder
- NSTextFinderAction
NSTextFinder
- NSTextFinderMatchingType
NSTextFinder
- NSTextInputContext
NSTextInputContext
- NSTextInputTraitType
NSTextCheckingClient
- NSTextInsertionIndicator
NSResponder
andNSTextInsertionIndicator
andNSView
- NSTextInsertionIndicatorAutomaticModeOptions
NSTextInsertionIndicator
- NSTextInsertionIndicatorDisplayMode
NSTextInsertionIndicator
- NSTextLayoutFragment
NSTextLayoutFragment
- NSTextLayoutFragmentEnumerationOptions
NSTextLayoutFragment
- NSTextLayoutFragmentState
NSTextLayoutFragment
- NSTextLayoutManager
NSTextLayoutManager
- NSTextLayoutManagerSegmentOptions
NSTextLayoutManager
- NSTextLayoutManagerSegmentType
NSTextLayoutManager
- NSTextLayoutOrientation
NSLayoutManager
- NSTextLineFragment
NSTextLineFragment
- NSTextList
NSTextList
- NSTextListElement
NSTextElement
andNSTextListElement
- NSTextListOptions
NSTextList
- NSTextMovement
NSText
- NSTextParagraph
NSTextElement
- NSTextRange
NSTextRange
- NSTextScalingType
NSAttributedString
- NSTextSelection
NSTextSelection
- NSTextSelectionAffinity
NSTextSelection
- NSTextSelectionGranularity
NSTextSelection
- NSTextSelectionNavigation
NSTextSelectionNavigation
- NSTextSelectionNavigationDestination
NSTextSelectionNavigation
- NSTextSelectionNavigationDirection
NSTextSelectionNavigation
- NSTextSelectionNavigationLayoutOrientation
NSTextSelectionNavigation
- NSTextSelectionNavigationModifier
NSTextSelectionNavigation
- NSTextSelectionNavigationWritingDirection
NSTextSelectionNavigation
- NSTextStorage
NSTextStorage
- NSTextStorageEditActions
NSTextStorage
- NSTextTab
NSParagraphStyle
- NSTextTabType
NSParagraphStyle
- NSTextTable
NSTextTable
- NSTextTableBlock
NSTextTable
- NSTextTableLayoutAlgorithm
NSTextTable
- NSTextView
NSResponder
andNSText
andNSTextView
andNSView
- NSTextViewportLayoutController
NSTextViewportLayoutController
- NSTickMarkPosition
NSSliderCell
- NSTintConfiguration
NSTintConfiguration
- NSTitlePosition
NSBox
- NSTitlebarAccessoryViewController
NSResponder
andNSTitlebarAccessoryViewController
andNSViewController
- NSTitlebarSeparatorStyle
NSWindow
- NSTokenField
NSControl
andNSResponder
andNSTextField
andNSTokenField
andNSView
- NSTokenFieldCell
NSActionCell
andNSCell
andNSTextFieldCell
andNSTokenFieldCell
- NSTokenStyle
NSTokenFieldCell
- NSToolbar
NSToolbar
- NSToolbarDisplayMode
NSToolbar
- NSToolbarItem
NSToolbarItem
- NSToolbarItemGroup
NSToolbarItem
andNSToolbarItemGroup
- NSToolbarItemGroupControlRepresentation
NSToolbarItemGroup
- NSToolbarItemGroupSelectionMode
NSToolbarItemGroup
- NSTouch
NSTouch
- NSTouchBar
NSTouchBar
- NSTouchBarItem
NSTouchBarItem
- NSTouchPhase
NSTouch
- NSTouchType
NSTouch
- NSTouchTypeMask
NSTouch
- NSTrackingArea
NSTrackingArea
- NSTrackingAreaOptions
NSTrackingArea
- NSTrackingSeparatorToolbarItem
NSToolbarItem
andNSTrackingSeparatorToolbarItem
- NSTreeController
NSController
andNSObjectController
andNSTreeController
- NSTreeNode
NSTreeNode
- NSTypesetter
NSTypesetter
- NSTypesetterBehavior
NSLayoutManager
- NSTypesetterControlCharacterAction
NSTypesetter
- NSUnderlineStyle
NSAttributedString
- NSUsableScrollerParts
NSScroller
- NSUserDefaultsController
NSController
andNSUserDefaultsController
- NSUserInterfaceCompressionOptions
NSUserInterfaceCompression
- NSUserInterfaceLayoutDirection
NSUserInterfaceLayout
- NSUserInterfaceLayoutOrientation
NSUserInterfaceLayout
- NSView
NSResponder
andNSView
- NSViewAnimation
NSAnimation
- NSViewController
NSResponder
andNSViewController
- NSViewControllerTransitionOptions
NSViewController
- NSVisualEffectBlendingMode
NSVisualEffectView
- NSVisualEffectMaterial
NSVisualEffectView
- NSVisualEffectState
NSVisualEffectView
- NSVisualEffectView
NSResponder
andNSView
andNSVisualEffectView
- NSWindingRule
NSBezierPath
- NSWindow
NSResponder
andNSWindow
- NSWindowAnimationBehavior
NSWindow
- NSWindowButton
NSWindow
- NSWindowCollectionBehavior
NSWindow
- NSWindowController
NSResponder
andNSWindowController
- NSWindowDepth
NSGraphics
- NSWindowListOptions
NSApplication
- NSWindowNumberListOptions
NSWindow
- NSWindowOcclusionState
NSWindow
- NSWindowOrderingMode
NSGraphics
- NSWindowSharingType
NSWindow
- NSWindowStyleMask
NSWindow
- NSWindowTab
NSWindowTab
- NSWindowTabGroup
NSWindowTabGroup
- NSWindowTabbingMode
NSWindow
- NSWindowTitleVisibility
NSWindow
- NSWindowToolbarStyle
NSWindow
- NSWindowUserTabbingPreference
NSWindow
- NSWorkspace
NSWorkspace
- NSWorkspaceAuthorization
NSWorkspace
- NSWorkspaceAuthorizationType
NSWorkspace
- NSWorkspaceIconCreationOptions
NSWorkspace
- NSWorkspaceLaunchOptions
NSWorkspace
- NSWorkspaceOpenConfiguration
NSWorkspace
- NSWritingDirection
NSText
- NSWritingDirectionFormatType
NSAttributedString
Constants§
- NSAttachmentCharacter
NSTextAttachment
- NSBackTabCharacter
NSText
- NSBackspaceCharacter
NSText
- NSBacktabTextMovement
NSText
- NSBeginFunctionKey
NSEvent
- NSBreakFunctionKey
NSEvent
- NSCancelTextMovement
NSText
- NSClearDisplayFunctionKey
NSEvent
- NSClearLineFunctionKey
NSEvent
- NSControlGlyph
NSFont
- NSDeleteCharFunctionKey
NSEvent
- NSDeleteCharacter
NSText
- NSDeleteFunctionKey
NSEvent
- NSDeleteLineFunctionKey
NSEvent
- NSDisplayWindowRunLoopOrdering
NSWindow
- NSDownArrowFunctionKey
NSEvent
- NSDownTextMovement
NSText
- NSEndFunctionKey
NSEvent
- NSEnterCharacter
NSText
- NSExecuteFunctionKey
NSEvent
- NSF1FunctionKey
NSEvent
- NSF2FunctionKey
NSEvent
- NSF3FunctionKey
NSEvent
- NSF4FunctionKey
NSEvent
- NSF5FunctionKey
NSEvent
- NSF6FunctionKey
NSEvent
- NSF7FunctionKey
NSEvent
- NSF8FunctionKey
NSEvent
- NSF9FunctionKey
NSEvent
- NSF10FunctionKey
NSEvent
- NSF11FunctionKey
NSEvent
- NSF12FunctionKey
NSEvent
- NSF13FunctionKey
NSEvent
- NSF14FunctionKey
NSEvent
- NSF15FunctionKey
NSEvent
- NSF16FunctionKey
NSEvent
- NSF17FunctionKey
NSEvent
- NSF18FunctionKey
NSEvent
- NSF19FunctionKey
NSEvent
- NSF20FunctionKey
NSEvent
- NSF21FunctionKey
NSEvent
- NSF22FunctionKey
NSEvent
- NSF23FunctionKey
NSEvent
- NSF24FunctionKey
NSEvent
- NSF25FunctionKey
NSEvent
- NSF26FunctionKey
NSEvent
- NSF27FunctionKey
NSEvent
- NSF28FunctionKey
NSEvent
- NSF29FunctionKey
NSEvent
- NSF30FunctionKey
NSEvent
- NSF31FunctionKey
NSEvent
- NSF32FunctionKey
NSEvent
- NSF33FunctionKey
NSEvent
- NSF34FunctionKey
NSEvent
- NSF35FunctionKey
NSEvent
- NSFPCurrentField
NSFontPanel
- NSFPPreviewButton
NSFontPanel
- NSFPPreviewField
NSFontPanel
- NSFPRevertButton
NSFontPanel
- NSFPSetButton
NSFontPanel
- NSFPSizeField
NSFontPanel
- NSFPSizeTitle
NSFontPanel
- NSFindFunctionKey
NSEvent
- NSFontAssetDownloadError
AppKitErrors
- NSFontBoldTrait
NSFontDescriptor
- NSFontClarendonSerifsClass
NSFontDescriptor
- NSFontCondensedTrait
NSFontDescriptor
- NSFontErrorMaximum
AppKitErrors
- NSFontErrorMinimum
AppKitErrors
- NSFontExpandedTrait
NSFontDescriptor
- NSFontFamilyClassMask
NSFontDescriptor
- NSFontFreeformSerifsClass
NSFontDescriptor
- NSFontItalicTrait
NSFontDescriptor
- NSFontModernSerifsClass
NSFontDescriptor
- NSFontMonoSpaceTrait
NSFontDescriptor
- NSFontOldStyleSerifsClass
NSFontDescriptor
- NSFontOrnamentalsClass
NSFontDescriptor
- NSFontPanelAllEffectsModeMask
NSFontPanel
- NSFontPanelAllModesMask
NSFontPanel
- NSFontPanelCollectionModeMask
NSFontPanel
- NSFontPanelDocumentColorEffectModeMask
NSFontPanel
- NSFontPanelFaceModeMask
NSFontPanel
- NSFontPanelShadowEffectModeMask
NSFontPanel
- NSFontPanelSizeModeMask
NSFontPanel
- NSFontPanelStandardModesMask
NSFontPanel
- NSFontPanelStrikethroughEffectModeMask
NSFontPanel
- NSFontPanelTextColorEffectModeMask
NSFontPanel
- NSFontPanelUnderlineEffectModeMask
NSFontPanel
- NSFontSansSerifClass
NSFontDescriptor
- NSFontScriptsClass
NSFontDescriptor
- NSFontSlabSerifsClass
NSFontDescriptor
- NSFontSymbolicClass
NSFontDescriptor
- NSFontTransitionalSerifsClass
NSFontDescriptor
- NSFontUIOptimizedTrait
NSFontDescriptor
- NSFontUnknownClass
NSFontDescriptor
- NSFontVerticalTrait
NSFontDescriptor
- NSFormFeedCharacter
NSText
- NSHelpFunctionKey
NSEvent
- NSHomeFunctionKey
NSEvent
- NSIllegalTextMovement
NSText
- NSImageRepMatchesDevice
NSImageRep
- NSInsertCharFunctionKey
NSEvent
- NSInsertFunctionKey
NSEvent
- NSInsertLineFunctionKey
NSEvent
- NSLeftArrowFunctionKey
NSEvent
- NSLeftTextMovement
NSText
- NSLineSeparatorCharacter
NSText
- NSMenuFunctionKey
NSEvent
- NSModeSwitchFunctionKey
NSEvent
- NSNewlineCharacter
NSText
- NSNextFunctionKey
NSEvent
- NSNullGlyph
NSFont
- NSOtherTextMovement
NSText
- NSOutlineViewDropOnItemIndex
NSOutlineView
- NSPageDownFunctionKey
NSEvent
- NSPageUpFunctionKey
NSEvent
- NSPauseFunctionKey
NSEvent
- NSPrevFunctionKey
NSEvent
- NSPrintFunctionKey
NSEvent
- NSPrintScreenFunctionKey
NSEvent
- NSRedoFunctionKey
NSEvent
- NSResetFunctionKey
NSEvent
- NSReturnTextMovement
NSText
- NSRightArrowFunctionKey
NSEvent
- NSRightTextMovement
NSText
- NSScrollLockFunctionKey
NSEvent
- NSSelectFunctionKey
NSEvent
- NSServiceApplicationLaunchFailedError
AppKitErrors
- NSServiceApplicationNotFoundError
AppKitErrors
- NSServiceErrorMaximum
AppKitErrors
- NSServiceErrorMinimum
AppKitErrors
- NSServiceInvalidPasteboardDataError
AppKitErrors
- NSServiceMalformedServiceDictionaryError
AppKitErrors
- NSServiceMiscellaneousError
AppKitErrors
- NSServiceRequestTimedOutError
AppKitErrors
- NSSharingServiceErrorMaximum
AppKitErrors
- NSSharingServiceErrorMinimum
AppKitErrors
- NSSharingServiceNotConfiguredError
AppKitErrors
- NSShowControlGlyphs
NSGlyphGenerator
- NSShowInvisibleGlyphs
NSGlyphGenerator
- NSStopFunctionKey
NSEvent
- NSSysReqFunctionKey
NSEvent
- NSSystemFunctionKey
NSEvent
- NSTabCharacter
NSText
- NSTabTextMovement
NSText
- NSTextReadInapplicableDocumentTypeError
AppKitErrors
- NSTextReadWriteErrorMaximum
AppKitErrors
- NSTextReadWriteErrorMinimum
AppKitErrors
- NSTextWriteInapplicableDocumentTypeError
AppKitErrors
- NSUndoFunctionKey
NSEvent
- NSUpArrowFunctionKey
NSEvent
- NSUpTextMovement
NSText
- NSUpdateWindowsRunLoopOrdering
NSApplication
- NSUserFunctionKey
NSEvent
- NSWantsBidiLevels
NSGlyphGenerator
- NSWindowSharingErrorMaximum
AppKitErrors
- NSWindowSharingErrorMinimum
AppKitErrors
- NSWindowSharingRequestAlreadyRequested
AppKitErrors
- NSWindowSharingRequestNoEligibleSession
AppKitErrors
- NSWindowSharingRequestUnspecifiedError
AppKitErrors
- NSWorkspaceAuthorizationInvalidError
AppKitErrors
- NSWorkspaceErrorMaximum
AppKitErrors
- NSWorkspaceErrorMinimum
AppKitErrors
Statics§
- NS16BitBigEndianBitmapFormat
NSBitmapImageRep
- NS16BitLittleEndianBitmapFormat
NSBitmapImageRep
- NS32BitBigEndianBitmapFormat
NSBitmapImageRep
- NS32BitLittleEndianBitmapFormat
NSBitmapImageRep
- NSAWTEventType
NSEvent
- NSAbortModalException
NSErrors
- NSAbortPrintingException
NSErrors
- NSAboutPanelOptionApplicationIcon
NSApplication
- NSAboutPanelOptionApplicationName
NSApplication
- NSAboutPanelOptionApplicationVersion
NSApplication
- NSAboutPanelOptionCredits
NSApplication
- NSAboutPanelOptionVersion
NSApplication
- NSAcceleratorButton
NSButtonCell
- NSAccessibilityActivationPointAttribute
NSAccessibilityConstants
- NSAccessibilityAllowedValuesAttribute
NSAccessibilityConstants
- NSAccessibilityAlternateUIVisibleAttribute
NSAccessibilityConstants
- NSAccessibilityAnnotationElement
NSAccessibilityConstants
- NSAccessibilityAnnotationLabel
NSAccessibilityConstants
- NSAccessibilityAnnotationLocation
NSAccessibilityConstants
- NSAccessibilityAnnotationTextAttribute
NSAccessibilityConstants
- NSAccessibilityAnnouncementKey
NSAccessibilityConstants
- NSAccessibilityAnnouncementRequestedNotification
NSAccessibilityConstants
- NSAccessibilityApplicationActivatedNotification
NSAccessibilityConstants
- NSAccessibilityApplicationDeactivatedNotification
NSAccessibilityConstants
- NSAccessibilityApplicationHiddenNotification
NSAccessibilityConstants
- NSAccessibilityApplicationRole
NSAccessibilityConstants
- NSAccessibilityApplicationShownNotification
NSAccessibilityConstants
- NSAccessibilityAscendingSortDirectionValue
NSAccessibilityConstants
- NSAccessibilityAttachmentTextAttribute
NSAccessibilityConstants
- NSAccessibilityAttributedStringForRangeParameterizedAttribute
NSAccessibilityConstants
- NSAccessibilityAutocorrectedTextAttribute
NSAccessibilityConstants
- NSAccessibilityBackgroundColorTextAttribute
NSAccessibilityConstants
- NSAccessibilityBoundsForRangeParameterizedAttribute
NSAccessibilityConstants
- NSAccessibilityBrowserRole
NSAccessibilityConstants
- NSAccessibilityBusyIndicatorRole
NSAccessibilityConstants
- NSAccessibilityButtonRole
NSAccessibilityConstants
- NSAccessibilityCancelAction
NSAccessibilityConstants
- NSAccessibilityCancelButtonAttribute
NSAccessibilityConstants
- NSAccessibilityCellForColumnAndRowParameterizedAttribute
NSAccessibilityConstants
- NSAccessibilityCellRole
NSAccessibilityConstants
- NSAccessibilityCenterTabStopMarkerTypeValue
NSAccessibilityConstants
- NSAccessibilityCentimetersUnitValue
NSAccessibilityConstants
- NSAccessibilityCheckBoxRole
NSAccessibilityConstants
- NSAccessibilityChildrenAttribute
NSAccessibilityConstants
- NSAccessibilityClearButtonAttribute
NSAccessibilityConstants
- NSAccessibilityCloseButtonAttribute
NSAccessibilityConstants
- NSAccessibilityCloseButtonSubrole
NSAccessibilityConstants
- NSAccessibilityCollectionListSubrole
NSAccessibilityConstants
- NSAccessibilityColorWellRole
NSAccessibilityConstants
- NSAccessibilityColumnCountAttribute
NSAccessibilityConstants
- NSAccessibilityColumnHeaderUIElementsAttribute
NSAccessibilityConstants
- NSAccessibilityColumnIndexRangeAttribute
NSAccessibilityConstants
- NSAccessibilityColumnRole
NSAccessibilityConstants
- NSAccessibilityColumnTitlesAttribute
NSAccessibilityConstants
- NSAccessibilityColumnsAttribute
NSAccessibilityConstants
- NSAccessibilityComboBoxRole
NSAccessibilityConstants
- NSAccessibilityConfirmAction
NSAccessibilityConstants
- NSAccessibilityContainsProtectedContentAttribute
NSAccessibilityConstants
- NSAccessibilityContentListSubrole
NSAccessibilityConstants
- NSAccessibilityContentsAttribute
NSAccessibilityConstants
- NSAccessibilityCreatedNotification
NSAccessibilityConstants
- NSAccessibilityCriticalValueAttribute
NSAccessibilityConstants
- NSAccessibilityCustomTextAttribute
NSAccessibilityConstants
- NSAccessibilityDecimalTabStopMarkerTypeValue
NSAccessibilityConstants
- NSAccessibilityDecrementAction
NSAccessibilityConstants
- NSAccessibilityDecrementArrowSubrole
NSAccessibilityConstants
- NSAccessibilityDecrementButtonAttribute
NSAccessibilityConstants
- NSAccessibilityDecrementPageSubrole
NSAccessibilityConstants
- NSAccessibilityDefaultButtonAttribute
NSAccessibilityConstants
- NSAccessibilityDefinitionListSubrole
NSAccessibilityConstants
- NSAccessibilityDeleteAction
NSAccessibilityConstants
- NSAccessibilityDescendingSortDirectionValue
NSAccessibilityConstants
- NSAccessibilityDescriptionAttribute
NSAccessibilityConstants
- NSAccessibilityDescriptionListSubrole
NSAccessibilityConstants
- NSAccessibilityDialogSubrole
NSAccessibilityConstants
- NSAccessibilityDisclosedByRowAttribute
NSAccessibilityConstants
- NSAccessibilityDisclosedRowsAttribute
NSAccessibilityConstants
- NSAccessibilityDisclosingAttribute
NSAccessibilityConstants
- NSAccessibilityDisclosureLevelAttribute
NSAccessibilityConstants
- NSAccessibilityDisclosureTriangleRole
NSAccessibilityConstants
- NSAccessibilityDocumentAttribute
NSAccessibilityConstants
- NSAccessibilityDrawerCreatedNotification
NSAccessibilityConstants
- NSAccessibilityDrawerRole
NSAccessibilityConstants
- NSAccessibilityEditedAttribute
NSAccessibilityConstants
- NSAccessibilityEnabledAttribute
NSAccessibilityConstants
- NSAccessibilityErrorCodeExceptionInfo
NSAccessibilityConstants
- NSAccessibilityException
NSErrors
- NSAccessibilityExpandedAttribute
NSAccessibilityConstants
- NSAccessibilityExtrasMenuBarAttribute
NSAccessibilityConstants
- NSAccessibilityFilenameAttribute
NSAccessibilityConstants
- NSAccessibilityFirstLineIndentMarkerTypeValue
NSAccessibilityConstants
- NSAccessibilityFloatingWindowSubrole
NSAccessibilityConstants
- NSAccessibilityFocusedAttribute
NSAccessibilityConstants
- NSAccessibilityFocusedUIElementAttribute
NSAccessibilityConstants
- NSAccessibilityFocusedUIElementChangedNotification
NSAccessibilityConstants
- NSAccessibilityFocusedWindowAttribute
NSAccessibilityConstants
- NSAccessibilityFocusedWindowChangedNotification
NSAccessibilityConstants
- NSAccessibilityFontFamilyKey
NSAccessibilityConstants
- NSAccessibilityFontNameKey
NSAccessibilityConstants
- NSAccessibilityFontSizeKey
NSAccessibilityConstants
- NSAccessibilityFontTextAttribute
NSAccessibilityConstants
- NSAccessibilityForegroundColorTextAttribute
NSAccessibilityConstants
- NSAccessibilityFrontmostAttribute
NSAccessibilityConstants
- NSAccessibilityFullScreenButtonAttribute
NSAccessibilityConstants
- NSAccessibilityFullScreenButtonSubrole
NSAccessibilityConstants
- NSAccessibilityGridRole
NSAccessibilityConstants
- NSAccessibilityGroupRole
NSAccessibilityConstants
- NSAccessibilityGrowAreaAttribute
NSAccessibilityConstants
- NSAccessibilityGrowAreaRole
NSAccessibilityConstants
- NSAccessibilityHandleRole
NSAccessibilityConstants
- NSAccessibilityHandlesAttribute
NSAccessibilityConstants
- NSAccessibilityHeadIndentMarkerTypeValue
NSAccessibilityConstants
- NSAccessibilityHeaderAttribute
NSAccessibilityConstants
- NSAccessibilityHelpAttribute
NSAccessibilityConstants
- NSAccessibilityHelpTagCreatedNotification
NSAccessibilityConstants
- NSAccessibilityHelpTagRole
NSAccessibilityConstants
- NSAccessibilityHiddenAttribute
NSAccessibilityConstants
- NSAccessibilityHorizontalOrientationValue
NSAccessibilityConstants
- NSAccessibilityHorizontalScrollBarAttribute
NSAccessibilityConstants
- NSAccessibilityHorizontalUnitDescriptionAttribute
NSAccessibilityConstants
- NSAccessibilityHorizontalUnitsAttribute
NSAccessibilityConstants
- NSAccessibilityIdentifierAttribute
NSAccessibilityConstants
- NSAccessibilityImageRole
NSAccessibilityConstants
- NSAccessibilityInchesUnitValue
NSAccessibilityConstants
- NSAccessibilityIncrementAction
NSAccessibilityConstants
- NSAccessibilityIncrementArrowSubrole
NSAccessibilityConstants
- NSAccessibilityIncrementButtonAttribute
NSAccessibilityConstants
- NSAccessibilityIncrementPageSubrole
NSAccessibilityConstants
- NSAccessibilityIncrementorRole
NSAccessibilityConstants
- NSAccessibilityIndexAttribute
NSAccessibilityConstants
- NSAccessibilityInsertionPointLineNumberAttribute
NSAccessibilityConstants
- NSAccessibilityLabelUIElementsAttribute
NSAccessibilityConstants
- NSAccessibilityLabelValueAttribute
NSAccessibilityConstants
- NSAccessibilityLanguageTextAttribute
NSAccessibilityConstants
- NSAccessibilityLayoutAreaRole
NSAccessibilityConstants
- NSAccessibilityLayoutChangedNotification
NSAccessibilityConstants
- NSAccessibilityLayoutItemRole
NSAccessibilityConstants
- NSAccessibilityLayoutPointForScreenPointParameterizedAttribute
NSAccessibilityConstants
- NSAccessibilityLayoutSizeForScreenSizeParameterizedAttribute
NSAccessibilityConstants
- NSAccessibilityLeftTabStopMarkerTypeValue
NSAccessibilityConstants
- NSAccessibilityLevelIndicatorRole
NSAccessibilityConstants
- NSAccessibilityLineForIndexParameterizedAttribute
NSAccessibilityConstants
- NSAccessibilityLinkRole
NSAccessibilityConstants
- NSAccessibilityLinkTextAttribute
NSAccessibilityConstants
- NSAccessibilityLinkedUIElementsAttribute
NSAccessibilityConstants
- NSAccessibilityListItemIndexTextAttribute
NSAccessibilityConstants
- NSAccessibilityListItemLevelTextAttribute
NSAccessibilityConstants
- NSAccessibilityListItemPrefixTextAttribute
NSAccessibilityConstants
- NSAccessibilityListRole
NSAccessibilityConstants
- NSAccessibilityMainAttribute
NSAccessibilityConstants
- NSAccessibilityMainWindowAttribute
NSAccessibilityConstants
- NSAccessibilityMainWindowChangedNotification
NSAccessibilityConstants
- NSAccessibilityMarkedMisspelledTextAttribute
NSAccessibilityConstants
- NSAccessibilityMarkerGroupUIElementAttribute
NSAccessibilityConstants
- NSAccessibilityMarkerTypeAttribute
NSAccessibilityConstants
- NSAccessibilityMarkerTypeDescriptionAttribute
NSAccessibilityConstants
- NSAccessibilityMarkerUIElementsAttribute
NSAccessibilityConstants
- NSAccessibilityMarkerValuesAttribute
NSAccessibilityConstants
- NSAccessibilityMatteContentUIElementAttribute
NSAccessibilityConstants
- NSAccessibilityMatteHoleAttribute
NSAccessibilityConstants
- NSAccessibilityMatteRole
NSAccessibilityConstants
- NSAccessibilityMaxValueAttribute
NSAccessibilityConstants
- NSAccessibilityMenuBarAttribute
NSAccessibilityConstants
- NSAccessibilityMenuBarItemRole
NSAccessibilityConstants
- NSAccessibilityMenuBarRole
NSAccessibilityConstants
- NSAccessibilityMenuButtonRole
NSAccessibilityConstants
- NSAccessibilityMenuItemRole
NSAccessibilityConstants
- NSAccessibilityMenuRole
NSAccessibilityConstants
- NSAccessibilityMinValueAttribute
NSAccessibilityConstants
- NSAccessibilityMinimizeButtonAttribute
NSAccessibilityConstants
- NSAccessibilityMinimizeButtonSubrole
NSAccessibilityConstants
- NSAccessibilityMinimizedAttribute
NSAccessibilityConstants
- NSAccessibilityMisspelledTextAttribute
NSAccessibilityConstants
- NSAccessibilityModalAttribute
NSAccessibilityConstants
- NSAccessibilityMovedNotification
NSAccessibilityConstants
- NSAccessibilityNextContentsAttribute
NSAccessibilityConstants
- NSAccessibilityNumberOfCharactersAttribute
NSAccessibilityConstants
- NSAccessibilityOrderedByRowAttribute
NSAccessibilityConstants
- NSAccessibilityOrientationAttribute
NSAccessibilityConstants
- NSAccessibilityOutlineRole
NSAccessibilityConstants
- NSAccessibilityOutlineRowSubrole
NSAccessibilityConstants
- NSAccessibilityOverflowButtonAttribute
NSAccessibilityConstants
- NSAccessibilityPageRole
NSAccessibilityConstants
- NSAccessibilityParentAttribute
NSAccessibilityConstants
- NSAccessibilityPicasUnitValue
NSAccessibilityConstants
- NSAccessibilityPickAction
NSAccessibilityConstants
- NSAccessibilityPlaceholderValueAttribute
NSAccessibilityConstants
- NSAccessibilityPointsUnitValue
NSAccessibilityConstants
- NSAccessibilityPopUpButtonRole
NSAccessibilityConstants
- NSAccessibilityPopoverRole
NSAccessibilityConstants
- NSAccessibilityPositionAttribute
NSAccessibilityConstants
- NSAccessibilityPressAction
NSAccessibilityConstants
- NSAccessibilityPreviousContentsAttribute
NSAccessibilityConstants
- NSAccessibilityPriorityKey
NSAccessibilityConstants
- NSAccessibilityProgressIndicatorRole
NSAccessibilityConstants
- NSAccessibilityProxyAttribute
NSAccessibilityConstants
- NSAccessibilityRTFForRangeParameterizedAttribute
NSAccessibilityConstants
- NSAccessibilityRadioButtonRole
NSAccessibilityConstants
- NSAccessibilityRadioGroupRole
NSAccessibilityConstants
- NSAccessibilityRaiseAction
NSAccessibilityConstants
- NSAccessibilityRangeForIndexParameterizedAttribute
NSAccessibilityConstants
- NSAccessibilityRangeForLineParameterizedAttribute
NSAccessibilityConstants
- NSAccessibilityRangeForPositionParameterizedAttribute
NSAccessibilityConstants
- NSAccessibilityRatingIndicatorSubrole
NSAccessibilityConstants
- NSAccessibilityRelevanceIndicatorRole
NSAccessibilityConstants
- NSAccessibilityRequiredAttribute
NSAccessibilityConstants
- NSAccessibilityResizedNotification
NSAccessibilityConstants
- NSAccessibilityRightTabStopMarkerTypeValue
NSAccessibilityConstants
- NSAccessibilityRoleAttribute
NSAccessibilityConstants
- NSAccessibilityRoleDescriptionAttribute
NSAccessibilityConstants
- NSAccessibilityRowCollapsedNotification
NSAccessibilityConstants
- NSAccessibilityRowCountAttribute
NSAccessibilityConstants
- NSAccessibilityRowCountChangedNotification
NSAccessibilityConstants
- NSAccessibilityRowExpandedNotification
NSAccessibilityConstants
- NSAccessibilityRowHeaderUIElementsAttribute
NSAccessibilityConstants
- NSAccessibilityRowIndexRangeAttribute
NSAccessibilityConstants
- NSAccessibilityRowRole
NSAccessibilityConstants
- NSAccessibilityRowsAttribute
NSAccessibilityConstants
- NSAccessibilityRulerMarkerRole
NSAccessibilityConstants
- NSAccessibilityRulerRole
NSAccessibilityConstants
- NSAccessibilityScreenPointForLayoutPointParameterizedAttribute
NSAccessibilityConstants
- NSAccessibilityScreenSizeForLayoutSizeParameterizedAttribute
NSAccessibilityConstants
- NSAccessibilityScrollAreaRole
NSAccessibilityConstants
- NSAccessibilityScrollBarRole
NSAccessibilityConstants
- NSAccessibilitySearchButtonAttribute
NSAccessibilityConstants
- NSAccessibilitySearchFieldSubrole
NSAccessibilityConstants
- NSAccessibilitySearchMenuAttribute
NSAccessibilityConstants
- NSAccessibilitySectionListSubrole
NSAccessibilityConstants
- NSAccessibilitySecureTextFieldSubrole
NSAccessibilityConstants
- NSAccessibilitySelectedAttribute
NSAccessibilityConstants
- NSAccessibilitySelectedCellsAttribute
NSAccessibilityConstants
- NSAccessibilitySelectedCellsChangedNotification
NSAccessibilityConstants
- NSAccessibilitySelectedChildrenAttribute
NSAccessibilityConstants
- NSAccessibilitySelectedChildrenChangedNotification
NSAccessibilityConstants
- NSAccessibilitySelectedChildrenMovedNotification
NSAccessibilityConstants
- NSAccessibilitySelectedColumnsAttribute
NSAccessibilityConstants
- NSAccessibilitySelectedColumnsChangedNotification
NSAccessibilityConstants
- NSAccessibilitySelectedRowsAttribute
NSAccessibilityConstants
- NSAccessibilitySelectedRowsChangedNotification
NSAccessibilityConstants
- NSAccessibilitySelectedTextAttribute
NSAccessibilityConstants
- NSAccessibilitySelectedTextChangedNotification
NSAccessibilityConstants
- NSAccessibilitySelectedTextRangeAttribute
NSAccessibilityConstants
- NSAccessibilitySelectedTextRangesAttribute
NSAccessibilityConstants
- NSAccessibilityServesAsTitleForUIElementsAttribute
NSAccessibilityConstants
- NSAccessibilityShadowTextAttribute
NSAccessibilityConstants
- NSAccessibilitySharedCharacterRangeAttribute
NSAccessibilityConstants
- NSAccessibilitySharedFocusElementsAttribute
NSAccessibilityConstants
- NSAccessibilitySharedTextUIElementsAttribute
NSAccessibilityConstants
- NSAccessibilitySheetCreatedNotification
NSAccessibilityConstants
- NSAccessibilitySheetRole
NSAccessibilityConstants
- NSAccessibilityShowAlternateUIAction
NSAccessibilityConstants
- NSAccessibilityShowDefaultUIAction
NSAccessibilityConstants
- NSAccessibilityShowMenuAction
NSAccessibilityConstants
- NSAccessibilityShownMenuAttribute
NSAccessibilityConstants
- NSAccessibilitySizeAttribute
NSAccessibilityConstants
- NSAccessibilitySliderRole
NSAccessibilityConstants
- NSAccessibilitySortButtonRole
NSAccessibilityConstants
- NSAccessibilitySortButtonSubrole
NSAccessibilityConstants
- NSAccessibilitySortDirectionAttribute
NSAccessibilityConstants
- NSAccessibilitySplitGroupRole
NSAccessibilityConstants
- NSAccessibilitySplitterRole
NSAccessibilityConstants
- NSAccessibilitySplittersAttribute
NSAccessibilityConstants
- NSAccessibilityStandardWindowSubrole
NSAccessibilityConstants
- NSAccessibilityStaticTextRole
NSAccessibilityConstants
- NSAccessibilityStrikethroughColorTextAttribute
NSAccessibilityConstants
- NSAccessibilityStrikethroughTextAttribute
NSAccessibilityConstants
- NSAccessibilityStringForRangeParameterizedAttribute
NSAccessibilityConstants
- NSAccessibilityStyleRangeForIndexParameterizedAttribute
NSAccessibilityConstants
- NSAccessibilitySubroleAttribute
NSAccessibilityConstants
- NSAccessibilitySuperscriptTextAttribute
NSAccessibilityConstants
- NSAccessibilitySwitchSubrole
NSAccessibilityConstants
- NSAccessibilitySystemDialogSubrole
NSAccessibilityConstants
- NSAccessibilitySystemFloatingWindowSubrole
NSAccessibilityConstants
- NSAccessibilitySystemWideRole
NSAccessibilityConstants
- NSAccessibilityTabButtonSubrole
NSAccessibilityConstants
- NSAccessibilityTabGroupRole
NSAccessibilityConstants
- NSAccessibilityTableRole
NSAccessibilityConstants
- NSAccessibilityTableRowSubrole
NSAccessibilityConstants
- NSAccessibilityTabsAttribute
NSAccessibilityConstants
- NSAccessibilityTailIndentMarkerTypeValue
NSAccessibilityConstants
- NSAccessibilityTextAlignmentAttribute
NSAccessibilityConstants
- NSAccessibilityTextAreaRole
NSAccessibilityConstants
- NSAccessibilityTextAttachmentSubrole
NSAccessibilityConstants
- NSAccessibilityTextFieldRole
NSAccessibilityConstants
- NSAccessibilityTextLinkSubrole
NSAccessibilityConstants
- NSAccessibilityTimelineSubrole
NSAccessibilityConstants
- NSAccessibilityTitleAttribute
NSAccessibilityConstants
- NSAccessibilityTitleChangedNotification
NSAccessibilityConstants
- NSAccessibilityTitleUIElementAttribute
NSAccessibilityConstants
- NSAccessibilityToggleSubrole
NSAccessibilityConstants
- NSAccessibilityToolbarButtonAttribute
NSAccessibilityConstants
- NSAccessibilityToolbarButtonSubrole
NSAccessibilityConstants
- NSAccessibilityToolbarRole
NSAccessibilityConstants
- NSAccessibilityTopLevelUIElementAttribute
NSAccessibilityConstants
- NSAccessibilityUIElementDestroyedNotification
NSAccessibilityConstants
- NSAccessibilityUIElementsKey
NSAccessibilityConstants
- NSAccessibilityURLAttribute
NSAccessibilityConstants
- NSAccessibilityUnderlineColorTextAttribute
NSAccessibilityConstants
- NSAccessibilityUnderlineTextAttribute
NSAccessibilityConstants
- NSAccessibilityUnitDescriptionAttribute
NSAccessibilityConstants
- NSAccessibilityUnitsAttribute
NSAccessibilityConstants
- NSAccessibilityUnitsChangedNotification
NSAccessibilityConstants
- NSAccessibilityUnknownMarkerTypeValue
NSAccessibilityConstants
- NSAccessibilityUnknownOrientationValue
NSAccessibilityConstants
- NSAccessibilityUnknownRole
NSAccessibilityConstants
- NSAccessibilityUnknownSortDirectionValue
NSAccessibilityConstants
- NSAccessibilityUnknownSubrole
NSAccessibilityConstants
- NSAccessibilityUnknownUnitValue
NSAccessibilityConstants
- NSAccessibilityValueAttribute
NSAccessibilityConstants
- NSAccessibilityValueChangedNotification
NSAccessibilityConstants
- NSAccessibilityValueDescriptionAttribute
NSAccessibilityConstants
- NSAccessibilityValueIndicatorRole
NSAccessibilityConstants
- NSAccessibilityVerticalOrientationValue
NSAccessibilityConstants
- NSAccessibilityVerticalScrollBarAttribute
NSAccessibilityConstants
- NSAccessibilityVerticalUnitDescriptionAttribute
NSAccessibilityConstants
- NSAccessibilityVerticalUnitsAttribute
NSAccessibilityConstants
- NSAccessibilityVisibleCellsAttribute
NSAccessibilityConstants
- NSAccessibilityVisibleCharacterRangeAttribute
NSAccessibilityConstants
- NSAccessibilityVisibleChildrenAttribute
NSAccessibilityConstants
- NSAccessibilityVisibleColumnsAttribute
NSAccessibilityConstants
- NSAccessibilityVisibleNameKey
NSAccessibilityConstants
- NSAccessibilityVisibleRowsAttribute
NSAccessibilityConstants
- NSAccessibilityWarningValueAttribute
NSAccessibilityConstants
- NSAccessibilityWindowAttribute
NSAccessibilityConstants
- NSAccessibilityWindowCreatedNotification
NSAccessibilityConstants
- NSAccessibilityWindowDeminiaturizedNotification
NSAccessibilityConstants
- NSAccessibilityWindowMiniaturizedNotification
NSAccessibilityConstants
- NSAccessibilityWindowMovedNotification
NSAccessibilityConstants
- NSAccessibilityWindowResizedNotification
NSAccessibilityConstants
- NSAccessibilityWindowRole
NSAccessibilityConstants
- NSAccessibilityWindowsAttribute
NSAccessibilityConstants
- NSAccessibilityZoomButtonAttribute
NSAccessibilityConstants
- NSAccessibilityZoomButtonSubrole
NSAccessibilityConstants
- NSAlertFirstButtonReturn
NSAlert
andNSApplication
- NSAlertSecondButtonReturn
NSAlert
andNSApplication
- NSAlertThirdButtonReturn
NSAlert
andNSApplication
- NSAlignmentBinding
NSKeyValueBinding
- NSAllRomanInputSourcesLocaleIdentifier
NSTextView
- NSAllowsEditingMultipleValuesSelectionBindingOption
NSKeyValueBinding
- NSAllowsNullArgumentBindingOption
NSKeyValueBinding
- NSAlphaFirstBitmapFormat
NSBitmapImageRep
- NSAlphaNonpremultipliedBitmapFormat
NSBitmapImageRep
- NSAlphaShiftKeyMask
NSEvent
- NSAlternateImageBinding
NSKeyValueBinding
- NSAlternateKeyMask
NSEvent
- NSAlternateTitleBinding
NSKeyValueBinding
- NSAlwaysPresentsApplicationModalAlertsBindingOption
NSKeyValueBinding
- NSAnimateBinding
NSKeyValueBinding
- NSAnimationDelayBinding
NSKeyValueBinding
- NSAnimationProgressMark
NSAnimation
- NSAnimationProgressMarkNotification
NSAnimation
- NSAnimationTriggerOrderIn
NSAnimation
- NSAnimationTriggerOrderOut
NSAnimation
- NSAnyEventMask
NSEvent
- NSAppKitDefined
NSEvent
- NSAppKitDefinedMask
NSEvent
- NSAppKitIgnoredException
NSErrors
- NSAppKitVersionNumber
NSApplication
- NSAppKitVersionNumber10_0
NSApplication
- NSAppKitVersionNumber10_1
NSApplication
- NSAppKitVersionNumber10_2
NSApplication
- NSAppKitVersionNumber10_2_3
NSApplication
- NSAppKitVersionNumber10_3
NSApplication
- NSAppKitVersionNumber10_3_2
NSApplication
- NSAppKitVersionNumber10_3_3
NSApplication
- NSAppKitVersionNumber10_3_5
NSApplication
- NSAppKitVersionNumber10_3_7
NSApplication
- NSAppKitVersionNumber10_3_9
NSApplication
- NSAppKitVersionNumber10_4
NSApplication
- NSAppKitVersionNumber10_4_1
NSApplication
- NSAppKitVersionNumber10_4_3
NSApplication
- NSAppKitVersionNumber10_4_4
NSApplication
- NSAppKitVersionNumber10_4_7
NSApplication
- NSAppKitVersionNumber10_5
NSApplication
- NSAppKitVersionNumber10_5_2
NSApplication
- NSAppKitVersionNumber10_5_3
NSApplication
- NSAppKitVersionNumber10_6
NSApplication
- NSAppKitVersionNumber10_7
NSApplication
- NSAppKitVersionNumber10_7_2
NSApplication
- NSAppKitVersionNumber10_7_3
NSApplication
- NSAppKitVersionNumber10_7_4
NSApplication
- NSAppKitVersionNumber10_8
NSApplication
- NSAppKitVersionNumber10_9
NSApplication
- NSAppKitVersionNumber10_10
NSApplication
- NSAppKitVersionNumber10_10_2
NSApplication
- NSAppKitVersionNumber10_10_3
NSApplication
- NSAppKitVersionNumber10_10_4
NSApplication
- NSAppKitVersionNumber10_10_5
NSApplication
- NSAppKitVersionNumber10_10_Max
NSApplication
- NSAppKitVersionNumber10_11
NSApplication
- NSAppKitVersionNumber10_11_1
NSApplication
- NSAppKitVersionNumber10_11_2
NSApplication
- NSAppKitVersionNumber10_11_3
NSApplication
- NSAppKitVersionNumber10_12
NSApplication
- NSAppKitVersionNumber10_12_1
NSApplication
- NSAppKitVersionNumber10_12_2
NSApplication
- NSAppKitVersionNumber10_13
NSApplication
- NSAppKitVersionNumber10_13_1
NSApplication
- NSAppKitVersionNumber10_13_2
NSApplication
- NSAppKitVersionNumber10_13_4
NSApplication
- NSAppKitVersionNumber10_14
NSApplication
- NSAppKitVersionNumber10_14_1
NSApplication
- NSAppKitVersionNumber10_14_2
NSApplication
- NSAppKitVersionNumber10_14_3
NSApplication
- NSAppKitVersionNumber10_14_4
NSApplication
- NSAppKitVersionNumber10_14_5
NSApplication
- NSAppKitVersionNumber10_15
NSApplication
- NSAppKitVersionNumber10_15_1
NSApplication
- NSAppKitVersionNumber10_15_2
NSApplication
- NSAppKitVersionNumber10_15_3
NSApplication
- NSAppKitVersionNumber10_15_4
NSApplication
- NSAppKitVersionNumber10_15_5
NSApplication
- NSAppKitVersionNumber10_15_6
NSApplication
- NSAppKitVersionNumber11_0
NSApplication
- NSAppKitVersionNumber11_1
NSApplication
- NSAppKitVersionNumber11_2
NSApplication
- NSAppKitVersionNumber11_3
NSApplication
- NSAppKitVersionNumber11_4
NSApplication
- NSAppKitVersionNumber11_5
NSApplication
- NSAppKitVersionNumber12_0
NSApplication
- NSAppKitVersionNumber12_1
NSApplication
- NSAppKitVersionNumber12_2
NSApplication
- NSAppKitVersionNumber12_3
NSApplication
- NSAppKitVersionNumber12_4
NSApplication
- NSAppKitVersionNumber12_5
NSApplication
- NSAppKitVersionNumber13_0
NSApplication
- NSAppKitVersionNumber13_1
NSApplication
- NSAppKitVersionNumber13_2
NSApplication
- NSAppKitVersionNumber13_3
NSApplication
- NSAppKitVersionNumber13_4
NSApplication
- NSAppKitVersionNumber13_5
NSApplication
- NSAppKitVersionNumber13_6
NSApplication
- NSAppKitVersionNumber14_0
NSApplication
- NSAppKitVersionNumber14_1
NSApplication
- NSAppKitVersionNumberWithColumnResizingBrowser
NSApplication
andNSBrowser
- NSAppKitVersionNumberWithContinuousScrollingBrowser
NSApplication
andNSBrowser
- NSAppKitVersionNumberWithCursorSizeSupport
NSApplication
andNSCursor
- NSAppKitVersionNumberWithCustomSheetPosition
NSApplication
andNSWindow
- NSAppKitVersionNumberWithDeferredWindowDisplaySupport
NSApplication
andNSWindow
- NSAppKitVersionNumberWithDirectionalTabs
NSApplication
andNSTabView
- NSAppKitVersionNumberWithDockTilePlugInSupport
NSApplication
andNSDockTile
- NSAppKitVersionNumberWithPatternColorLeakFix
NSApplication
andNSColor
- NSAppKitVirtualMemoryException
NSErrors
- NSAppearanceDocumentAttribute
NSAttributedString
- NSAppearanceNameAccessibilityHighContrastAqua
NSAppearance
- NSAppearanceNameAqua
NSAppearance
- NSAppearanceNameDarkAqua
NSAppearance
- NSAppearanceNameLightContent
NSAppearance
- NSAppearanceNameVibrantDark
NSAppearance
- NSAppearanceNameVibrantLight
NSAppearance
- NSApplicationDefined
NSEvent
- NSApplicationDefinedMask
NSEvent
- NSApplicationDidBecomeActiveNotification
NSApplication
- NSApplicationDidChangeOcclusionStateNotification
NSApplication
- NSApplicationDidChangeScreenParametersNotification
NSApplication
- NSApplicationDidFinishLaunchingNotification
NSApplication
- NSApplicationDidFinishRestoringWindowsNotification
NSWindowRestoration
- NSApplicationDidHideNotification
NSApplication
- NSApplicationDidResignActiveNotification
NSApplication
- NSApplicationDidUnhideNotification
NSApplication
- NSApplicationDidUpdateNotification
NSApplication
- NSApplicationFileType
NSWorkspace
- NSApplicationLaunchIsDefaultLaunchKey
NSApplication
- NSApplicationLaunchRemoteNotificationKey
NSApplication
- NSApplicationLaunchUserNotificationKey
NSApplication
- NSApplicationWillBecomeActiveNotification
NSApplication
- NSApplicationWillFinishLaunchingNotification
NSApplication
- NSApplicationWillHideNotification
NSApplication
- NSApplicationWillResignActiveNotification
NSApplication
- NSApplicationWillTerminateNotification
NSApplication
- NSApplicationWillUnhideNotification
NSApplication
- NSApplicationWillUpdateNotification
NSApplication
- NSArgumentBinding
NSKeyValueBinding
- NSAttachmentAttributeName
NSAttributedString
- NSAttributedStringBinding
NSKeyValueBinding
- NSAuthorDocumentAttribute
NSAttributedString
- NSAutoPagination
NSPrintInfo
- NSBMPFileType
NSBitmapImageRep
- NSBackgroundColorAttributeName
NSAttributedString
- NSBackgroundColorDocumentAttribute
NSAttributedString
- NSBackgroundStyleDark
NSCell
- NSBackgroundStyleLight
NSCell
- NSBadBitmapParametersException
NSErrors
- NSBadComparisonException
NSErrors
- NSBadRTFColorTableException
NSErrors
- NSBadRTFDirectiveException
NSErrors
- NSBadRTFFontTableException
NSErrors
- NSBadRTFStyleSheetException
NSErrors
- NSBaseURLDocumentOption
NSAttributedString
- NSBaselineOffsetAttributeName
NSAttributedString
- NSBevelLineJoinStyle
NSBezierPath
- NSBlack
NSGraphics
- NSBorderlessWindowMask
NSWindow
- NSBottomMarginDocumentAttribute
NSAttributedString
- NSBoxOldStyle
NSBox
- NSBoxSecondary
NSBox
- NSButtLineCapStyle
NSBezierPath
- NSCMYKColorSpaceModel
NSColorSpace
- NSCMYKModeColorPanel
NSColorPanel
- NSCalibratedBlackColorSpace
NSGraphics
- NSCalibratedRGBColorSpace
NSGraphics
- NSCalibratedWhiteColorSpace
NSGraphics
- NSCategoryDocumentAttribute
NSAttributedString
- NSCenterTextAlignment
NSText
- NSCharacterEncodingDocumentAttribute
NSAttributedString
- NSCharacterEncodingDocumentOption
NSAttributedString
- NSCharacterShapeAttributeName
NSAttributedString
- NSCircularBezelStyle
NSButtonCell
- NSCircularSlider
NSSliderCell
- NSClipPagination
NSPrintInfo
- NSClockAndCalendarDatePickerStyle
NSDatePickerCell
- NSClosableWindowMask
NSWindow
- NSClosePathBezierPathElement
NSBezierPath
- NSCocoaVersionDocumentAttribute
NSAttributedString
- NSCollectionElementKindInterItemGapIndicator
NSCollectionViewLayout
andNSCollectionView
- NSCollectionElementKindSectionFooter
NSCollectionViewFlowLayout
andNSCollectionView
- NSCollectionElementKindSectionHeader
NSCollectionViewFlowLayout
andNSCollectionView
- NSColorListDidChangeNotification
NSColorList
- NSColorListIOException
NSErrors
- NSColorListModeColorPanel
NSColorPanel
- NSColorListNotEditableException
NSErrors
- NSColorPanelColorDidChangeNotification
NSColorPanel
- NSColorPboardType
NSPasteboard
- NSComboBoxSelectionDidChangeNotification
NSComboBox
- NSComboBoxWillDismissNotification
NSComboBox
- NSComboBoxWillPopUpNotification
NSComboBox
- NSCommandKeyMask
NSEvent
- NSCommentDocumentAttribute
NSAttributedString
- NSCompanyDocumentAttribute
NSAttributedString
- NSCompositeClear
NSGraphics
- NSCompositeColor
NSGraphics
- NSCompositeColorBurn
NSGraphics
- NSCompositeColorDodge
NSGraphics
- NSCompositeCopy
NSGraphics
- NSCompositeDarken
NSGraphics
- NSCompositeDestinationAtop
NSGraphics
- NSCompositeDestinationIn
NSGraphics
- NSCompositeDestinationOut
NSGraphics
- NSCompositeDestinationOver
NSGraphics
- NSCompositeDifference
NSGraphics
- NSCompositeExclusion
NSGraphics
- NSCompositeHardLight
NSGraphics
- NSCompositeHighlight
NSGraphics
- NSCompositeHue
NSGraphics
- NSCompositeLighten
NSGraphics
- NSCompositeLuminosity
NSGraphics
- NSCompositeMultiply
NSGraphics
- NSCompositeOverlay
NSGraphics
- NSCompositePlusDarker
NSGraphics
- NSCompositePlusLighter
NSGraphics
- NSCompositeSaturation
NSGraphics
- NSCompositeScreen
NSGraphics
- NSCompositeSoftLight
NSGraphics
- NSCompositeSourceAtop
NSGraphics
- NSCompositeSourceIn
NSGraphics
- NSCompositeSourceOut
NSGraphics
- NSCompositeSourceOver
NSGraphics
- NSCompositeXOR
NSGraphics
- NSConditionallySetsEditableBindingOption
NSKeyValueBinding
- NSConditionallySetsEnabledBindingOption
NSKeyValueBinding
- NSConditionallySetsHiddenBindingOption
NSKeyValueBinding
- NSContentArrayBinding
NSKeyValueBinding
- NSContentArrayForMultipleSelectionBinding
NSKeyValueBinding
- NSContentBinding
NSKeyValueBinding
- NSContentDictionaryBinding
NSKeyValueBinding
- NSContentHeightBinding
NSKeyValueBinding
- NSContentObjectBinding
NSKeyValueBinding
- NSContentObjectsBinding
NSKeyValueBinding
- NSContentPlacementTagBindingOption
NSKeyValueBinding
- NSContentSetBinding
NSKeyValueBinding
- NSContentValuesBinding
NSKeyValueBinding
- NSContentWidthBinding
NSKeyValueBinding
- NSContextHelpModeDidActivateNotification
NSHelpManager
- NSContextHelpModeDidDeactivateNotification
NSHelpManager
- NSContinuousCapacityLevelIndicatorStyle
NSLevelIndicatorCell
- NSContinuouslyUpdatesValueBindingOption
NSKeyValueBinding
- NSControlKeyMask
NSEvent
- NSControlStateValueMixed
NSCell
- NSControlStateValueOff
NSCell
- NSControlStateValueOn
NSCell
- NSControlTextDidChangeNotification
NSControl
- NSConvertedDocumentAttribute
NSAttributedString
- NSCopyrightDocumentAttribute
NSAttributedString
- NSCrayonModeColorPanel
NSColorPanel
- NSCreatesSortDescriptorBindingOption
NSKeyValueBinding
- NSCreationTimeDocumentAttribute
NSAttributedString
- NSCriticalAlertStyle
NSAlert
- NSCriticalValueBinding
NSKeyValueBinding
- NSCursorAttributeName
NSAttributedString
- NSCursorPointingDevice
NSEvent
- NSCursorUpdate
NSEvent
- NSCursorUpdateMask
NSEvent
- NSCurveToBezierPathElement
NSBezierPath
- NSCustomColorSpace
NSGraphics
- NSCustomPaletteModeColorPanel
NSColorPanel
- NSDarkGray
NSGraphics
- NSDataBinding
NSKeyValueBinding
- NSDefaultAttributesDocumentAttribute
NSAttributedString
- NSDefaultAttributesDocumentOption
NSAttributedString
- NSDefaultFontExcludedDocumentAttribute
NSAttributedString
- NSDefaultTabIntervalDocumentAttribute
NSAttributedString
- NSDefaultTokenStyle
NSTokenFieldCell
- NSDeletesObjectsOnRemoveBindingsOption
NSKeyValueBinding
- NSDeviceBitsPerSample
NSGraphics
- NSDeviceBlackColorSpace
NSGraphics
- NSDeviceCMYKColorSpace
NSGraphics
- NSDeviceColorSpaceName
NSGraphics
- NSDeviceIsPrinter
NSGraphics
- NSDeviceIsScreen
NSGraphics
- NSDeviceNColorSpaceModel
NSColorSpace
- NSDeviceRGBColorSpace
NSGraphics
- NSDeviceResolution
NSGraphics
- NSDeviceSize
NSGraphics
- NSDeviceWhiteColorSpace
NSGraphics
- NSDirectionalEdgeInsetsZero
NSCollectionViewCompositionalLayout
- NSDirectoryFileType
NSWorkspace
- NSDisclosureBezelStyle
NSButtonCell
- NSDiscreteCapacityLevelIndicatorStyle
NSLevelIndicatorCell
- NSDisplayNameBindingOption
NSKeyValueBinding
- NSDisplayPatternBindingOption
NSKeyValueBinding
- NSDisplayPatternTitleBinding
NSKeyValueBinding
- NSDisplayPatternValueBinding
NSKeyValueBinding
- NSDocFormatTextDocumentType
NSAttributedString
- NSDocModalWindowMask
NSWindow
- NSDockWindowLevel
NSWindow
- NSDocumentEditedBinding
NSKeyValueBinding
- NSDocumentTypeDocumentAttribute
NSAttributedString
- NSDocumentTypeDocumentOption
NSAttributedString
- NSDoubleClickArgumentBinding
NSKeyValueBinding
- NSDoubleClickTargetBinding
NSKeyValueBinding
- NSDragPboard
NSPasteboard
- NSDraggingException
NSErrors
- NSDraggingImageComponentIconKey
NSDraggingItem
- NSDraggingImageComponentLabelKey
NSDraggingItem
- NSDrawerDidCloseNotification
NSDrawer
- NSDrawerDidOpenNotification
NSDrawer
- NSDrawerWillCloseNotification
NSDrawer
- NSDrawerWillOpenNotification
NSDrawer
- NSEditableBinding
NSKeyValueBinding
- NSEditorDocumentAttribute
NSAttributedString
- NSEnabledBinding
NSKeyValueBinding
- NSEraDatePickerElementFlag
NSDatePickerCell
- NSEraserPointingDevice
NSEvent
- NSEvenOddWindingRule
NSBezierPath
- NSEventDurationForever
NSWindow
- NSEventTrackingRunLoopMode
NSApplication
- NSExcludedElementsDocumentAttribute
NSAttributedString
- NSExcludedKeysBinding
NSKeyValueBinding
- NSExpansionAttributeName
NSAttributedString
- NSFileContentsPboardType
NSPasteboard
- NSFileTypeDocumentAttribute
NSAttributedString
- NSFileTypeDocumentOption
NSAttributedString
- NSFilenamesPboardType
NSPasteboard
- NSFilesPromisePboardType
NSPasteboard
- NSFilesystemFileType
NSWorkspace
- NSFilterPredicateBinding
NSKeyValueBinding
- NSFindPanelCaseInsensitiveSearch
NSTextView
- NSFindPanelSearchOptionsPboardType
NSTextView
andNSPasteboard
- NSFindPanelSubstringMatch
NSTextView
- NSFindPboard
NSPasteboard
- NSFitPagination
NSPrintInfo
- NSFlagsChanged
NSEvent
- NSFlagsChangedMask
NSEvent
- NSFloatingPointSamplesBitmapFormat
NSBitmapImageRep
- NSFloatingWindowLevel
NSWindow
- NSFontAttributeName
NSAttributedString
- NSFontBinding
NSKeyValueBinding
- NSFontBoldBinding
NSKeyValueBinding
- NSFontCascadeListAttribute
NSFontDescriptor
- NSFontCharacterSetAttribute
NSFontDescriptor
- NSFontCollectionActionKey
NSFontCollection
- NSFontCollectionAllFonts
NSFontCollection
- NSFontCollectionDidChangeNotification
NSFontCollection
- NSFontCollectionDisallowAutoActivationOption
NSFontCollection
- NSFontCollectionFavorites
NSFontCollection
- NSFontCollectionIncludeDisabledFontsOption
NSFontCollection
- NSFontCollectionNameKey
NSFontCollection
- NSFontCollectionOldNameKey
NSFontCollection
- NSFontCollectionRecentlyUsed
NSFontCollection
- NSFontCollectionRemoveDuplicatesOption
NSFontCollection
- NSFontCollectionUser
NSFontCollection
- NSFontCollectionVisibilityKey
NSFontCollection
- NSFontCollectionWasHidden
NSFontCollection
- NSFontCollectionWasRenamed
NSFontCollection
- NSFontCollectionWasShown
NSFontCollection
- NSFontColorAttribute
NSFontDescriptor
- NSFontDescriptorSystemDesignDefault
NSFontDescriptor
- NSFontDescriptorSystemDesignMonospaced
NSFontDescriptor
- NSFontDescriptorSystemDesignRounded
NSFontDescriptor
- NSFontDescriptorSystemDesignSerif
NSFontDescriptor
- NSFontFaceAttribute
NSFontDescriptor
- NSFontFamilyAttribute
NSFontDescriptor
- NSFontFamilyNameBinding
NSKeyValueBinding
- NSFontFeatureSelectorIdentifierKey
NSFontDescriptor
- NSFontFeatureSettingsAttribute
NSFontDescriptor
- NSFontFeatureTypeIdentifierKey
NSFontDescriptor
- NSFontFixedAdvanceAttribute
NSFontDescriptor
- NSFontIdentityMatrix
NSFont
- NSFontItalicBinding
NSKeyValueBinding
- NSFontMatrixAttribute
NSFontDescriptor
- NSFontNameAttribute
NSFontDescriptor
- NSFontNameBinding
NSKeyValueBinding
- NSFontPboard
NSPasteboard
- NSFontPboardType
NSPasteboard
- NSFontSizeAttribute
NSFontDescriptor
- NSFontSizeBinding
NSKeyValueBinding
- NSFontSlantTrait
NSFontDescriptor
- NSFontSymbolicTrait
NSFontDescriptor
- NSFontTextStyleBody
NSFontDescriptor
- NSFontTextStyleCallout
NSFontDescriptor
- NSFontTextStyleCaption1
NSFontDescriptor
- NSFontTextStyleCaption2
NSFontDescriptor
- NSFontTextStyleFootnote
NSFontDescriptor
- NSFontTextStyleHeadline
NSFontDescriptor
- NSFontTextStyleLargeTitle
NSFontDescriptor
- NSFontTextStyleSubheadline
NSFontDescriptor
- NSFontTextStyleTitle1
NSFontDescriptor
- NSFontTextStyleTitle2
NSFontDescriptor
- NSFontTextStyleTitle3
NSFontDescriptor
- NSFontTraitsAttribute
NSFontDescriptor
- NSFontUnavailableException
NSErrors
- NSFontVariationAttribute
NSFontDescriptor
- NSFontVariationAxisDefaultValueKey
NSFontDescriptor
- NSFontVariationAxisIdentifierKey
NSFontDescriptor
- NSFontVariationAxisMaximumValueKey
NSFontDescriptor
- NSFontVariationAxisMinimumValueKey
NSFontDescriptor
- NSFontVariationAxisNameKey
NSFontDescriptor
- NSFontVisibleNameAttribute
NSFontDescriptor
- NSFontWeightBlack
NSFontDescriptor
- NSFontWeightBold
NSFontDescriptor
- NSFontWeightHeavy
NSFontDescriptor
- NSFontWeightLight
NSFontDescriptor
- NSFontWeightMedium
NSFontDescriptor
- NSFontWeightRegular
NSFontDescriptor
- NSFontWeightSemibold
NSFontDescriptor
- NSFontWeightThin
NSFontDescriptor
- NSFontWeightTrait
NSFontDescriptor
- NSFontWeightUltraLight
NSFontDescriptor
- NSFontWidthCompressed
NSFontDescriptor
- NSFontWidthCondensed
NSFontDescriptor
- NSFontWidthExpanded
NSFontDescriptor
- NSFontWidthStandard
NSFontDescriptor
- NSFontWidthTrait
NSFontDescriptor
- NSForegroundColorAttributeName
NSAttributedString
- NSFullScreenModeSetting
NSView
- NSFullScreenWindowMask
NSWindow
- NSFullSizeContentViewWindowMask
NSWindow
- NSFunctionKeyMask
NSEvent
- NSGIFFileType
NSBitmapImageRep
- NSGeneralPboard
NSPasteboard
- NSGlyphInfoAttributeName
NSAttributedString
- NSGraphicsContextDestinationAttributeName
NSGraphicsContext
- NSGraphicsContextPDFFormat
NSGraphicsContext
- NSGraphicsContextPSFormat
NSGraphicsContext
- NSGraphicsContextRepresentationFormatAttributeName
NSGraphicsContext
- NSGrayColorSpaceModel
NSColorSpace
- NSGrayModeColorPanel
NSColorPanel
- NSGridViewSizeForContent
NSGridView
- NSHSBModeColorPanel
NSColorPanel
- NSHTMLPboardType
NSPasteboard
- NSHTMLTextDocumentType
NSAttributedString
- NSHUDWindowMask
NSWindow
- NSHandlesContentAsCompoundValueBindingOption
NSKeyValueBinding
- NSHeaderTitleBinding
NSKeyValueBinding
- NSHelpButtonBezelStyle
NSButtonCell
- NSHelpKeyMask
NSEvent
- NSHiddenBinding
NSKeyValueBinding
- NSHourMinuteDatePickerElementFlag
NSDatePickerCell
- NSHourMinuteSecondDatePickerElementFlag
NSDatePickerCell
- NSHyphenationFactorDocumentAttribute
NSAttributedString
- NSIllegalSelectorException
NSErrors
- NSImageBinding
NSKeyValueBinding
- NSImageCacheException
NSErrors
- NSImageColorSyncProfileData
NSBitmapImageRep
- NSImageCompressionFactor
NSBitmapImageRep
- NSImageCompressionMethod
NSBitmapImageRep
- NSImageCurrentFrame
NSBitmapImageRep
- NSImageCurrentFrameDuration
NSBitmapImageRep
- NSImageDitherTransparency
NSBitmapImageRep
- NSImageEXIFData
NSBitmapImageRep
- NSImageFallbackBackgroundColor
NSBitmapImageRep
- NSImageFrameCount
NSBitmapImageRep
- NSImageGamma
NSBitmapImageRep
- NSImageHintCTM
NSImage
andNSImageRep
- NSImageHintInterpolation
NSImage
andNSImageRep
- NSImageHintUserInterfaceLayoutDirection
NSImage
andNSImageRep
- NSImageIPTCData
NSBitmapImageRep
- NSImageInterlaced
NSBitmapImageRep
- NSImageLoopCount
NSBitmapImageRep
- NSImageNameActionTemplate
NSImage
- NSImageNameAddTemplate
NSImage
- NSImageNameAdvanced
NSImage
- NSImageNameApplicationIcon
NSImage
- NSImageNameBluetoothTemplate
NSImage
- NSImageNameBonjour
NSImage
- NSImageNameBookmarksTemplate
NSImage
- NSImageNameCaution
NSImage
- NSImageNameColorPanel
NSImage
- NSImageNameComputer
NSImage
- NSImageNameDotMac
NSImage
- NSImageNameEveryone
NSImage
- NSImageNameFlowViewTemplate
NSImage
- NSImageNameFolder
NSImage
- NSImageNameFolderBurnable
NSImage
- NSImageNameFolderSmart
NSImage
- NSImageNameFontPanel
NSImage
- NSImageNameGoBackTemplate
NSImage
- NSImageNameGoForwardTemplate
NSImage
- NSImageNameGoLeftTemplate
NSImage
- NSImageNameGoRightTemplate
NSImage
- NSImageNameHomeTemplate
NSImage
- NSImageNameIconViewTemplate
NSImage
- NSImageNameInfo
NSImage
- NSImageNameListViewTemplate
NSImage
- NSImageNameMobileMe
NSImage
- NSImageNameMultipleDocuments
NSImage
- NSImageNameNetwork
NSImage
- NSImageNamePathTemplate
NSImage
- NSImageNameQuickLookTemplate
NSImage
- NSImageNameRefreshTemplate
NSImage
- NSImageNameRemoveTemplate
NSImage
- NSImageNameShareTemplate
NSImage
- NSImageNameSlideshowTemplate
NSImage
- NSImageNameStatusAvailable
NSImage
- NSImageNameStatusNone
NSImage
- NSImageNameStatusUnavailable
NSImage
- NSImageNameTrashEmpty
NSImage
- NSImageNameTrashFull
NSImage
- NSImageNameUser
NSImage
- NSImageNameUserAccounts
NSImage
- NSImageNameUserGroup
NSImage
- NSImageNameUserGuest
NSImage
- NSImageProgressive
NSBitmapImageRep
- NSImageRGBColorTable
NSBitmapImageRep
- NSImageRepRegistryDidChangeNotification
NSImageRep
- NSIncludedKeysBinding
NSKeyValueBinding
- NSIndexedColorSpaceModel
NSColorSpace
- NSInformationalAlertStyle
NSAlert
- NSInitialKeyBinding
NSKeyValueBinding
- NSInitialValueBinding
NSKeyValueBinding
- NSInkTextPboardType
NSPasteboard
- NSInlineBezelStyle
NSButtonCell
- NSInsertsNullPlaceholderBindingOption
NSKeyValueBinding
- NSInterfaceStyleDefault
NSInterfaceStyle
- NSInvokesSeparatelyWithArrayObjectsBindingOption
NSKeyValueBinding
- NSIsIndeterminateBinding
NSKeyValueBinding
- NSJPEG2000FileType
NSBitmapImageRep
- NSJPEGFileType
NSBitmapImageRep
- NSJustifiedTextAlignment
NSText
- NSKernAttributeName
NSAttributedString
- NSKeyDown
NSEvent
- NSKeyDownMask
NSEvent
- NSKeyUp
NSEvent
- NSKeyUpMask
NSEvent
- NSKeywordsDocumentAttribute
NSAttributedString
- NSLABColorSpaceModel
NSColorSpace
- NSLabelBinding
NSKeyValueBinding
- NSLayoutPriorityDefaultHigh
NSLayoutConstraint
- NSLayoutPriorityDefaultLow
NSLayoutConstraint
- NSLayoutPriorityDragThatCanResizeWindow
NSLayoutConstraint
- NSLayoutPriorityDragThatCannotResizeWindow
NSLayoutConstraint
- NSLayoutPriorityFittingSizeCompression
NSLayoutConstraint
- NSLayoutPriorityRequired
NSLayoutConstraint
- NSLayoutPriorityWindowSizeStayPut
NSLayoutConstraint
- NSLeftMarginDocumentAttribute
NSAttributedString
- NSLeftMouseDown
NSEvent
- NSLeftMouseDownMask
NSEvent
- NSLeftMouseDragged
NSEvent
- NSLeftMouseDraggedMask
NSEvent
- NSLeftMouseUp
NSEvent
- NSLeftMouseUpMask
NSEvent
- NSLeftTextAlignment
NSText
- NSLigatureAttributeName
NSAttributedString
- NSLightGray
NSGraphics
- NSLineToBezierPathElement
NSBezierPath
- NSLinearSlider
NSSliderCell
- NSLinkAttributeName
NSAttributedString
- NSLocalizedKeyDictionaryBinding
NSKeyValueBinding
- NSMacSimpleTextDocumentType
NSAttributedString
- NSMainMenuWindowLevel
NSWindow
- NSManagedObjectContextBinding
NSKeyValueBinding
- NSManagerDocumentAttribute
NSAttributedString
- NSMarkedClauseSegmentAttributeName
NSAttributedString
- NSMaxValueBinding
NSKeyValueBinding
- NSMaxWidthBinding
NSKeyValueBinding
- NSMaximumRecentsBinding
NSKeyValueBinding
- NSMenuItemImportFromDeviceIdentifier
NSMenuItem
andNSUserInterfaceItemIdentification
- NSMinValueBinding
NSKeyValueBinding
- NSMinWidthBinding
NSKeyValueBinding
- NSMiniControlSize
NSCell
- NSMiniaturizableWindowMask
NSWindow
- NSMiterLineJoinStyle
NSBezierPath
- NSMixedState
NSCell
- NSMixedStateImageBinding
NSKeyValueBinding
- NSModalPanelRunLoopMode
NSApplication
- NSModalPanelWindowLevel
NSWindow
- NSModalResponseAbort
NSApplication
- NSModalResponseCancel
NSApplication
andNSWindow
- NSModalResponseContinue
NSApplication
- NSModalResponseOK
NSApplication
andNSWindow
- NSModalResponseStop
NSApplication
- NSModificationTimeDocumentAttribute
NSAttributedString
- NSMomentaryChangeButton
NSButtonCell
- NSMomentaryLight
NSButtonCell
- NSMomentaryLightButton
NSButtonCell
- NSMomentaryPushButton
NSButtonCell
- NSMomentaryPushInButton
NSButtonCell
- NSMouseEntered
NSEvent
- NSMouseEnteredMask
NSEvent
- NSMouseEventSubtype
NSEvent
- NSMouseExited
NSEvent
- NSMouseExitedMask
NSEvent
- NSMouseMoved
NSEvent
- NSMouseMovedMask
NSEvent
- NSMoveToBezierPathElement
NSBezierPath
- NSMultiLevelAcceleratorButton
NSButtonCell
- NSMultipleTextSelectionPboardType
NSPasteboard
- NSMultipleValuesMarker
NSKeyValueBinding
- NSMultipleValuesPlaceholderBindingOption
NSKeyValueBinding
- NSNamedColorSpace
NSGraphics
- NSNaturalTextAlignment
NSText
- NSNibLoadingException
NSErrors
- NSNibOwner
NSNib
- NSNibTopLevelObjects
NSNib
- NSNoModeColorPanel
NSColorPanel
- NSNoSelectionMarker
NSKeyValueBinding
- NSNoSelectionPlaceholderBindingOption
NSKeyValueBinding
- NSNonZeroWindingRule
NSBezierPath
- NSNonactivatingPanelMask
NSWindow
- NSNormalWindowLevel
NSWindow
- NSNotApplicableMarker
NSKeyValueBinding
- NSNotApplicablePlaceholderBindingOption
NSKeyValueBinding
- NSNullPlaceholderBindingOption
NSKeyValueBinding
- NSNumericPadKeyMask
NSEvent
- NSObliquenessAttributeName
NSAttributedString
- NSObservedKeyPathKey
NSKeyValueBinding
- NSObservedObjectKey
NSKeyValueBinding
- NSOffState
NSCell
- NSOffStateImageBinding
NSKeyValueBinding
- NSOfficeOpenXMLTextDocumentType
NSAttributedString
- NSOnOffButton
NSButtonCell
- NSOnState
NSCell
- NSOnStateImageBinding
NSKeyValueBinding
- NSOpenDocumentTextDocumentType
NSAttributedString
- NSOpenGLCPCurrentRendererID
NSOpenGL
- NSOpenGLCPGPUFragmentProcessing
NSOpenGL
- NSOpenGLCPGPUVertexProcessing
NSOpenGL
- NSOpenGLCPHasDrawable
NSOpenGL
- NSOpenGLCPMPSwapsInFlight
NSOpenGL
- NSOpenGLCPRasterizationEnable
NSOpenGL
- NSOpenGLCPReclaimResources
NSOpenGL
- NSOpenGLCPStateValidation
NSOpenGL
- NSOpenGLCPSurfaceBackingSize
NSOpenGL
- NSOpenGLCPSurfaceOpacity
NSOpenGL
- NSOpenGLCPSurfaceOrder
NSOpenGL
- NSOpenGLCPSurfaceSurfaceVolatile
NSOpenGL
- NSOpenGLCPSwapInterval
NSOpenGL
- NSOpenGLCPSwapRectangle
NSOpenGL
- NSOpenGLCPSwapRectangleEnable
NSOpenGL
- NSOptionsKey
NSKeyValueBinding
- NSOtherMouseDown
NSEvent
- NSOtherMouseDownMask
NSEvent
- NSOtherMouseDragged
NSEvent
- NSOtherMouseDraggedMask
NSEvent
- NSOtherMouseUp
NSEvent
- NSOtherMouseUpMask
NSEvent
- NSOutlineViewColumnDidMoveNotification
NSOutlineView
- NSOutlineViewColumnDidResizeNotification
NSOutlineView
- NSOutlineViewDisclosureButtonKey
NSOutlineView
andNSUserInterfaceItemIdentification
- NSOutlineViewItemDidCollapseNotification
NSOutlineView
- NSOutlineViewItemDidExpandNotification
NSOutlineView
- NSOutlineViewItemWillCollapseNotification
NSOutlineView
- NSOutlineViewItemWillExpandNotification
NSOutlineView
- NSOutlineViewSelectionDidChangeNotification
NSOutlineView
- NSOutlineViewSelectionIsChangingNotification
NSOutlineView
- NSOutlineViewShowHideButtonKey
NSOutlineView
andNSUserInterfaceItemIdentification
- NSPDFPboardType
NSPasteboard
- NSPICTPboardType
NSPasteboard
- NSPNGFileType
NSBitmapImageRep
- NSPPDIncludeNotFoundException
NSErrors
- NSPPDParseException
NSErrors
- NSPaperSizeDocumentAttribute
NSAttributedString
- NSParagraphStyleAttributeName
NSAttributedString
- NSPasteboardNameDrag
NSPasteboard
- NSPasteboardNameFind
NSPasteboard
- NSPasteboardNameFont
NSPasteboard
- NSPasteboardNameGeneral
NSPasteboard
- NSPasteboardNameRuler
NSPasteboard
- NSPasteboardTypeColor
NSPasteboard
- NSPasteboardTypeFileURL
NSPasteboard
- NSPasteboardTypeFindPanelSearchOptions
NSPasteboard
- NSPasteboardTypeFont
NSPasteboard
- NSPasteboardTypeHTML
NSPasteboard
- NSPasteboardTypeMultipleTextSelection
NSPasteboard
- NSPasteboardTypePDF
NSPasteboard
- NSPasteboardTypePNG
NSPasteboard
- NSPasteboardTypeRTF
NSPasteboard
- NSPasteboardTypeRTFD
NSPasteboard
- NSPasteboardTypeRuler
NSPasteboard
- NSPasteboardTypeSound
NSPasteboard
- NSPasteboardTypeString
NSPasteboard
- NSPasteboardTypeTIFF
NSPasteboard
- NSPasteboardTypeTabularText
NSPasteboard
- NSPasteboardTypeTextFinderOptions
NSPasteboard
- NSPasteboardTypeURL
NSPasteboard
- NSPasteboardURLReadingContentsConformToTypesKey
NSPasteboard
- NSPasteboardURLReadingFileURLsOnlyKey
NSPasteboard
- NSPatternColorSpace
NSGraphics
- NSPatternColorSpaceModel
NSColorSpace
- NSPenLowerSideMask
NSEvent
- NSPenPointingDevice
NSEvent
- NSPenTipMask
NSEvent
- NSPenUpperSideMask
NSEvent
- NSPeriodic
NSEvent
- NSPeriodicMask
NSEvent
- NSPlainFileType
NSWorkspace
- NSPlainTextDocumentType
NSAttributedString
- NSPlainTextTokenStyle
NSTokenFieldCell
- NSPopUpButtonCellWillPopUpNotification
NSPopUpButtonCell
- NSPopUpButtonWillPopUpNotification
NSPopUpButton
- NSPopUpMenuWindowLevel
NSWindow
- NSPopoverCloseReasonDetachToWindow
NSPopover
- NSPopoverCloseReasonKey
NSPopover
- NSPopoverCloseReasonStandard
NSPopover
- NSPopoverDidCloseNotification
NSPopover
- NSPopoverDidShowNotification
NSPopover
- NSPopoverWillCloseNotification
NSPopover
- NSPopoverWillShowNotification
NSPopover
- NSPositioningRectBinding
NSKeyValueBinding
- NSPostScriptPboardType
NSPasteboard
- NSPowerOffEventType
NSEvent
- NSPredicateBinding
NSKeyValueBinding
- NSPredicateFormatBindingOption
NSKeyValueBinding
- NSPrefixSpacesDocumentAttribute
NSAttributedString
- NSPrintAllPages
NSPrintInfo
- NSPrintAllPresetsJobStyleHint
NSPrintPanel
- NSPrintBottomMargin
NSPrintInfo
- NSPrintCancelJob
NSPrintInfo
- NSPrintCopies
NSPrintInfo
- NSPrintDetailedErrorReporting
NSPrintInfo
- NSPrintFaxNumber
NSPrintInfo
- NSPrintFirstPage
NSPrintInfo
- NSPrintFormName
NSPrintInfo
- NSPrintHeaderAndFooter
NSPrintInfo
- NSPrintHorizontalPagination
NSPrintInfo
- NSPrintHorizontallyCentered
NSPrintInfo
- NSPrintJobDisposition
NSPrintInfo
- NSPrintJobFeatures
NSPrintInfo
- NSPrintJobSavingFileNameExtensionHidden
NSPrintInfo
- NSPrintJobSavingURL
NSPrintInfo
- NSPrintLastPage
NSPrintInfo
- NSPrintLeftMargin
NSPrintInfo
- NSPrintManualFeed
NSPrintInfo
- NSPrintMustCollate
NSPrintInfo
- NSPrintNoPresetsJobStyleHint
NSPrintPanel
- NSPrintOperationExistsException
NSPrintOperation
- NSPrintOrientation
NSPrintInfo
- NSPrintPackageException
NSErrors
- NSPrintPagesAcross
NSPrintInfo
- NSPrintPagesDown
NSPrintInfo
- NSPrintPagesPerSheet
NSPrintInfo
- NSPrintPanelAccessorySummaryItemDescriptionKey
NSPrintPanel
- NSPrintPanelAccessorySummaryItemNameKey
NSPrintPanel
- NSPrintPaperFeed
NSPrintInfo
- NSPrintPaperName
NSPrintInfo
- NSPrintPaperSize
NSPrintInfo
- NSPrintPhotoJobStyleHint
NSPrintPanel
- NSPrintPreviewJob
NSPrintInfo
- NSPrintPrinter
NSPrintInfo
- NSPrintPrinterName
NSPrintInfo
- NSPrintReversePageOrder
NSPrintInfo
- NSPrintRightMargin
NSPrintInfo
- NSPrintSaveJob
NSPrintInfo
- NSPrintSavePath
NSPrintInfo
- NSPrintScalingFactor
NSPrintInfo
- NSPrintSelectionOnly
NSPrintInfo
- NSPrintSpoolJob
NSPrintInfo
- NSPrintTime
NSPrintInfo
- NSPrintTopMargin
NSPrintInfo
- NSPrintVerticalPagination
NSPrintInfo
- NSPrintVerticallyCentered
NSPrintInfo
- NSPrintingCommunicationException
NSErrors
- NSProgressIndicatorBarStyle
NSProgressIndicator
- NSProgressIndicatorSpinningStyle
NSProgressIndicator
- NSPushOnPushOffButton
NSButtonCell
- NSRGBColorSpaceModel
NSColorSpace
- NSRGBModeColorPanel
NSColorPanel
- NSRTFDPboardType
NSPasteboard
- NSRTFDTextDocumentType
NSAttributedString
- NSRTFPboardType
NSPasteboard
- NSRTFTextDocumentType
NSAttributedString
- NSRadioButton
NSButtonCell
- NSRaisesForNotApplicableKeysBindingOption
NSKeyValueBinding
- NSRangeDateMode
NSDatePickerCell
- NSRatingLevelIndicatorStyle
NSLevelIndicatorCell
- NSReadOnlyDocumentAttribute
NSAttributedString
- NSRecentSearchesBinding
NSKeyValueBinding
- NSRecessedBezelStyle
NSButtonCell
- NSRegularControlSize
NSCell
- NSRegularSquareBezelStyle
NSButtonCell
- NSRelevancyLevelIndicatorStyle
NSLevelIndicatorCell
- NSRepresentedFilenameBinding
NSKeyValueBinding
- NSResizableWindowMask
NSWindow
- NSRightMarginDocumentAttribute
NSAttributedString
- NSRightMouseDown
NSEvent
- NSRightMouseDownMask
NSEvent
- NSRightMouseDragged
NSEvent
- NSRightMouseDraggedMask
NSEvent
- NSRightMouseUp
NSEvent
- NSRightMouseUpMask
NSEvent
- NSRightTextAlignment
NSText
- NSRoundLineCapStyle
NSBezierPath
- NSRoundLineJoinStyle
NSBezierPath
- NSRoundRectBezelStyle
NSButtonCell
- NSRoundedBezelStyle
NSButtonCell
- NSRoundedDisclosureBezelStyle
NSButtonCell
- NSRoundedTokenStyle
NSTokenFieldCell
- NSRowHeightBinding
NSKeyValueBinding
- NSRuleEditorPredicateComparisonModifier
NSRuleEditor
- NSRuleEditorPredicateCompoundType
NSRuleEditor
- NSRuleEditorPredicateCustomSelector
NSRuleEditor
- NSRuleEditorPredicateLeftExpression
NSRuleEditor
- NSRuleEditorPredicateOperatorType
NSRuleEditor
- NSRuleEditorPredicateOptions
NSRuleEditor
- NSRuleEditorPredicateRightExpression
NSRuleEditor
- NSRuleEditorRowsDidChangeNotification
NSRuleEditor
- NSRulerPboard
NSPasteboard
- NSRulerPboardType
NSPasteboard
- NSRulerViewUnitCentimeters
NSRulerView
- NSRulerViewUnitInches
NSRulerView
- NSRulerViewUnitPicas
NSRulerView
- NSRulerViewUnitPoints
NSRulerView
- NSScreenChangedEventType
NSEvent
- NSScreenSaverWindowLevel
NSWindow
- NSScrollViewDidEndLiveMagnifyNotification
NSScrollView
- NSScrollViewDidEndLiveScrollNotification
NSScrollView
- NSScrollViewDidLiveScrollNotification
NSScrollView
- NSScrollViewWillStartLiveMagnifyNotification
NSScrollView
- NSScrollViewWillStartLiveScrollNotification
NSScrollView
- NSScrollWheel
NSEvent
- NSScrollWheelMask
NSEvent
- NSSearchFieldClearRecentsMenuItemTag
NSSearchFieldCell
- NSSearchFieldNoRecentsMenuItemTag
NSSearchFieldCell
- NSSearchFieldRecentsMenuItemTag
NSSearchFieldCell
- NSSearchFieldRecentsTitleMenuItemTag
NSSearchFieldCell
- NSSelectedIdentifierBinding
NSKeyValueBinding
- NSSelectedIndexBinding
NSKeyValueBinding
- NSSelectedLabelBinding
NSKeyValueBinding
- NSSelectedObjectBinding
NSKeyValueBinding
- NSSelectedObjectsBinding
NSKeyValueBinding
- NSSelectedTagBinding
NSKeyValueBinding
- NSSelectedValueBinding
NSKeyValueBinding
- NSSelectedValuesBinding
NSKeyValueBinding
- NSSelectionIndexPathsBinding
NSKeyValueBinding
- NSSelectionIndexesBinding
NSKeyValueBinding
- NSSelectorNameBindingOption
NSKeyValueBinding
- NSSelectsAllWhenSettingContentBindingOption
NSKeyValueBinding
- NSShadowAttributeName
NSAttributedString
- NSShadowlessSquareBezelStyle
NSButtonCell
- NSSharingServiceNameAddToAperture
NSSharingService
- NSSharingServiceNameAddToIPhoto
NSSharingService
- NSSharingServiceNameAddToSafariReadingList
NSSharingService
- NSSharingServiceNameCloudSharing
NSSharingService
- NSSharingServiceNameComposeEmail
NSSharingService
- NSSharingServiceNameComposeMessage
NSSharingService
- NSSharingServiceNamePostImageOnFlickr
NSSharingService
- NSSharingServiceNamePostOnFacebook
NSSharingService
- NSSharingServiceNamePostOnLinkedIn
NSSharingService
- NSSharingServiceNamePostOnSinaWeibo
NSSharingService
- NSSharingServiceNamePostOnTencentWeibo
NSSharingService
- NSSharingServiceNamePostOnTwitter
NSSharingService
- NSSharingServiceNamePostVideoOnTudou
NSSharingService
- NSSharingServiceNamePostVideoOnVimeo
NSSharingService
- NSSharingServiceNamePostVideoOnYouku
NSSharingService
- NSSharingServiceNameSendViaAirDrop
NSSharingService
- NSSharingServiceNameUseAsDesktopPicture
NSSharingService
- NSSharingServiceNameUseAsFacebookProfileImage
NSSharingService
- NSSharingServiceNameUseAsLinkedInProfileImage
NSSharingService
- NSSharingServiceNameUseAsTwitterProfileImage
NSSharingService
- NSShellCommandFileType
NSWorkspace
- NSShiftKeyMask
NSEvent
- NSSingleDateMode
NSDatePickerCell
- NSSliderAccessoryWidthDefault
NSSliderTouchBarItem
- NSSliderAccessoryWidthWide
NSSliderTouchBarItem
- NSSmallControlSize
NSCell
- NSSmallIconButtonBezelStyle
NSButtonCell
- NSSmallSquareBezelStyle
NSButtonCell
- NSSortDescriptorsBinding
NSKeyValueBinding
- NSSoundPboardType
NSSound
andNSPasteboard
- NSSourceTextScalingDocumentAttribute
NSAttributedString
- NSSourceTextScalingDocumentOption
NSAttributedString
- NSSpeechCharacterModeProperty
NSSpeechSynthesizer
- NSSpeechCommandDelimiterProperty
NSSpeechSynthesizer
- NSSpeechCommandPrefix
NSSpeechSynthesizer
- NSSpeechCommandSuffix
NSSpeechSynthesizer
- NSSpeechCurrentVoiceProperty
NSSpeechSynthesizer
- NSSpeechDictionaryAbbreviations
NSSpeechSynthesizer
- NSSpeechDictionaryEntryPhonemes
NSSpeechSynthesizer
- NSSpeechDictionaryEntrySpelling
NSSpeechSynthesizer
- NSSpeechDictionaryLocaleIdentifier
NSSpeechSynthesizer
- NSSpeechDictionaryModificationDate
NSSpeechSynthesizer
- NSSpeechDictionaryPronunciations
NSSpeechSynthesizer
- NSSpeechErrorCount
NSSpeechSynthesizer
- NSSpeechErrorNewestCharacterOffset
NSSpeechSynthesizer
- NSSpeechErrorNewestCode
NSSpeechSynthesizer
- NSSpeechErrorOldestCharacterOffset
NSSpeechSynthesizer
- NSSpeechErrorOldestCode
NSSpeechSynthesizer
- NSSpeechErrorsProperty
NSSpeechSynthesizer
- NSSpeechInputModeProperty
NSSpeechSynthesizer
- NSSpeechModeLiteral
NSSpeechSynthesizer
- NSSpeechModeNormal
NSSpeechSynthesizer
- NSSpeechModePhoneme
NSSpeechSynthesizer
- NSSpeechModeText
NSSpeechSynthesizer
- NSSpeechNumberModeProperty
NSSpeechSynthesizer
- NSSpeechOutputToFileURLProperty
NSSpeechSynthesizer
- NSSpeechPhonemeInfoExample
NSSpeechSynthesizer
- NSSpeechPhonemeInfoHiliteEnd
NSSpeechSynthesizer
- NSSpeechPhonemeInfoHiliteStart
NSSpeechSynthesizer
- NSSpeechPhonemeInfoOpcode
NSSpeechSynthesizer
- NSSpeechPhonemeInfoSymbol
NSSpeechSynthesizer
- NSSpeechPhonemeSymbolsProperty
NSSpeechSynthesizer
- NSSpeechPitchBaseProperty
NSSpeechSynthesizer
- NSSpeechPitchModProperty
NSSpeechSynthesizer
- NSSpeechRateProperty
NSSpeechSynthesizer
- NSSpeechRecentSyncProperty
NSSpeechSynthesizer
- NSSpeechResetProperty
NSSpeechSynthesizer
- NSSpeechStatusNumberOfCharactersLeft
NSSpeechSynthesizer
- NSSpeechStatusOutputBusy
NSSpeechSynthesizer
- NSSpeechStatusOutputPaused
NSSpeechSynthesizer
- NSSpeechStatusPhonemeCode
NSSpeechSynthesizer
- NSSpeechStatusProperty
NSSpeechSynthesizer
- NSSpeechSynthesizerInfoIdentifier
NSSpeechSynthesizer
- NSSpeechSynthesizerInfoProperty
NSSpeechSynthesizer
- NSSpeechSynthesizerInfoVersion
NSSpeechSynthesizer
- NSSpeechVolumeProperty
NSSpeechSynthesizer
- NSSpellingStateAttributeName
NSAttributedString
- NSSplitViewControllerAutomaticDimension
NSSplitViewController
- NSSplitViewDidResizeSubviewsNotification
NSSplitView
- NSSplitViewItemUnspecifiedDimension
NSSplitViewItem
- NSSplitViewWillResizeSubviewsNotification
NSSplitView
- NSSquareLineCapStyle
NSBezierPath
- NSSquareStatusItemLength
NSStatusBar
- NSStackViewSpacingUseDefault
NSStackView
- NSStackViewVisibilityPriorityMustHold
NSStackView
- NSStackViewVisibilityPriorityNotVisible
NSStackView
- NSStatusWindowLevel
NSWindow
- NSStrikethroughColorAttributeName
NSAttributedString
- NSStrikethroughStyleAttributeName
NSAttributedString
- NSStringPboardType
NSPasteboard
- NSStrokeColorAttributeName
NSAttributedString
- NSStrokeWidthAttributeName
NSAttributedString
- NSSubjectDocumentAttribute
NSAttributedString
- NSSubmenuWindowLevel
NSWindow
- NSSuperscriptAttributeName
NSAttributedString
- NSSwitchButton
NSButtonCell
- NSSystemDefined
NSEvent
- NSSystemDefinedMask
NSEvent
- NSTIFFException
NSErrors
- NSTIFFFileType
NSBitmapImageRep
- NSTIFFPboardType
NSPasteboard
- NSTabColumnTerminatorsAttributeName
NSParagraphStyle
- NSTableViewColumnDidMoveNotification
NSTableView
- NSTableViewColumnDidResizeNotification
NSTableView
- NSTableViewRowViewKey
NSTableView
andNSUserInterfaceItemIdentification
- NSTableViewSelectionDidChangeNotification
NSTableView
- NSTableViewSelectionIsChangingNotification
NSTableView
- NSTabletPoint
NSEvent
- NSTabletPointEventSubtype
NSEvent
- NSTabletPointMask
NSEvent
- NSTabletProximity
NSEvent
- NSTabletProximityMask
NSEvent
- NSTabularTextPboardType
NSPasteboard
- NSTargetBinding
NSKeyValueBinding
- NSTargetTextScalingDocumentOption
NSAttributedString
- NSTextAlternativesAttributeName
NSAttributedString
- NSTextAlternativesSelectedAlternativeStringNotification
NSTextAlternatives
- NSTextCheckingDocumentAuthorKey
NSSpellChecker
- NSTextCheckingDocumentTitleKey
NSSpellChecker
- NSTextCheckingDocumentURLKey
NSSpellChecker
- NSTextCheckingGenerateInlinePredictionsKey
NSSpellChecker
- NSTextCheckingOrthographyKey
NSSpellChecker
- NSTextCheckingQuotesKey
NSSpellChecker
- NSTextCheckingReferenceDateKey
NSSpellChecker
- NSTextCheckingReferenceTimeZoneKey
NSSpellChecker
- NSTextCheckingRegularExpressionsKey
NSSpellChecker
- NSTextCheckingReplacementsKey
NSSpellChecker
- NSTextCheckingSelectedRangeKey
NSSpellChecker
- NSTextColorBinding
NSKeyValueBinding
- NSTextContentStorageUnsupportedAttributeAddedNotification
NSTextContentManager
- NSTextContentTypeAddressCity
NSTextContent
- NSTextContentTypeAddressCityAndState
NSTextContent
- NSTextContentTypeAddressState
NSTextContent
- NSTextContentTypeBirthdate
NSTextContent
- NSTextContentTypeBirthdateDay
NSTextContent
- NSTextContentTypeBirthdateMonth
NSTextContent
- NSTextContentTypeBirthdateYear
NSTextContent
- NSTextContentTypeCountryName
NSTextContent
- NSTextContentTypeCreditCardExpiration
NSTextContent
- NSTextContentTypeCreditCardExpirationMonth
NSTextContent
- NSTextContentTypeCreditCardExpirationYear
NSTextContent
- NSTextContentTypeCreditCardFamilyName
NSTextContent
- NSTextContentTypeCreditCardGivenName
NSTextContent
- NSTextContentTypeCreditCardMiddleName
NSTextContent
- NSTextContentTypeCreditCardName
NSTextContent
- NSTextContentTypeCreditCardNumber
NSTextContent
- NSTextContentTypeCreditCardSecurityCode
NSTextContent
- NSTextContentTypeCreditCardType
NSTextContent
- NSTextContentTypeDateTime
NSTextContent
- NSTextContentTypeEmailAddress
NSTextContent
- NSTextContentTypeFamilyName
NSTextContent
- NSTextContentTypeFlightNumber
NSTextContent
- NSTextContentTypeFullStreetAddress
NSTextContent
- NSTextContentTypeGivenName
NSTextContent
- NSTextContentTypeJobTitle
NSTextContent
- NSTextContentTypeLocation
NSTextContent
- NSTextContentTypeMiddleName
NSTextContent
- NSTextContentTypeName
NSTextContent
- NSTextContentTypeNamePrefix
NSTextContent
- NSTextContentTypeNameSuffix
NSTextContent
- NSTextContentTypeNewPassword
NSTextContent
- NSTextContentTypeNickname
NSTextContent
- NSTextContentTypeOneTimeCode
NSTextContent
- NSTextContentTypeOrganizationName
NSTextContent
- NSTextContentTypePassword
NSTextContent
- NSTextContentTypePostalCode
NSTextContent
- NSTextContentTypeShipmentTrackingNumber
NSTextContent
- NSTextContentTypeStreetAddressLine1
NSTextContent
- NSTextContentTypeStreetAddressLine2
NSTextContent
- NSTextContentTypeSublocality
NSTextContent
- NSTextContentTypeTelephoneNumber
NSTextContent
- NSTextContentTypeURL
NSTextContent
- NSTextContentTypeUsername
NSTextContent
- NSTextEffectAttributeName
NSAttributedString
- NSTextEffectLetterpressStyle
NSAttributedString
- NSTextEncodingNameDocumentAttribute
NSAttributedString
- NSTextEncodingNameDocumentOption
NSAttributedString
- NSTextFieldAndStepperDatePickerStyle
NSDatePickerCell
- NSTextFieldDatePickerStyle
NSDatePickerCell
- NSTextFinderCaseInsensitiveKey
NSTextFinder
- NSTextFinderMatchingTypeKey
NSTextFinder
- NSTextInputContextKeyboardSelectionDidChangeNotification
NSTextInputContext
- NSTextLayoutSectionOrientation
NSAttributedString
- NSTextLayoutSectionRange
NSAttributedString
- NSTextLayoutSectionsAttribute
NSAttributedString
- NSTextLineTooLongException
NSErrors
- NSTextListMarkerBox
NSTextList
- NSTextListMarkerCheck
NSTextList
- NSTextListMarkerCircle
NSTextList
- NSTextListMarkerDecimal
NSTextList
- NSTextListMarkerDiamond
NSTextList
- NSTextListMarkerDisc
NSTextList
- NSTextListMarkerHyphen
NSTextList
- NSTextListMarkerLowercaseAlpha
NSTextList
- NSTextListMarkerLowercaseHexadecimal
NSTextList
- NSTextListMarkerLowercaseLatin
NSTextList
- NSTextListMarkerLowercaseRoman
NSTextList
- NSTextListMarkerOctal
NSTextList
- NSTextListMarkerSquare
NSTextList
- NSTextListMarkerUppercaseAlpha
NSTextList
- NSTextListMarkerUppercaseHexadecimal
NSTextList
- NSTextListMarkerUppercaseLatin
NSTextList
- NSTextListMarkerUppercaseRoman
NSTextList
- NSTextNoSelectionException
NSErrors
- NSTextReadException
NSErrors
- NSTextScalingDocumentAttribute
NSAttributedString
- NSTextSizeMultiplierDocumentOption
NSAttributedString
- NSTextStorageDidProcessEditingNotification
NSTextStorage
- NSTextStorageWillProcessEditingNotification
NSTextStorage
- NSTextViewDidChangeSelectionNotification
NSTextView
- NSTextWriteException
NSErrors
- NSTexturedBackgroundWindowMask
NSWindow
- NSTexturedRoundedBezelStyle
NSButtonCell
- NSTexturedSquareBezelStyle
NSButtonCell
- NSThickSquareBezelStyle
NSButtonCell
- NSThickerSquareBezelStyle
NSButtonCell
- NSTickMarkAbove
NSSliderCell
- NSTickMarkBelow
NSSliderCell
- NSTickMarkLeft
NSSliderCell
- NSTickMarkRight
NSSliderCell
- NSTimeZoneDatePickerElementFlag
NSDatePickerCell
- NSTimeoutDocumentOption
NSAttributedString
- NSTitleBinding
NSKeyValueBinding
- NSTitleDocumentAttribute
NSAttributedString
- NSTitledWindowMask
NSWindow
- NSToggleButton
NSButtonCell
- NSToolTipAttributeName
NSAttributedString
- NSToolTipBinding
NSKeyValueBinding
- NSToolbarCloudSharingItemIdentifier
NSToolbarItem
andNSToolbar
- NSToolbarCustomizeToolbarItemIdentifier
NSToolbarItem
andNSToolbar
- NSToolbarDidRemoveItemNotification
NSToolbar
- NSToolbarFlexibleSpaceItemIdentifier
NSToolbarItem
andNSToolbar
- NSToolbarInspectorTrackingSeparatorItemIdentifier
NSToolbarItem
andNSToolbar
- NSToolbarItemKey
NSToolbar
- NSToolbarItemVisibilityPriorityHigh
NSToolbarItem
- NSToolbarItemVisibilityPriorityLow
NSToolbarItem
- NSToolbarItemVisibilityPriorityStandard
NSToolbarItem
- NSToolbarItemVisibilityPriorityUser
NSToolbarItem
- NSToolbarPrintItemIdentifier
NSToolbarItem
andNSToolbar
- NSToolbarSeparatorItemIdentifier
NSToolbarItem
andNSToolbar
- NSToolbarShowColorsItemIdentifier
NSToolbarItem
andNSToolbar
- NSToolbarShowFontsItemIdentifier
NSToolbarItem
andNSToolbar
- NSToolbarSidebarTrackingSeparatorItemIdentifier
NSToolbarItem
andNSToolbar
- NSToolbarSpaceItemIdentifier
NSToolbarItem
andNSToolbar
- NSToolbarToggleInspectorItemIdentifier
NSToolbarItem
andNSToolbar
- NSToolbarToggleSidebarItemIdentifier
NSToolbarItem
andNSToolbar
- NSToolbarWillAddItemNotification
NSToolbar
- NSTopMarginDocumentAttribute
NSAttributedString
- NSTornOffMenuWindowLevel
NSWindow
- NSTouchBarItemIdentifierCandidateList
NSCandidateListTouchBarItem
andNSTouchBarItem
- NSTouchBarItemIdentifierCharacterPicker
NSTextView
andNSTouchBarItem
- NSTouchBarItemIdentifierFixedSpaceLarge
NSTouchBarItem
- NSTouchBarItemIdentifierFixedSpaceSmall
NSTouchBarItem
- NSTouchBarItemIdentifierFlexibleSpace
NSTouchBarItem
- NSTouchBarItemIdentifierOtherItemsProxy
NSTouchBarItem
- NSTouchBarItemIdentifierTextAlignment
NSTextView
andNSTouchBarItem
- NSTouchBarItemIdentifierTextColorPicker
NSTextView
andNSTouchBarItem
- NSTouchBarItemIdentifierTextFormat
NSTextView
andNSTouchBarItem
- NSTouchBarItemIdentifierTextList
NSTextView
andNSTouchBarItem
- NSTouchBarItemIdentifierTextStyle
NSTextView
andNSTouchBarItem
- NSTouchBarItemPriorityHigh
NSTouchBarItem
- NSTouchBarItemPriorityLow
NSTouchBarItem
- NSTouchBarItemPriorityNormal
NSTouchBarItem
- NSTouchEventSubtype
NSEvent
- NSTrackingAttributeName
NSAttributedString
- NSTransparentBinding
NSKeyValueBinding
- NSTypeIdentifierAddressText
NSItemProvider
- NSTypeIdentifierDateText
NSItemProvider
- NSTypeIdentifierPhoneNumberText
NSItemProvider
- NSTypeIdentifierTransitInformationText
NSItemProvider
- NSTypedStreamVersionException
NSErrors
- NSURLPboardType
NSPasteboard
- NSUnderlineByWord
NSAttributedString
- NSUnderlineByWordMask
NSAttributedString
- NSUnderlineColorAttributeName
NSAttributedString
- NSUnderlinePatternDash
NSAttributedString
- NSUnderlinePatternDashDot
NSAttributedString
- NSUnderlinePatternDashDotDot
NSAttributedString
- NSUnderlinePatternDot
NSAttributedString
- NSUnderlinePatternSolid
NSAttributedString
- NSUnderlineStrikethroughMask
NSAttributedString
- NSUnderlineStyleAttributeName
NSAttributedString
- NSUnknownColorSpaceModel
NSColorSpace
- NSUnknownPointingDevice
NSEvent
- NSUnscaledWindowMask
NSWindow
- NSUserActivityDocumentURLKey
NSUserActivity
- NSUsesScreenFontsDocumentAttribute
NSAttributedString
- NSUtilityWindowMask
NSWindow
- NSVCardPboardType
NSPasteboard
- NSValidatesImmediatelyBindingOption
NSKeyValueBinding
- NSValueBinding
NSKeyValueBinding
- NSValuePathBinding
NSKeyValueBinding
- NSValueTransformerBindingOption
NSKeyValueBinding
- NSValueTransformerNameBindingOption
NSKeyValueBinding
- NSValueURLBinding
NSKeyValueBinding
- NSVariableStatusItemLength
NSStatusBar
- NSVerticalGlyphFormAttributeName
NSAttributedString
- NSViewAnimationEffectKey
NSAnimation
- NSViewAnimationEndFrameKey
NSAnimation
- NSViewAnimationFadeInEffect
NSAnimation
- NSViewAnimationFadeOutEffect
NSAnimation
- NSViewAnimationStartFrameKey
NSAnimation
- NSViewAnimationTargetKey
NSAnimation
- NSViewModeDocumentAttribute
NSAttributedString
- NSViewNoInstrinsicMetric
NSLayoutConstraint
- NSViewNoIntrinsicMetric
NSLayoutConstraint
- NSViewSizeDocumentAttribute
NSAttributedString
- NSViewZoomDocumentAttribute
NSAttributedString
- NSVisibleBinding
NSKeyValueBinding
- NSVoiceAge
NSSpeechSynthesizer
- NSVoiceDemoText
NSSpeechSynthesizer
- NSVoiceGender
NSSpeechSynthesizer
- NSVoiceGenderFemale
NSSpeechSynthesizer
- NSVoiceGenderMale
NSSpeechSynthesizer
- NSVoiceGenderNeuter
NSSpeechSynthesizer
- NSVoiceGenderNeutral
NSSpeechSynthesizer
- NSVoiceIdentifier
NSSpeechSynthesizer
- NSVoiceIndividuallySpokenCharacters
NSSpeechSynthesizer
- NSVoiceLanguage
NSSpeechSynthesizer
- NSVoiceLocaleIdentifier
NSSpeechSynthesizer
- NSVoiceName
NSSpeechSynthesizer
- NSVoiceSupportedCharacters
NSSpeechSynthesizer
- NSWarningAlertStyle
NSAlert
- NSWarningValueBinding
NSKeyValueBinding
- NSWebArchiveTextDocumentType
NSAttributedString
- NSWebPreferencesDocumentOption
NSAttributedString
- NSWebResourceLoadDelegateDocumentOption
NSAttributedString
- NSWheelModeColorPanel
NSColorPanel
- NSWhite
NSGraphics
- NSWidthBinding
NSKeyValueBinding
- NSWindowDidBecomeKeyNotification
NSWindow
- NSWindowDidEndSheetNotification
NSWindow
- NSWindowDidExposeNotification
NSWindow
- NSWindowDidMoveNotification
NSWindow
- NSWindowDidResignKeyNotification
NSWindow
- NSWindowDidResizeNotification
NSWindow
- NSWindowDidUpdateNotification
NSWindow
- NSWindowExposedEventType
NSEvent
- NSWindowFullScreenButton
NSWindow
- NSWindowMovedEventType
NSEvent
- NSWindowWillCloseNotification
NSWindow
- NSWindowWillMoveNotification
NSWindow
- NSWordMLTextDocumentType
NSAttributedString
- NSWordTablesReadException
NSErrors
- NSWordTablesWriteException
NSErrors
- NSWorkspaceAccessibilityDisplayOptionsDidChangeNotification
NSAccessibility
- NSWorkspaceActiveSpaceDidChangeNotification
NSWorkspace
- NSWorkspaceApplicationKey
NSWorkspace
- NSWorkspaceCompressOperation
NSWorkspace
- NSWorkspaceCopyOperation
NSWorkspace
- NSWorkspaceDecompressOperation
NSWorkspace
- NSWorkspaceDecryptOperation
NSWorkspace
- NSWorkspaceDesktopImageAllowClippingKey
NSWorkspace
- NSWorkspaceDesktopImageFillColorKey
NSWorkspace
- NSWorkspaceDesktopImageScalingKey
NSWorkspace
- NSWorkspaceDestroyOperation
NSWorkspace
- NSWorkspaceDidChangeFileLabelsNotification
NSWorkspace
- NSWorkspaceDidHideApplicationNotification
NSWorkspace
- NSWorkspaceDidLaunchApplicationNotification
NSWorkspace
- NSWorkspaceDidMountNotification
NSWorkspace
- NSWorkspaceDidRenameVolumeNotification
NSWorkspace
- NSWorkspaceDidUnhideApplicationNotification
NSWorkspace
- NSWorkspaceDidUnmountNotification
NSWorkspace
- NSWorkspaceDidWakeNotification
NSWorkspace
- NSWorkspaceDuplicateOperation
NSWorkspace
- NSWorkspaceEncryptOperation
NSWorkspace
- NSWorkspaceLaunchConfigurationAppleEvent
NSWorkspace
- NSWorkspaceLaunchConfigurationArchitecture
NSWorkspace
- NSWorkspaceLaunchConfigurationArguments
NSWorkspace
- NSWorkspaceLaunchConfigurationEnvironment
NSWorkspace
- NSWorkspaceLinkOperation
NSWorkspace
- NSWorkspaceMoveOperation
NSWorkspace
- NSWorkspaceRecycleOperation
NSWorkspace
- NSWorkspaceScreensDidSleepNotification
NSWorkspace
- NSWorkspaceScreensDidWakeNotification
NSWorkspace
- NSWorkspaceVolumeLocalizedNameKey
NSWorkspace
- NSWorkspaceVolumeOldLocalizedNameKey
NSWorkspace
- NSWorkspaceVolumeOldURLKey
NSWorkspace
- NSWorkspaceVolumeURLKey
NSWorkspace
- NSWorkspaceWillLaunchApplicationNotification
NSWorkspace
- NSWorkspaceWillPowerOffNotification
NSWorkspace
- NSWorkspaceWillSleepNotification
NSWorkspace
- NSWorkspaceWillUnmountNotification
NSWorkspace
- NSWritingDirectionAttributeName
NSAttributedString
- NSYearMonthDatePickerElementFlag
NSDatePickerCell
- NSYearMonthDayDatePickerElementFlag
NSDatePickerCell
Traits§
- CIColorNSAppKitAdditions
NSColor
Category “NSAppKitAdditions” onCIColor
. - CIImageNSAppKitAdditions
NSCIImageRep
Category “NSAppKitAdditions” onCIImage
. - NSAccessibility
NSAccessibilityProtocols
- NSAccessibilityButton
NSAccessibilityProtocols
- NSAccessibilityCheckBox
NSAccessibilityProtocols
- NSAccessibilityColor
NSAccessibilityColor
- NSAccessibilityContainsTransientUI
NSAccessibilityProtocols
- NSAccessibilityCustomRotorItemSearchDelegate
NSAccessibilityCustomRotor
- NSAccessibilityElementLoading
NSAccessibilityProtocols
- NSAccessibilityElementProtocol
NSAccessibilityProtocols
- NSAccessibilityGroup
NSAccessibilityProtocols
- NSAccessibilityImage
NSAccessibilityProtocols
- NSAccessibilityLayoutArea
NSAccessibilityProtocols
- NSAccessibilityLayoutItem
NSAccessibilityProtocols
- NSAccessibilityList
NSAccessibilityProtocols
- NSAccessibilityNavigableStaticText
NSAccessibilityProtocols
- NSAccessibilityOutline
NSAccessibilityProtocols
- NSAccessibilityProgressIndicator
NSAccessibilityProtocols
- NSAccessibilityRadioButton
NSAccessibilityProtocols
- NSAccessibilityRow
NSAccessibilityProtocols
- NSAccessibilitySlider
NSAccessibilityProtocols
- NSAccessibilityStaticText
NSAccessibilityProtocols
- NSAccessibilityStepper
NSAccessibilityProtocols
- NSAccessibilitySwitch
NSAccessibilityProtocols
- NSAccessibilityTable
NSAccessibilityProtocols
- NSAffineTransformNSAppKitAdditions
NSAffineTransform
Category “NSAppKitAdditions” onNSAffineTransform
. - NSAlertDelegate
NSAlert
- NSAlignmentFeedbackToken
NSAlignmentFeedbackFilter
- NSAnimatablePropertyContainer
NSAnimation
- NSAnimationDelegate
NSAnimation
- NSAppearanceCustomization
NSAppearance
- NSAppleScriptNSExtensions
NSAppleScriptExtensions
Category “NSExtensions” onNSAppleScript
. - NSApplicationDelegate
NSApplication
- NSAttributedStringAttachmentConveniences
NSTextAttachment
Category onNSAttributedString
. - NSAttributedStringAttributeFixing
NSAttributedString
Category onNSMutableAttributedString
. - NSAttributedStringDocumentFormats
NSAttributedString
Category onNSAttributedString
. - NSAttributedStringKitAdditions
NSAttributedString
Category onNSAttributedString
. - NSAttributedStringNSDeprecatedKitAdditions
NSAttributedString
Category “NSDeprecatedKitAdditions” onNSAttributedString
. - NSAttributedStringNSExtendedStringDrawing
NSStringDrawing
Category “NSExtendedStringDrawing” onNSAttributedString
. - NSAttributedStringNSStringDrawing
NSStringDrawing
Category “NSStringDrawing” onNSAttributedString
. - NSAttributedStringNSStringDrawingDeprecated
NSStringDrawing
Category “NSStringDrawingDeprecated” onNSAttributedString
. - NSAttributedStringPasteboardAdditions
NSAttributedString
Category onNSAttributedString
. - NSBrowserDelegate
NSBrowser
- NSBundleHelpExtension
NSHelpManager
Category onNSBundle
. - NSBundleImageExtension
NSImage
Category onNSBundle
. - NSBundleSoundExtensions
NSSound
Category onNSBundle
. - NSCandidateListTouchBarItemDelegate
NSCandidateListTouchBarItem
- NSChangeSpelling
NSSpellProtocol
- NSCloudSharingServiceDelegate
NSSharingService
- NSCollectionLayoutContainer
NSCollectionViewCompositionalLayout
- NSCollectionLayoutEnvironment
NSCollectionViewCompositionalLayout
- NSCollectionLayoutVisibleItem
NSCollectionViewCompositionalLayout
- NSCollectionViewDataSource
NSCollectionView
- NSCollectionViewDelegate
NSCollectionView
- NSCollectionViewDelegateFlowLayout
NSCollectionView
andNSCollectionViewFlowLayout
- NSCollectionViewElement
NSCollectionView
andNSUserInterfaceItemIdentification
- NSCollectionViewPrefetching
NSCollectionView
- NSCollectionViewSectionHeaderView
NSCollectionView
andNSUserInterfaceItemIdentification
- NSColorChanging
NSColorPanel
- NSColorPickingCustom
NSColorPicking
- NSColorPickingDefault
NSColorPicking
- NSComboBoxCellDataSource
NSComboBoxCell
- NSComboBoxDataSource
NSComboBox
- NSComboBoxDelegate
NSComboBox
andNSControl
andNSTextField
- NSControlTextEditingDelegate
NSControl
- NSDatePickerCellDelegate
NSDatePickerCell
- NSDockTilePlugIn
NSDockTile
- NSDraggingDestination
NSDragging
- NSDraggingInfo
NSDragging
- NSDraggingSource
NSDragging
- NSDrawerDelegate
NSDrawer
- NSEditor
NSKeyValueBinding
- NSEditorRegistration
NSKeyValueBinding
- NSFileManagerNSWorkspaceAuthorization
NSWorkspace
Category “NSWorkspaceAuthorization” onNSFileManager
. - NSFilePromiseProviderDelegate
NSFilePromiseProvider
- NSFileWrapperNSExtensions
NSFileWrapperExtensions
Category “NSExtensions” onNSFileWrapper
. - NSFontChanging
NSFontPanel
- NSGestureRecognizerDelegate
NSGestureRecognizer
- NSGlyphStorage
NSGlyphGenerator
- NSHapticFeedbackPerformer
NSHapticFeedback
- NSIgnoreMisspelledWords
NSSpellProtocol
- NSImageDelegate
NSImage
- NSIndexPathNSCollectionViewAdditions
NSCollectionView
Category “NSCollectionViewAdditions” onNSIndexPath
. - NSInputServerMouseTracker
NSInputServer
- NSInputServiceProvider
NSInputServer
- NSItemProviderNSItemSourceInfo
NSItemProvider
Category “NSItemSourceInfo” onNSItemProvider
. - NSLayoutManagerDelegate
NSLayoutManager
- NSMatrixDelegate
NSControl
andNSMatrix
- NSMenuDelegate
NSMenu
- NSMenuItemValidation
NSMenu
- NSMutableAttributedStringAttachmentConveniences
NSTextAttachment
Category onNSMutableAttributedString
. - NSMutableAttributedStringDocumentFormats
NSAttributedString
Category onNSMutableAttributedString
. - NSMutableAttributedStringKitAdditions
NSAttributedString
Category onNSMutableAttributedString
. - NSObjectNSAccessibility
NSAccessibility
Category “NSAccessibility” onNSObject
. - NSObjectNSKeyValueBindingCreation
NSKeyValueBinding
Category “NSKeyValueBindingCreation” onNSObject
. - NSObjectNSNibAwaking
NSNibLoading
Category “NSNibAwaking” onNSObject
. - NSOpenSavePanelDelegate
NSSavePanel
- NSOutlineViewDataSource
NSOutlineView
- NSOutlineViewDelegate
NSControl
andNSOutlineView
- NSPageControllerDelegate
NSPageController
- NSPasteboardItemDataProvider
NSPasteboardItem
- NSPasteboardReading
NSPasteboard
- NSPasteboardTypeOwner
NSPasteboard
- NSPasteboardWriting
NSPasteboard
- NSPathCellDelegate
NSPathCell
- NSPathControlDelegate
NSPathControl
- NSPopoverDelegate
NSPopover
- NSPreviewRepresentableActivityItem
NSPreviewRepresentingActivityItem
- NSPrintPanelAccessorizing
NSPrintPanel
- NSRuleEditorDelegate
NSRuleEditor
- NSScrubberDataSource
NSScrubber
- NSScrubberDelegate
NSScrubber
- NSScrubberFlowLayoutDelegate
NSScrubber
andNSScrubberLayout
- NSSearchFieldDelegate
NSControl
andNSSearchField
andNSTextField
- NSSeguePerforming
NSStoryboardSegue
- NSServicesMenuRequestor
NSApplication
- NSSetNSCollectionViewAdditions
NSCollectionView
Category “NSCollectionViewAdditions” onNSSet
. - NSSharingServiceDelegate
NSSharingService
- NSSharingServicePickerDelegate
NSSharingService
- NSSharingServicePickerToolbarItemDelegate
NSSharingService
andNSSharingServicePickerToolbarItem
- NSSharingServicePickerTouchBarItemDelegate
NSSharingService
andNSSharingServicePickerTouchBarItem
- NSSoundDelegate
NSSound
- NSSpeechRecognizerDelegate
NSSpeechRecognizer
- NSSplitViewDelegate
NSSplitView
- NSSpringLoadingDestination
NSDragging
- NSStackViewDelegate
NSStackView
- NSStandardKeyBindingResponding
NSResponder
- NSStringDrawing
NSStringDrawing
Category onNSString
. - NSStringDrawingDeprecated
NSStringDrawing
Category onNSString
. - NSStringNSExtendedStringDrawing
NSStringDrawing
Category “NSExtendedStringDrawing” onNSString
. - NSTabViewDelegate
NSTabView
- NSTableViewDataSource
NSTableView
- NSTableViewDelegate
NSControl
andNSTableView
- NSTextAttachmentCellProtocol
NSTextAttachmentCell
- NSTextAttachmentContainer
NSTextAttachment
- NSTextAttachmentLayout
NSTextAttachment
- NSTextCheckingClient
NSTextCheckingClient
andNSTextInputClient
- NSTextContent
NSTextContent
- NSTextContentManagerDelegate
NSTextContentManager
- NSTextContentStorageDelegate
NSTextContentManager
- NSTextDelegate
NSText
- NSTextElementProvider
NSTextContentManager
- NSTextFieldDelegate
NSControl
andNSTextField
- NSTextFinderBarContainer
NSTextFinder
- NSTextFinderClient
NSTextFinder
- NSTextInput
NSInputManager
- NSTextInputClient
NSTextInputClient
- NSTextInputTraits
NSTextCheckingClient
- NSTextLayoutManagerDelegate
NSTextLayoutManager
- NSTextLayoutOrientationProvider
NSLayoutManager
- NSTextLocation
NSTextRange
- NSTextSelectionDataSource
NSTextSelectionNavigation
- NSTextStorageDelegate
NSTextStorage
- NSTextStorageObserving
NSTextStorage
- NSTextViewDelegate
NSText
andNSTextView
- NSTextViewportLayoutControllerDelegate
NSTextViewportLayoutController
- NSTokenFieldCellDelegate
NSTokenFieldCell
- NSTokenFieldDelegate
NSControl
andNSTextField
andNSTokenField
- NSToolbarDelegate
NSToolbar
- NSToolbarItemValidation
NSToolbarItem
- NSTouchBarDelegate
NSTouchBar
- NSTouchBarProvider
NSTouchBar
- NSURLNSPasteboardSupport
NSPasteboard
Category “NSPasteboardSupport” onNSURL
. - NSUserActivityRestoring
NSUserActivity
- NSUserInterfaceCompression
NSUserInterfaceCompression
- NSUserInterfaceItemIdentification
NSUserInterfaceItemIdentification
- NSUserInterfaceItemSearching
NSUserInterfaceItemSearching
- NSUserInterfaceValidations
NSUserInterfaceValidation
- NSValidatedUserInterfaceItem
NSUserInterfaceValidation
- NSViewControllerPresentationAnimator
NSViewController
- NSViewToolTipOwner
NSView
- NSWindowDelegate
NSWindow
- NSWindowRestoration
NSWindowRestoration
Functions§
- NSAccessibilityActionDescription⚠
NSAccessibility
andNSAccessibilityConstants
- NSAccessibilityFrameInView⚠
NSResponder
andNSView
andNSAccessibility
- NSAccessibilityPointInView⚠
NSResponder
andNSView
andNSAccessibility
- NSAccessibilityPostNotification⚠
NSAccessibility
andNSAccessibilityConstants
- NSAccessibilityPostNotificationWithUserInfo⚠
NSAccessibilityConstants
- NSAccessibilityRoleDescription⚠
NSAccessibility
andNSAccessibilityConstants
- NSAccessibilityRoleDescriptionForUIElement⚠
NSAccessibility
- NSAccessibilitySetMayContainProtectedContent⚠
NSAccessibility
- NSAccessibilityUnignoredAncestor⚠
NSAccessibility
- NSAccessibilityUnignoredChildren⚠
NSAccessibility
- NSAccessibilityUnignoredChildrenForOnlyChild⚠
NSAccessibility
- NSAccessibilityUnignoredDescendant⚠
NSAccessibility
- NSApp
NSApplication
andNSResponder
- NSApplicationLoad⚠
NSApplication
- NSApplicationMain⚠
NSApplication
- NSAvailableWindowDepths⚠
NSGraphics
- NSBeep⚠
NSGraphics
- NSBestDepth⚠
NSGraphics
- NSBitsPerPixelFromDepth⚠
NSGraphics
- NSBitsPerSampleFromDepth⚠
NSGraphics
- NSColorSpaceFromDepth⚠
NSGraphics
- NSCreateFileContentsPboardType⚠
NSPasteboard
- NSCreateFilenamePboardType⚠
NSPasteboard
- NSDottedFrameRect⚠
NSGraphics
- NSDrawButton⚠
NSGraphics
- NSDrawColorTiledRects⚠
NSGraphics
andNSColor
- NSDrawDarkBezel⚠
NSGraphics
- NSDrawGrayBezel⚠
NSGraphics
- NSDrawGroove⚠
NSGraphics
- NSDrawLightBezel⚠
NSGraphics
- NSDrawNinePartImage⚠
NSGraphics
andNSImage
andNSCell
- NSDrawThreePartImage⚠
NSGraphics
andNSImage
andNSCell
- NSDrawTiledRects⚠
NSGraphics
- NSDrawWhiteBezel⚠
NSGraphics
- NSDrawWindowBackground⚠
NSGraphics
- NSEraseRect⚠
NSGraphics
- NSFrameRect⚠
NSGraphics
- NSFrameRectWithWidth⚠
NSGraphics
- NSFrameRectWithWidthUsingOperation⚠
NSGraphics
- NSGetFileType⚠
NSPasteboard
- NSGetFileTypes⚠
NSPasteboard
- NSIsControllerMarker⚠
NSKeyValueBinding
- NSNumberOfColorComponents⚠
NSGraphics
- NSPerformService⚠
NSApplication
andNSPasteboard
- NSPlanarFromDepth⚠
NSGraphics
- NSRectClip⚠
NSGraphics
- NSRectClipList⚠
NSGraphics
- NSRectFill⚠
NSGraphics
- NSRectFillList⚠
NSGraphics
- NSRectFillListUsingOperation⚠
NSGraphics
- NSRectFillListWithColors⚠
NSGraphics
andNSColor
- NSRectFillListWithColorsUsingOperation⚠
NSGraphics
andNSColor
- NSRectFillListWithGrays⚠
NSGraphics
- NSRectFillUsingOperation⚠
NSGraphics
- NSRegisterServicesProvider⚠
NSApplication
- NSSetFocusRingStyle⚠
NSGraphics
- NSSetShowsServicesMenuItem⚠
NSApplication
- NSShowsServicesMenuItem⚠
NSApplication
- NSUnregisterServicesProvider⚠
NSApplication
- NSUpdateDynamicServices⚠
NSApplication
Type Aliases§
- NSAboutPanelOptionKey
NSApplication
- NSAccessibilityActionName
NSAccessibilityConstants
- NSAccessibilityAnnotationAttributeKey
NSAccessibilityConstants
- NSAccessibilityAttributeName
NSAccessibilityConstants
- NSAccessibilityFontAttributeKey
NSAccessibilityConstants
- NSAccessibilityLoadingToken
NSAccessibilityConstants
- NSAccessibilityNotificationName
NSAccessibilityConstants
- NSAccessibilityNotificationUserInfoKey
NSAccessibilityConstants
- NSAccessibilityOrientationValue
NSAccessibilityConstants
- NSAccessibilityParameterizedAttributeName
NSAccessibilityConstants
- NSAccessibilityRole
NSAccessibilityConstants
- NSAccessibilityRulerMarkerTypeValue
NSAccessibilityConstants
- NSAccessibilityRulerUnitValue
NSAccessibilityConstants
- NSAccessibilitySortDirectionValue
NSAccessibilityConstants
- NSAccessibilitySubrole
NSAccessibilityConstants
- NSAnimatablePropertyKey
NSAnimation
- NSAnimationProgress
NSAnimation
- NSAppKitVersion
NSApplication
- NSAppearanceName
NSAppearance
- NSAttributedStringDocumentAttributeKey
NSAttributedString
- NSAttributedStringDocumentReadingOptionKey
NSAttributedString
- NSAttributedStringDocumentType
NSAttributedString
- NSBindingInfoKey
NSKeyValueBinding
- NSBindingName
NSKeyValueBinding
- NSBindingOption
NSKeyValueBinding
- NSBitmapImageRepPropertyKey
NSBitmapImageRep
- NSBrowserColumnsAutosaveName
NSBrowser
- NSCellStateValue
NSCell
- NSCollectionLayoutGroupCustomItemProvider
NSCollectionViewCompositionalLayout
andblock2
- NSCollectionLayoutSectionVisibleItemsInvalidationHandler
NSCollectionViewCompositionalLayout
andblock2
- NSCollectionViewCompositionalLayoutSectionProvider
NSCollectionViewCompositionalLayout
andblock2
- NSCollectionViewDecorationElementKind
NSCollectionViewLayout
- NSCollectionViewDiffableDataSourceSupplementaryViewProvider
NSCollectionView
andNSDiffableDataSource
andNSResponder
andNSView
andblock2
- NSCollectionViewSupplementaryElementKind
NSCollectionView
- NSCollectionViewTransitionLayoutAnimatedKey
NSCollectionViewTransitionLayout
- NSColorListName
NSColorList
- NSColorName
NSColorList
- NSColorSpaceName
NSGraphics
- NSControlStateValue
NSCell
- NSDataAssetName
NSDataAsset
- NSDefinitionOptionKey
NSView
- NSDeviceDescriptionKey
NSGraphics
- NSDraggingImageComponentKey
NSDraggingItem
- NSFontCollectionActionTypeKey
NSFontCollection
- NSFontCollectionMatchingOptionKey
NSFontCollection
- NSFontCollectionName
NSFontCollection
- NSFontCollectionUserInfoKey
NSFontCollection
- NSFontDescriptorAttributeName
NSFontDescriptor
- NSFontDescriptorFeatureKey
NSFontDescriptor
- NSFontDescriptorSystemDesign
NSFontDescriptor
- NSFontDescriptorTraitKey
NSFontDescriptor
- NSFontDescriptorVariationKey
NSFontDescriptor
- NSFontFamilyClass
NSFontDescriptor
- NSFontSymbolicTraits
NSFontDescriptor
- NSFontTextStyle
NSFontDescriptor
- NSFontTextStyleOptionKey
NSFontDescriptor
- NSFontWeight
NSFontDescriptor
- NSFontWidth
NSFontDescriptor
- NSGlyph
NSFont
- NSGraphicsContextAttributeKey
NSGraphicsContext
- NSGraphicsContextRepresentationFormatName
NSGraphicsContext
- NSHelpAnchorName
NSHelpManager
- NSHelpBookName
NSHelpManager
- NSHelpManagerContextHelpKey
NSHelpManager
- NSImageHintKey
NSImageRep
- NSImageName
NSImage
- NSInterfaceStyle
NSInterfaceStyle
- NSLayoutPriority
NSLayoutConstraint
- NSModalResponse
NSApplication
- NSModalSession
NSApplication
- NSNibName
NSNib
- NSOpenGLPixelFormatAttribute
NSOpenGL
- NSPageControllerObjectIdentifier
NSPageController
- NSPasteboardName
NSPasteboard
- NSPasteboardReadingOptionKey
NSPasteboard
- NSPasteboardType
NSPasteboard
- NSPasteboardTypeFindPanelSearchOptionKey
NSTextView
- NSPasteboardTypeTextFinderOptionKey
NSTextFinder
- NSPopoverCloseReasonValue
NSPopover
- NSPrintInfoAttributeKey
NSPrintInfo
- NSPrintInfoSettingKey
NSPrintInfo
- NSPrintJobDispositionValue
NSPrintInfo
- NSPrintPanelAccessorySummaryKey
NSPrintPanel
- NSPrintPanelJobStyleHint
NSPrintPanel
- NSPrinterPaperName
NSPrinter
- NSPrinterTypeName
NSPrinter
- NSRuleEditorPredicatePartKey
NSRuleEditor
- NSRulerViewUnitName
NSRulerView
- NSSearchFieldRecentsAutosaveName
NSSearchField
- NSServiceProviderName
NSApplication
- NSSharingServiceName
NSSharingService
- NSSliderAccessoryWidth
NSSliderTouchBarItem
- NSSoundName
NSSound
- NSSpeechCommandDelimiterKey
NSSpeechSynthesizer
- NSSpeechDictionaryKey
NSSpeechSynthesizer
- NSSpeechErrorKey
NSSpeechSynthesizer
- NSSpeechMode
NSSpeechSynthesizer
- NSSpeechPhonemeInfoKey
NSSpeechSynthesizer
- NSSpeechPropertyKey
NSSpeechSynthesizer
- NSSpeechStatusKey
NSSpeechSynthesizer
- NSSpeechSynthesizerInfoKey
NSSpeechSynthesizer
- NSSpeechSynthesizerVoiceName
NSSpeechSynthesizer
- NSSplitViewAutosaveName
NSSplitView
- NSStackViewVisibilityPriority
NSStackView
- NSStatusItemAutosaveName
NSStatusItem
- NSStoryboardControllerCreator
NSStoryboard
andblock2
- NSStoryboardName
NSStoryboard
- NSStoryboardSceneIdentifier
NSStoryboard
- NSStoryboardSegueIdentifier
NSStoryboardSegue
- NSTableViewAutosaveName
NSTableView
- NSTableViewDiffableDataSourceCellProvider
NSControl
andNSResponder
andNSTableColumn
andNSTableView
andNSTableViewDiffableDataSource
andNSView
andblock2
- NSTableViewDiffableDataSourceRowProvider
NSControl
andNSResponder
andNSTableRowView
andNSTableView
andNSTableViewDiffableDataSource
andNSView
andblock2
- NSTableViewDiffableDataSourceSectionHeaderViewProvider
NSControl
andNSResponder
andNSTableView
andNSTableViewDiffableDataSource
andNSView
andblock2
- NSTextCheckingOptionKey
NSSpellChecker
- NSTextContentType
NSTextContent
- NSTextEffectStyle
NSAttributedString
- NSTextInputSourceIdentifier
NSTextInputContext
- NSTextLayoutSectionKey
NSAttributedString
- NSTextListMarkerFormat
NSTextList
- NSTextStorageEditedOptions
NSTextStorage
- NSTextTabOptionKey
NSParagraphStyle
- NSToolTipTag
NSView
- NSToolbarIdentifier
NSToolbar
- NSToolbarItemIdentifier
NSToolbar
- NSToolbarItemVisibilityPriority
NSToolbarItem
- NSToolbarUserInfoKey
NSToolbar
- NSTouchBarCustomizationIdentifier
NSTouchBar
- NSTouchBarItemIdentifier
NSTouchBarItem
- NSTouchBarItemPriority
NSTouchBarItem
- NSTrackingRectTag
NSView
- NSUserInterfaceItemIdentifier
NSUserInterfaceItemIdentification
- NSViewAnimationEffectName
NSAnimation
- NSViewAnimationKey
NSAnimation
- NSVoiceAttributeKey
NSSpeechSynthesizer
- NSVoiceGenderName
NSSpeechSynthesizer
- NSWindowFrameAutosaveName
NSWindow
- NSWindowLevel
NSWindow
- NSWindowTabbingIdentifier
NSWindow
- NSWorkspaceDesktopImageOptionKey
NSWorkspace
- NSWorkspaceFileOperationName
NSWorkspace
- NSWorkspaceLaunchConfigurationKey
NSWorkspace