Crate objc2_foundation
source ·Expand description
§Bindings to the Foundation framework
See Apple’s docs and the general docs on framework crates for more information.
This is the std equivalent for Objective-C, containing essential data
types, collections, and operating-system services.
§Rust vs. Objective-C types
A quick overview of some types you will encounter often in Objective-C, and their approximate Rust equivalent.
| Objective-C | (approximately) equivalent Rust |
|---|---|
NSData* | Arc<[u8]> |
NSMutableData* | Vec<u8> |
NSString* | Arc<str> |
NSMutableString* | String |
NSValue* | Arc<dyn Any> |
NSNumber* | Arc<enum { I8(i8), U8(u8), I16(i16), U16(u16), I32(i32), U32(u32), I64(i64), U64(u64), F32(f32), F64(f64), CLong(ffi::c_long), CULong(ffi::c_ulong) }> |
NSError* | Arc<dyn Error + Send + Sync> |
NSException* | Arc<dyn Error + Send + Sync> |
NSRange | ops::Range<usize> |
NSComparisonResult | cmp::Ordering |
NSArray<T>* | Arc<[T]> |
NSMutableArray<T>* | Vec<T> |
NSDictionary<K, V>* | Arc<HashMap<K, V>> |
NSMutableDictionary<K, V>* | HashMap<K, V> |
NSEnumerator<T>* | Box<dyn Iterator<T>> |
NSCopying* | Box<dyn Clone> |
§Examples
Basic usage of a few Foundation types.
$ cargo add objc2-foundation --features=all
ⓘ
use objc2_foundation::{ns_string, NSCopying, NSArray};
let string = ns_string!("world");
println!("hello {string}");
let array = NSArray::from_id_slice(&[string.copy()]);
println!("{array:?}");ⓘ
use objc2::rc::autoreleasepool;
use objc2_foundation::{ns_string, NSArray, NSDictionary, NSObject};
fn main() {
// Create and compare NSObjects
let obj = NSObject::new();
#[allow(clippy::eq_op)]
{
println!("{obj:?} == {obj:?}? {:?}", obj == obj);
}
let obj2 = NSObject::new();
println!("{obj:?} == {obj2:?}? {:?}", obj == obj2);
// Create an NSArray from a Vec
let objs = vec![obj, obj2];
let array = NSArray::from_vec(objs);
for obj in array.iter() {
println!("{obj:?}");
}
println!("{}", array.len());
// Turn the NSArray back into a Vec
let mut objs = array.to_vec_retained();
let obj = objs.pop().unwrap();
// Create a static NSString
let string = ns_string!("Hello, world!");
// Use an autoreleasepool to get the `str` contents of the NSString
autoreleasepool(|pool| {
println!("{}", string.as_str(pool));
});
// Or use the `Display` implementation
let _s = string.to_string(); // Using ToString
println!("{string}"); // Or Display directly
// Create a dictionary mapping strings to objects
let keys = &[string];
let objects = &[obj];
let dict = NSDictionary::from_id_slice(keys, objects);
println!("{:?}", dict.get(string));
println!("{}", dict.len());
}An example showing how to define your own interfaces to parts that may be missing in the autogenerated interface.
ⓘ
//! Speak synthethized text.
//!
//! This uses `NSSpeechSynthesizer` on macOS, and `AVSpeechSynthesizer` on
//! other Apple platforms. Note that `AVSpeechSynthesizer` _is_ available on
//! macOS, but only since 10.15!
//!
//! Works on macOS >= 10.7 and iOS > 7.0.
#![deny(unsafe_op_in_unsafe_fn)]
use std::thread;
use std::time::Duration;
use objc2::mutability::InteriorMutable;
use objc2::rc::Id;
use objc2::{extern_class, msg_send, msg_send_id, ClassType};
use objc2_foundation::{ns_string, NSObject, NSString};
#[cfg(target_os = "macos")]
mod appkit {
use objc2_foundation::NSCopying;
use std::cell::Cell;
use super::*;
#[link(name = "AppKit", kind = "framework")]
extern "C" {}
extern_class!(
/// <https://developer.apple.com/documentation/appkit/nsspeechsynthesizer?language=objc>
pub(crate) struct Synthesizer;
unsafe impl ClassType for Synthesizer {
type Super = NSObject;
type Mutability = InteriorMutable;
const NAME: &'static str = "NSSpeechSynthesizer";
}
);
impl Synthesizer {
// Uses default voice
pub(crate) fn new() -> Id<Self> {
unsafe { msg_send_id![Self::class(), new] }
}
fn set_rate(&self, rate: f32) {
unsafe { msg_send![self, setRate: rate] }
}
fn set_volume(&self, volume: f32) {
unsafe { msg_send![self, setVolume: volume] }
}
fn start_speaking(&self, s: &NSString) {
let _: bool = unsafe { msg_send![self, startSpeakingString: s] };
}
pub(crate) fn speak(&self, utterance: &Utterance) {
// Convert to the range 90-720 that `NSSpeechSynthesizer` seems to
// support
//
// Note that you'd probably want a nonlinear conversion here to
// make it match `AVSpeechSynthesizer`.
self.set_rate(90.0 + (utterance.rate.get() * (360.0 - 90.0)));
self.set_volume(utterance.volume.get());
self.start_speaking(&utterance.string);
}
pub(crate) fn is_speaking(&self) -> bool {
unsafe { msg_send![self, isSpeaking] }
}
}
// Shim to make NSSpeechSynthesizer work similar to AVSpeechSynthesizer
pub(crate) struct Utterance {
rate: Cell<f32>,
volume: Cell<f32>,
string: Id<NSString>,
}
impl Utterance {
pub(crate) fn new(string: &NSString) -> Self {
Self {
rate: Cell::new(0.5),
volume: Cell::new(1.0),
string: string.copy(),
}
}
pub(crate) fn set_rate(&self, rate: f32) {
self.rate.set(rate);
}
pub(crate) fn set_volume(&self, volume: f32) {
self.volume.set(volume);
}
}
}
#[cfg(not(target_os = "macos"))]
mod avfaudio {
use super::*;
#[link(name = "AVFoundation", kind = "framework")]
extern "C" {}
extern_class!(
/// <https://developer.apple.com/documentation/avfaudio/avspeechsynthesizer?language=objc>
#[derive(Debug)]
pub(crate) struct Synthesizer;
unsafe impl ClassType for Synthesizer {
type Super = NSObject;
type Mutability = InteriorMutable;
const NAME: &'static str = "AVSpeechSynthesizer";
}
);
impl Synthesizer {
pub(crate) fn new() -> Id<Self> {
unsafe { msg_send_id![Self::class(), new] }
}
pub(crate) fn speak(&self, utterance: &Utterance) {
unsafe { msg_send![self, speakUtterance: utterance] }
}
pub(crate) fn is_speaking(&self) -> bool {
unsafe { msg_send![self, isSpeaking] }
}
}
extern_class!(
/// <https://developer.apple.com/documentation/avfaudio/avspeechutterance?language=objc>
#[derive(Debug)]
pub struct Utterance;
unsafe impl ClassType for Utterance {
type Super = NSObject;
type Mutability = InteriorMutable;
const NAME: &'static str = "AVSpeechUtterance";
}
);
impl Utterance {
pub(crate) fn new(string: &NSString) -> Id<Self> {
unsafe { msg_send_id![Self::alloc(), initWithString: string] }
}
pub(crate) fn set_rate(&self, rate: f32) {
unsafe { msg_send![self, setRate: rate] }
}
pub(crate) fn set_volume(&self, volume: f32) {
unsafe { msg_send![self, setVolume: volume] }
}
}
}
#[cfg(target_os = "macos")]
use appkit::{Synthesizer, Utterance};
#[cfg(not(target_os = "macos"))]
use avfaudio::{Synthesizer, Utterance};
fn main() {
let synthesizer = Synthesizer::new();
let utterance = Utterance::new(ns_string!("Hello from Rust!"));
utterance.set_rate(0.5);
utterance.set_volume(0.5);
synthesizer.speak(&utterance);
// Wait until speech has properly started up
thread::sleep(Duration::from_millis(1000));
// Wait until finished speaking
while synthesizer.is_speaking() {
thread::sleep(Duration::from_millis(100));
}
}Modules§
- array
NSArrayUtilities for theNSArrayandNSMutableArrayclasses. - dictionary
NSDictionaryUtilities for theNSDictionaryandNSMutableDictionaryclasses. - enumerator
NSEnumeratorUtilities for theNSEnumeratorclass. - set
NSSetUtilities for theNSSetandNSMutableSetclasses.
Macros§
- ns_string
NSString
Structs§
- CGPoint
NSGeometryA point in a two-dimensional coordinate system. - CGRect
NSGeometryThe location and dimensions of a rectangle. - CGSize
NSGeometryA two-dimensional size. - MainThreadBound
NSThreadanddispatchMake a type that can only be used on the main thread beSend+Sync. - A marker type taken by functions that can only be executed on the main thread.
- NSActivityOptions
NSProcessInfo - NSAffineTransform
NSAffineTransform - NSAffineTransformStruct
NSAffineTransformandNSGeometry - NSAlignmentOptions
NSGeometry - NSAppleEventDescriptor
NSAppleEventDescriptor - NSAppleEventManager
NSAppleEventManager - NSAppleEventSendOptions
NSAppleEventDescriptor - NSAppleScript
NSAppleScript - NSArray
NSArray - NSAssertionHandler
NSException - NSAttributedString
NSAttributedString - NSAttributedStringEnumerationOptions
NSAttributedString - NSAttributedStringFormattingOptions
NSAttributedString - NSAttributedStringMarkdownInterpretedSyntax
NSAttributedString - NSAttributedStringMarkdownParsingFailurePolicy
NSAttributedString - NSAttributedStringMarkdownParsingOptions
NSAttributedString - NSAttributedStringMarkdownSourcePosition
NSAttributedString - NSAutoreleasePool
NSAutoreleasePool - NSBackgroundActivityResult
NSBackgroundActivityScheduler - NSBackgroundActivityScheduler
NSBackgroundActivityScheduler - NSBinarySearchingOptions
NSArray - NSBlockOperation
NSOperation - NSBundle
NSBundle - NSBundleResourceRequest
NSBundle - NSByteCountFormatter
NSByteCountFormatterandNSFormatter - NSByteCountFormatterCountStyle
NSByteCountFormatter - NSByteCountFormatterUnits
NSByteCountFormatter - NSCache
NSCache - NSCachedURLResponse
NSURLCache - NSCalculationError
NSDecimal - NSCalendar
NSCalendar - NSCalendarOptions
NSCalendar - NSCalendarUnit
NSCalendar - NSCharacterSet
NSCharacterSet - NSClassDescription
NSClassDescription - NSCloneCommand
NSScriptCommandandNSScriptStandardSuiteCommands - NSCloseCommand
NSScriptCommandandNSScriptStandardSuiteCommands - NSCoder
NSCoder - NSCollectionChangeType
NSOrderedCollectionChange - NSComparisonPredicate
NSComparisonPredicateandNSPredicate - NSComparisonPredicateModifier
NSComparisonPredicate - NSComparisonPredicateOptions
NSComparisonPredicate - NSCompoundPredicate
NSCompoundPredicateandNSPredicate - NSCompoundPredicateType
NSCompoundPredicate - NSCondition
NSLock - NSConditionLock
NSLock - NSConstantString
NSString - NSCountCommand
NSScriptCommandandNSScriptStandardSuiteCommands - NSCountedSet
NSSet - NSCreateCommand
NSScriptCommandandNSScriptStandardSuiteCommands - NSData
NSData - NSDataDetector
NSRegularExpression - NSDataReadingOptions
NSData - NSDataSearchOptions
NSData - NSDataWritingOptions
NSData - NSDate
NSDate - NSDateComponents
NSCalendar - NSDateComponentsFormatter
NSDateComponentsFormatterandNSFormatter - NSDateComponentsFormatterUnitsStyle
NSDateComponentsFormatter - NSDateComponentsFormatterZeroFormattingBehavior
NSDateComponentsFormatter - NSDateFormatter
NSDateFormatterandNSFormatter - NSDateFormatterBehavior
NSDateFormatter - NSDateFormatterStyle
NSDateFormatter - NSDateInterval
NSDateInterval - NSDateIntervalFormatter
NSDateIntervalFormatterandNSFormatter - NSDateIntervalFormatterStyle
NSDateIntervalFormatter - NSDecimal
NSDecimal - NSDecimalNumber
NSDecimalNumberandNSValue - NSDecimalNumberHandler
NSDecimalNumber - NSDecodingFailurePolicy
NSCoder - NSDeleteCommand
NSScriptCommandandNSScriptStandardSuiteCommands - NSDictionary
NSDictionary - NSDimension
NSUnit - NSDirectoryEnumerationOptions
NSFileManager - NSDirectoryEnumerator
NSEnumeratorandNSFileManager - NSDistributedLock
NSDistributedLock - NSDistributedNotificationCenter
NSDistributedNotificationCenterandNSNotification - NSDistributedNotificationOptions
NSDistributedNotificationCenter - NSEdgeInsets
NSGeometry - NSEnergyFormatter
NSEnergyFormatterandNSFormatter - NSEnergyFormatterUnit
NSEnergyFormatter - NSEnumerationOptions
NSObjCRuntime - NSEnumerator
NSEnumerator - NSError
NSError - NSException
NSException - NSExistsCommand
NSScriptCommandandNSScriptStandardSuiteCommands - NSExpression
NSExpression - NSExpressionType
NSExpression - NSExtensionContext
NSExtensionContext - NSExtensionItem
NSExtensionItem - NSFastEnumerationState
NSEnumerator - NSFileAccessIntent
NSFileCoordinator - NSFileCoordinator
NSFileCoordinator - NSFileCoordinatorReadingOptions
NSFileCoordinator - NSFileCoordinatorWritingOptions
NSFileCoordinator - NSFileHandle
NSFileHandle - NSFileManager
NSFileManager - NSFileManagerItemReplacementOptions
NSFileManager - NSFileManagerUnmountOptions
NSFileManager - NSFileProviderService
NSFileManager - NSFileSecurity
NSURL - NSFileVersion
NSFileVersion - NSFileVersionAddingOptions
NSFileVersion - NSFileVersionReplacingOptions
NSFileVersion - NSFileWrapper
NSFileWrapper - NSFileWrapperReadingOptions
NSFileWrapper - NSFileWrapperWritingOptions
NSFileWrapper - NSFormatter
NSFormatter - NSFormattingContext
NSFormatter - NSFormattingUnitStyle
NSFormatter - NSGetCommand
NSScriptCommandandNSScriptStandardSuiteCommands - NSGrammaticalCase
NSMorphology - NSGrammaticalDefiniteness
NSMorphology - NSGrammaticalDetermination
NSMorphology - NSGrammaticalGender
NSMorphology - NSGrammaticalNumber
NSMorphology - NSGrammaticalPartOfSpeech
NSMorphology - NSGrammaticalPerson
NSMorphology - NSGrammaticalPronounType
NSMorphology - NSHTTPCookie
NSHTTPCookie - NSHTTPCookieAcceptPolicy
NSHTTPCookieStorage - NSHTTPCookieStorage
NSHTTPCookieStorage - NSHTTPURLResponse
NSURLResponse - NSHashEnumerator
NSHashTable - NSHashTable
NSHashTable - NSHashTableCallBacks
NSHashTableandNSString - NSISO8601DateFormatOptions
NSISO8601DateFormatter - NSISO8601DateFormatter
NSFormatterandNSISO8601DateFormatter - NSIndexPath
NSIndexPath - NSIndexSet
NSIndexSet - NSIndexSpecifier
NSScriptObjectSpecifiers - NSInflectionRule
NSInflectionRule - NSInflectionRuleExplicit
NSInflectionRule - NSInlinePresentationIntent
NSAttributedString - NSInputStream
NSStream - NSInsertionPosition
NSScriptObjectSpecifiers - NSInvocation
NSInvocation - NSInvocationOperation
NSOperation - NSItemProvider
NSItemProvider - NSItemProviderErrorCode
NSItemProvider - NSItemProviderFileOptions
NSItemProvider - NSItemProviderRepresentationVisibility
NSItemProvider - NSJSONReadingOptions
NSJSONSerialization - NSJSONSerialization
NSJSONSerialization - NSJSONWritingOptions
NSJSONSerialization - NSKeyValueChange
NSKeyValueObserving - NSKeyValueObservingOptions
NSKeyValueObserving - NSKeyValueSetMutationKind
NSKeyValueObserving - NSKeyedArchiver
NSCoderandNSKeyedArchiver - NSKeyedUnarchiver
NSCoderandNSKeyedArchiver - NSLengthFormatter
NSFormatterandNSLengthFormatter - NSLengthFormatterUnit
NSLengthFormatter - NSLinguisticTaggerOptions
NSLinguisticTagger - NSLinguisticTaggerUnit
NSLinguisticTagger - NSListFormatter
NSFormatterandNSListFormatter - NSLocale
NSLocale - NSLocaleLanguageDirection
NSLocale - NSLock
NSLock - NSLogicalTest
NSScriptWhoseTests - NSMachPort
NSPort - NSMachPortOptions
NSPort - NSMapEnumerator
NSMapTable - NSMapTable
NSMapTable - NSMapTableKeyCallBacks
NSMapTableandNSString - NSMapTableValueCallBacks
NSMapTableandNSString - NSMassFormatter
NSFormatterandNSMassFormatter - NSMassFormatterUnit
NSMassFormatter - NSMatchingFlags
NSRegularExpression - NSMatchingOptions
NSRegularExpression - NSMeasurement
NSMeasurement - NSMeasurementFormatter
NSFormatterandNSMeasurementFormatter - NSMeasurementFormatterUnitOptions
NSMeasurementFormatter - NSMessagePort
NSPort - NSMetadataItem
NSMetadata - NSMetadataQuery
NSMetadata - NSMetadataQueryAttributeValueTuple
NSMetadata - NSMetadataQueryResultGroup
NSMetadata - NSMethodSignature
NSMethodSignature - NSMiddleSpecifier
NSScriptObjectSpecifiers - NSMorphology
NSMorphology - NSMorphologyPronoun
NSMorphology - NSMoveCommand
NSScriptCommandandNSScriptStandardSuiteCommands - NSMutableArray
NSArray - NSMutableAttributedString
NSAttributedString - NSMutableCharacterSet
NSCharacterSet - NSMutableData
NSData - NSMutableDictionary
NSDictionary - NSMutableIndexSet
NSIndexSet - NSMutableOrderedSet
NSOrderedSet - NSMutableSet
NSSet - NSMutableString
NSString - NSMutableURLRequest
NSURLRequest - NSNameSpecifier
NSScriptObjectSpecifiers - NSNetServiceOptions
NSNetServices - NSNetServicesError
NSNetServices - NSNotification
NSNotification - NSNotificationCenter
NSNotification - NSNotificationCoalescing
NSNotificationQueue - NSNotificationQueue
NSNotificationQueue - NSNotificationSuspensionBehavior
NSDistributedNotificationCenter - NSNull
NSNull - NSNumber
NSValue - NSNumberFormatter
NSFormatterandNSNumberFormatter - NSNumberFormatterBehavior
NSNumberFormatter - NSNumberFormatterPadPosition
NSNumberFormatter - NSNumberFormatterRoundingMode
NSNumberFormatter - NSNumberFormatterStyle
NSNumberFormatter - The root class of most Objective-C class hierarchies.
- NSOperatingSystemVersion
NSProcessInfo - NSOperation
NSOperation - NSOperationQueue
NSOperation - NSOperationQueuePriority
NSOperation - NSOrderedCollectionChange
NSOrderedCollectionChange - NSOrderedCollectionDifference
NSOrderedCollectionDifference - NSOrderedCollectionDifferenceCalculationOptions
NSOrderedCollectionDifference - NSOrderedSet
NSOrderedSet - NSOrthography
NSOrthography - NSOutputStream
NSStream - NSPersonNameComponents
NSPersonNameComponents - NSPersonNameComponentsFormatter
NSFormatterandNSPersonNameComponentsFormatter - NSPersonNameComponentsFormatterOptions
NSPersonNameComponentsFormatter - NSPersonNameComponentsFormatterStyle
NSPersonNameComponentsFormatter - NSPipe
NSFileHandle - NSPointerArray
NSPointerArray - NSPointerFunctions
NSPointerFunctions - NSPointerFunctionsOptions
NSPointerFunctions - NSPort
NSPort - NSPortMessage
NSPortMessage - NSPositionalSpecifier
NSScriptObjectSpecifiers - NSPostingStyle
NSNotificationQueue - NSPredicate
NSPredicate - NSPredicateOperatorType
NSComparisonPredicate - NSPresentationIntent
NSAttributedString - NSPresentationIntentKind
NSAttributedString - NSPresentationIntentTableColumnAlignment
NSAttributedString - NSProcessInfo
NSProcessInfo - NSProcessInfoThermalState
NSProcessInfo - NSProgress
NSProgress - NSPropertyListFormat
NSPropertyList - NSPropertyListMutabilityOptions
NSPropertyList - NSPropertyListSerialization
NSPropertyList - NSPropertySpecifier
NSScriptObjectSpecifiers - NSProtocolChecker
NSProtocolCheckerandNSProxy - NSProxy
NSProxyAn abstract superclass defining an API for objects that act as stand-ins for other objects or for objects that don’t exist yet. - NSPurgeableData
NSData - NSQualityOfService
NSObjCRuntime - NSQuitCommand
NSScriptCommandandNSScriptStandardSuiteCommands - NSRandomSpecifier
NSScriptObjectSpecifiers - NSRange
NSRangeTODO. - NSRangeSpecifier
NSScriptObjectSpecifiers - NSRectEdge
NSGeometry - NSRecursiveLock
NSLock - NSRegularExpression
NSRegularExpression - NSRegularExpressionOptions
NSRegularExpression - NSRelativeDateTimeFormatter
NSFormatterandNSRelativeDateTimeFormatter - NSRelativeDateTimeFormatterStyle
NSRelativeDateTimeFormatter - NSRelativeDateTimeFormatterUnitsStyle
NSRelativeDateTimeFormatter - NSRelativePosition
NSScriptObjectSpecifiers - NSRelativeSpecifier
NSScriptObjectSpecifiers - NSRoundingMode
NSDecimal - NSRunLoop
NSRunLoop - NSSaveOptions
NSScriptStandardSuiteCommands - NSScanner
NSScanner - NSScriptClassDescription
NSClassDescriptionandNSScriptClassDescription - NSScriptCoercionHandler
NSScriptCoercionHandler - NSScriptCommand
NSScriptCommand - NSScriptCommandDescription
NSScriptCommandDescription - NSScriptExecutionContext
NSScriptExecutionContext - NSScriptObjectSpecifier
NSScriptObjectSpecifiers - NSScriptSuiteRegistry
NSScriptSuiteRegistry - NSScriptWhoseTest
NSScriptWhoseTests - NSSearchPathDirectory
NSPathUtilities - NSSearchPathDomainMask
NSPathUtilities - NSSecureUnarchiveFromDataTransformer
NSValueTransformer - NSSet
NSSet - NSSetCommand
NSScriptCommandandNSScriptStandardSuiteCommands - NSSimpleCString
NSString - NSSocketPort
NSPort - NSSortDescriptor
NSSortDescriptor - NSSortOptions
NSObjCRuntime - NSSpecifierTest
NSScriptWhoseTests - NSSpellServer
NSSpellServer - NSStream
NSStream - NSStreamEvent
NSStream - NSStreamStatus
NSStream - NSString
NSString - NSStringCompareOptions
NSString - NSStringEnumerationOptions
NSString - NSSwappedDouble
NSByteOrder - NSSwappedFloat
NSByteOrder - NSTask
NSTask - NSTaskTerminationReason
NSTask - NSTermOfAddress
NSTermOfAddress - NSTestComparisonOperation
NSScriptWhoseTests - NSTextCheckingResult
NSTextCheckingResult - NSTextCheckingType
NSTextCheckingResult - NSThread
NSThread - NSTimeZone
NSTimeZone - NSTimeZoneNameStyle
NSTimeZone - NSTimer
NSTimer - NSURL
NSURL - NSURLAuthenticationChallenge
NSURLAuthenticationChallenge - NSURLCache
NSURLCache - NSURLCacheStoragePolicy
NSURLCache - NSURLComponents
NSURL - NSURLConnection
NSURLConnection - NSURLCredential
NSURLCredential - NSURLCredentialPersistence
NSURLCredential - NSURLCredentialStorage
NSURLCredentialStorage - NSURLDownload
NSURLDownload - NSURLErrorNetworkUnavailableReason
NSURLError - NSURLHandle
NSURLHandle - NSURLHandleStatus
NSURLHandle - NSURLProtectionSpace
NSURLProtectionSpace - NSURLProtocol
NSURLProtocol - NSURLQueryItem
NSURL - NSURLRelationship
NSFileManager - NSURLRequest
NSURLRequest - NSURLRequestAttribution
NSURLRequest - NSURLRequestCachePolicy
NSURLRequest - NSURLRequestNetworkServiceType
NSURLRequest - NSURLResponse
NSURLResponse - NSURLSession
NSURLSession - NSURLSessionAuthChallengeDisposition
NSURLSession - NSURLSessionConfiguration
NSURLSession - NSURLSessionDataTask
NSURLSession - NSURLSessionDelayedRequestDisposition
NSURLSession - NSURLSessionDownloadTask
NSURLSession - NSURLSessionMultipathServiceType
NSURLSession - NSURLSessionResponseDisposition
NSURLSession - NSURLSessionStreamTask
NSURLSession - NSURLSessionTask
NSURLSession - NSURLSessionTaskMetrics
NSURLSession - NSURLSessionTaskMetricsDomainResolutionProtocol
NSURLSession - NSURLSessionTaskMetricsResourceFetchType
NSURLSession - NSURLSessionTaskState
NSURLSession - NSURLSessionTaskTransactionMetrics
NSURLSession - NSURLSessionUploadTask
NSURLSession - NSURLSessionWebSocketCloseCode
NSURLSession - NSURLSessionWebSocketMessage
NSURLSession - NSURLSessionWebSocketMessageType
NSURLSession - NSURLSessionWebSocketTask
NSURLSession - NSUUID
NSUUID - NSUbiquitousKeyValueStore
NSUbiquitousKeyValueStore - NSUndoManager
NSUndoManager - NSUniqueIDSpecifier
NSScriptObjectSpecifiers - NSUnit
NSUnit - NSUnitAcceleration
NSUnit - NSUnitAngle
NSUnit - NSUnitArea
NSUnit - NSUnitConcentrationMass
NSUnit - NSUnitConverter
NSUnit - NSUnitConverterLinear
NSUnit - NSUnitDispersion
NSUnit - NSUnitDuration
NSUnit - NSUnitElectricCharge
NSUnit - NSUnitElectricCurrent
NSUnit - NSUnitElectricResistance
NSUnit - NSUnitEnergy
NSUnit - NSUnitFrequency
NSUnit - NSUnitFuelEfficiency
NSUnit - NSUnitIlluminance
NSUnit - NSUnitInformationStorage
NSUnit - NSUnitLength
NSUnit - NSUnitMass
NSUnit - NSUnitPower
NSUnit - NSUnitPressure
NSUnit - NSUnitSpeed
NSUnit - NSUnitTemperature
NSUnit - NSUnitVolume
NSUnit - NSUserActivity
NSUserActivity - NSUserAppleScriptTask
NSUserScriptTask - NSUserAutomatorTask
NSUserScriptTask - NSUserDefaults
NSUserDefaults - NSUserScriptTask
NSUserScriptTask - NSUserUnixTask
NSUserScriptTask - NSValue
NSValue - NSValueTransformer
NSValueTransformer - NSVolumeEnumerationOptions
NSFileManager - NSWhoseSpecifier
NSScriptObjectSpecifiers - NSWhoseSubelementIdentifier
NSScriptObjectSpecifiers - NSXMLDTD
NSXMLDTDandNSXMLNode - NSXMLDTDNode
NSXMLDTDNodeandNSXMLNode - NSXMLDTDNodeKind
NSXMLDTDNode - NSXMLDocument
NSXMLDocumentandNSXMLNode - NSXMLDocumentContentKind
NSXMLDocument - NSXMLElement
NSXMLElementandNSXMLNode - NSXMLNode
NSXMLNode - NSXMLNodeKind
NSXMLNode - NSXMLNodeOptions
NSXMLNodeOptions - NSXMLParser
NSXMLParser - NSXMLParserError
NSXMLParser - NSXMLParserExternalEntityResolvingPolicy
NSXMLParser - NSXPCCoder
NSCoderandNSXPCConnection - NSXPCConnection
NSXPCConnection - NSXPCConnectionOptions
NSXPCConnection - NSXPCInterface
NSXPCConnection - NSXPCListener
NSXPCConnection - NSXPCListenerEndpoint
NSXPCConnection - NSZone
NSZoneA type used to identify and manage memory zones.
Enums§
- NSComparisonResult
NSObjCRuntimeConstants that indicate sort order.
Constants§
- NSASCIIStringEncoding
NSString - NSArgumentEvaluationScriptError
NSScriptCommand - NSArgumentsWrongScriptError
NSScriptCommand - NSBundleErrorMaximum
FoundationErrors - NSBundleErrorMinimum
FoundationErrors - NSBundleOnDemandResourceExceededMaximumSizeError
FoundationErrors - NSBundleOnDemandResourceInvalidTagError
FoundationErrors - NSBundleOnDemandResourceOutOfSpaceError
FoundationErrors - NSCannotCreateScriptCommandError
NSScriptCommand - NSCloudSharingConflictError
FoundationErrors - NSCloudSharingErrorMaximum
FoundationErrors - NSCloudSharingErrorMinimum
FoundationErrors - NSCloudSharingNetworkFailureError
FoundationErrors - NSCloudSharingNoPermissionError
FoundationErrors - NSCloudSharingOtherError
FoundationErrors - NSCloudSharingQuotaExceededError
FoundationErrors - NSCloudSharingTooManyParticipantsError
FoundationErrors - NSCoderErrorMaximum
FoundationErrors - NSCoderErrorMinimum
FoundationErrors - NSCoderInvalidValueError
FoundationErrors - NSCoderReadCorruptError
FoundationErrors - NSCoderValueNotFoundError
FoundationErrors - NSCompressionErrorMaximum
FoundationErrors - NSCompressionErrorMinimum
FoundationErrors - NSCompressionFailedError
FoundationErrors - NSContainerSpecifierError
NSScriptObjectSpecifiers - NSDateComponentUndefined
NSCalendar - NSDecompressionFailedError
FoundationErrors - NSExecutableArchitectureMismatchError
FoundationErrors - NSExecutableErrorMaximum
FoundationErrors - NSExecutableErrorMinimum
FoundationErrors - NSExecutableLinkError
FoundationErrors - NSExecutableLoadError
FoundationErrors - NSExecutableNotLoadableError
FoundationErrors - NSExecutableRuntimeMismatchError
FoundationErrors - NSFeatureUnsupportedError
FoundationErrors - NSFileErrorMaximum
FoundationErrors - NSFileErrorMinimum
FoundationErrors - NSFileLockingError
FoundationErrors - NSFileManagerUnmountBusyError
FoundationErrors - NSFileManagerUnmountUnknownError
FoundationErrors - NSFileNoSuchFileError
FoundationErrors - NSFileReadCorruptFileError
FoundationErrors - NSFileReadInapplicableStringEncodingError
FoundationErrors - NSFileReadInvalidFileNameError
FoundationErrors - NSFileReadNoPermissionError
FoundationErrors - NSFileReadNoSuchFileError
FoundationErrors - NSFileReadTooLargeError
FoundationErrors - NSFileReadUnknownError
FoundationErrors - NSFileReadUnknownStringEncodingError
FoundationErrors - NSFileReadUnsupportedSchemeError
FoundationErrors - NSFileWriteFileExistsError
FoundationErrors - NSFileWriteInapplicableStringEncodingError
FoundationErrors - NSFileWriteInvalidFileNameError
FoundationErrors - NSFileWriteNoPermissionError
FoundationErrors - NSFileWriteOutOfSpaceError
FoundationErrors - NSFileWriteUnknownError
FoundationErrors - NSFileWriteUnsupportedSchemeError
FoundationErrors - NSFileWriteVolumeReadOnlyError
FoundationErrors - NSFormattingError
FoundationErrors - NSFormattingErrorMaximum
FoundationErrors - NSFormattingErrorMinimum
FoundationErrors - NSISO2022JPStringEncoding
NSString - NSISOLatin1StringEncoding
NSString - NSISOLatin2StringEncoding
NSString - NSInternalScriptError
NSScriptCommand - NSInternalSpecifierError
NSScriptObjectSpecifiers - NSInvalidIndexSpecifierError
NSScriptObjectSpecifiers - NSJapaneseEUCStringEncoding
NSString - NSKeySpecifierEvaluationScriptError
NSScriptCommand - NSKeyValueValidationError
FoundationErrors - NSMacOSRomanStringEncoding
NSString - NSNEXTSTEPStringEncoding
NSString - NSNoScriptError
NSScriptCommand - NSNoSpecifierError
NSScriptObjectSpecifiers - NSNoTopLevelContainersSpecifierError
NSScriptObjectSpecifiers - NSNonLossyASCIIStringEncoding
NSString - NSOpenStepUnicodeReservedBase
NSCharacterSet - NSOperationNotSupportedForKeyScriptError
NSScriptCommand - NSOperationNotSupportedForKeySpecifierError
NSScriptObjectSpecifiers - NSPropertyListErrorMaximum
FoundationErrors - NSPropertyListErrorMinimum
FoundationErrors - NSPropertyListReadCorruptError
FoundationErrors - NSPropertyListReadStreamError
FoundationErrors - NSPropertyListReadUnknownVersionError
FoundationErrors - NSPropertyListWriteInvalidError
FoundationErrors - NSPropertyListWriteStreamError
FoundationErrors - NSReceiverEvaluationScriptError
NSScriptCommand - NSReceiversCantHandleCommandScriptError
NSScriptCommand - NSRequiredArgumentsMissingScriptError
NSScriptCommand - NSScannedOption
NSZone - NSShiftJISStringEncoding
NSString - NSSymbolStringEncoding
NSString - NSTextCheckingAllCustomTypes
NSTextCheckingResult - NSTextCheckingAllSystemTypes
NSTextCheckingResult - NSTextCheckingAllTypes
NSTextCheckingResult - NSURLErrorBadServerResponse
NSURLError - NSURLErrorBadURL
NSURLError - NSURLErrorCallIsActive
NSURLError - NSURLErrorCancelled
NSURLError - NSURLErrorCannotCloseFile
NSURLError - NSURLErrorCannotConnectToHost
NSURLError - NSURLErrorCannotCreateFile
NSURLError - NSURLErrorCannotDecodeContentData
NSURLError - NSURLErrorCannotDecodeRawData
NSURLError - NSURLErrorCannotFindHost
NSURLError - NSURLErrorCannotLoadFromNetwork
NSURLError - NSURLErrorCannotMoveFile
NSURLError - NSURLErrorCannotOpenFile
NSURLError - NSURLErrorCannotParseResponse
NSURLError - NSURLErrorCannotRemoveFile
NSURLError - NSURLErrorCannotWriteToFile
NSURLError - NSURLErrorClientCertificateRejected
NSURLError - NSURLErrorClientCertificateRequired
NSURLError - NSURLErrorDNSLookupFailed
NSURLError - NSURLErrorDataLengthExceedsMaximum
NSURLError - NSURLErrorDataNotAllowed
NSURLError - NSURLErrorFileDoesNotExist
NSURLError - NSURLErrorFileIsDirectory
NSURLError - NSURLErrorFileOutsideSafeArea
NSURLError - NSURLErrorHTTPTooManyRedirects
NSURLError - NSURLErrorInternationalRoamingOff
NSURLError - NSURLErrorNetworkConnectionLost
NSURLError - NSURLErrorNoPermissionsToReadFile
NSURLError - NSURLErrorNotConnectedToInternet
NSURLError - NSURLErrorRedirectToNonExistentLocation
NSURLError - NSURLErrorRequestBodyStreamExhausted
NSURLError - NSURLErrorResourceUnavailable
NSURLError - NSURLErrorSecureConnectionFailed
NSURLError - NSURLErrorServerCertificateHasBadDate
NSURLError - NSURLErrorServerCertificateNotYetValid
NSURLError - NSURLErrorServerCertificateUntrusted
NSURLError - NSURLErrorTimedOut
NSURLError - NSURLErrorUnknown
NSURLError - NSURLErrorUnsupportedURL
NSURLError - NSURLErrorUserAuthenticationRequired
NSURLError - NSURLErrorUserCancelledAuthentication
NSURLError - NSURLErrorZeroByteResource
NSURLError - NSUTF8StringEncoding
NSString - NSUTF16BigEndianStringEncoding
NSString - NSUTF16StringEncoding
NSString - NSUTF32BigEndianStringEncoding
NSString - NSUTF32StringEncoding
NSString - NSUbiquitousFileErrorMaximum
FoundationErrors - NSUbiquitousFileErrorMinimum
FoundationErrors - NSUbiquitousFileNotUploadedDueToQuotaError
FoundationErrors - NSUbiquitousFileUbiquityServerNotAvailable
FoundationErrors - NSUbiquitousFileUnavailableError
FoundationErrors - NSUbiquitousKeyValueStoreAccountChange
NSUbiquitousKeyValueStore - NSUbiquitousKeyValueStoreInitialSyncChange
NSUbiquitousKeyValueStore - NSUbiquitousKeyValueStoreQuotaViolationChange
NSUbiquitousKeyValueStore - NSUbiquitousKeyValueStoreServerChange
NSUbiquitousKeyValueStore - NSUnicodeStringEncoding
NSString - NSUnknownKeyScriptError
NSScriptCommand - NSUnknownKeySpecifierError
NSScriptObjectSpecifiers - NSUserActivityConnectionUnavailableError
FoundationErrors - NSUserActivityErrorMaximum
FoundationErrors - NSUserActivityErrorMinimum
FoundationErrors - NSUserActivityHandoffFailedError
FoundationErrors - NSUserActivityHandoffUserInfoTooLargeError
FoundationErrors - NSUserActivityRemoteApplicationTimedOutError
FoundationErrors - NSUserCancelledError
FoundationErrors - NSValidationErrorMaximum
FoundationErrors - NSValidationErrorMinimum
FoundationErrors - NSWindowsCP1250StringEncoding
NSString - NSWindowsCP1251StringEncoding
NSString - NSWindowsCP1252StringEncoding
NSString - NSWindowsCP1253StringEncoding
NSString - NSWindowsCP1254StringEncoding
NSString - NSXPCConnectionCodeSigningRequirementFailure
FoundationErrors - NSXPCConnectionErrorMaximum
FoundationErrors - NSXPCConnectionErrorMinimum
FoundationErrors - NSXPCConnectionInterrupted
FoundationErrors - NSXPCConnectionInvalid
FoundationErrors - NSXPCConnectionReplyInvalid
FoundationErrors
Statics§
- NSAMPMDesignation
NSUserDefaultsandNSString - NSAlternateDescriptionAttributeName
NSAttributedStringandNSString - NSAppleEventManagerWillProcessFirstEventNotification
NSNotificationandNSStringandNSAppleEventManager - NSAppleEventTimeOutDefault
NSAppleEventManager - NSAppleEventTimeOutNone
NSAppleEventManager - NSAppleScriptErrorAppName
NSAppleScriptandNSString - NSAppleScriptErrorBriefMessage
NSAppleScriptandNSString - NSAppleScriptErrorMessage
NSAppleScriptandNSString - NSAppleScriptErrorNumber
NSAppleScriptandNSString - NSAppleScriptErrorRange
NSAppleScriptandNSString - NSArgumentDomain
NSUserDefaultsandNSString - NSAssertionHandlerKey
NSExceptionandNSString - NSAverageKeyValueOperator
NSKeyValueCodingandNSString - NSBuddhistCalendar
NSLocaleandNSString - NSBundleDidLoadNotification
NSNotificationandNSStringandNSBundle - NSBundleResourceRequestLowDiskSpaceNotification
NSNotificationandNSStringandNSBundle - NSCalendarDayChangedNotification
NSNotificationandNSStringandNSCalendar - NSCalendarIdentifierBuddhist
NSCalendarandNSString - NSCalendarIdentifierChinese
NSCalendarandNSString - NSCalendarIdentifierCoptic
NSCalendarandNSString - NSCalendarIdentifierEthiopicAmeteAlem
NSCalendarandNSString - NSCalendarIdentifierEthiopicAmeteMihret
NSCalendarandNSString - NSCalendarIdentifierGregorian
NSCalendarandNSString - NSCalendarIdentifierHebrew
NSCalendarandNSString - NSCalendarIdentifierISO8601
NSCalendarandNSString - NSCalendarIdentifierIndian
NSCalendarandNSString - NSCalendarIdentifierIslamic
NSCalendarandNSString - NSCalendarIdentifierIslamicCivil
NSCalendarandNSString - NSCalendarIdentifierIslamicTabular
NSCalendarandNSString - NSCalendarIdentifierIslamicUmmAlQura
NSCalendarandNSString - NSCalendarIdentifierJapanese
NSCalendarandNSString - NSCalendarIdentifierPersian
NSCalendarandNSString - NSCalendarIdentifierRepublicOfChina
NSCalendarandNSString - NSCharacterConversionException
NSStringandNSObjCRuntime - NSChineseCalendar
NSLocaleandNSString - NSClassDescriptionNeededForClassNotification
NSNotificationandNSStringandNSClassDescription - NSCocoaErrorDomain
NSErrorandNSString - NSConnectionDidDieNotification
NSConnectionandNSString - NSConnectionDidInitializeNotification
NSConnectionandNSString - NSConnectionReplyMode
NSConnectionandNSString - NSCountKeyValueOperator
NSKeyValueCodingandNSString - NSCurrencySymbol
NSUserDefaultsandNSString - NSCurrentLocaleDidChangeNotification
NSNotificationandNSStringandNSLocale - NSDateFormatString
NSUserDefaultsandNSString - NSDateTimeOrdering
NSUserDefaultsandNSString - NSDebugDescriptionErrorKey
NSErrorandNSString - NSDecimalDigits
NSUserDefaultsandNSString - NSDecimalNumberDivideByZeroException
NSObjCRuntimeandNSStringandNSDecimalNumber - NSDecimalNumberExactnessException
NSObjCRuntimeandNSStringandNSDecimalNumber - NSDecimalNumberOverflowException
NSObjCRuntimeandNSStringandNSDecimalNumber - NSDecimalNumberUnderflowException
NSObjCRuntimeandNSStringandNSDecimalNumber - NSDecimalSeparator
NSUserDefaultsandNSString - NSDefaultRunLoopMode
NSObjCRuntimeandNSStringandNSRunLoop - NSDestinationInvalidException
NSObjCRuntimeandNSStringandNSException - NSDidBecomeSingleThreadedNotification
NSNotificationandNSStringandNSThread - NSDistinctUnionOfArraysKeyValueOperator
NSKeyValueCodingandNSString - NSDistinctUnionOfObjectsKeyValueOperator
NSKeyValueCodingandNSString - NSDistinctUnionOfSetsKeyValueOperator
NSKeyValueCodingandNSString - NSEarlierTimeDesignations
NSUserDefaultsandNSString - NSEdgeInsetsZero
NSGeometry - NSErrorFailingURLStringKey
NSURLErrorandNSString - NSExtensionHostDidBecomeActiveNotification
NSExtensionContextandNSString - NSExtensionHostDidEnterBackgroundNotification
NSExtensionContextandNSString - NSExtensionHostWillEnterForegroundNotification
NSExtensionContextandNSString - NSExtensionHostWillResignActiveNotification
NSExtensionContextandNSString - NSExtensionItemAttachmentsKey
NSExtensionItemandNSString - NSExtensionItemAttributedContentTextKey
NSExtensionItemandNSString - NSExtensionItemAttributedTitleKey
NSExtensionItemandNSString - NSExtensionItemsAndErrorsKey
NSExtensionContextandNSString - NSExtensionJavaScriptFinalizeArgumentKey
NSItemProviderandNSString - NSExtensionJavaScriptPreprocessingResultsKey
NSItemProviderandNSString - NSFTPPropertyActiveTransferModeKey
NSURLHandleandNSString - NSFTPPropertyFTPProxy
NSURLHandleandNSString - NSFTPPropertyFileOffsetKey
NSURLHandleandNSString - NSFTPPropertyUserLoginKey
NSURLHandleandNSString - NSFTPPropertyUserPasswordKey
NSURLHandleandNSString - NSFailedAuthenticationException
NSConnectionandNSString - NSFileAppendOnly
NSFileManagerandNSString - NSFileBusy
NSFileManagerandNSString - NSFileCreationDate
NSFileManagerandNSString - NSFileDeviceIdentifier
NSFileManagerandNSString - NSFileExtensionHidden
NSFileManagerandNSString - NSFileGroupOwnerAccountID
NSFileManagerandNSString - NSFileGroupOwnerAccountName
NSFileManagerandNSString - NSFileHFSCreatorCode
NSFileManagerandNSString - NSFileHFSTypeCode
NSFileManagerandNSString - NSFileHandleConnectionAcceptedNotification
NSNotificationandNSStringandNSFileHandle - NSFileHandleDataAvailableNotification
NSNotificationandNSStringandNSFileHandle - NSFileHandleNotificationDataItem
NSFileHandleandNSString - NSFileHandleNotificationFileHandleItem
NSFileHandleandNSString - NSFileHandleNotificationMonitorModes
NSFileHandleandNSString - NSFileHandleOperationException
NSObjCRuntimeandNSStringandNSFileHandle - NSFileHandleReadCompletionNotification
NSNotificationandNSStringandNSFileHandle - NSFileHandleReadToEndOfFileCompletionNotification
NSNotificationandNSStringandNSFileHandle - NSFileImmutable
NSFileManagerandNSString - NSFileManagerUnmountDissentingProcessIdentifierErrorKey
NSFileManagerandNSString - NSFileModificationDate
NSFileManagerandNSString - NSFileOwnerAccountID
NSFileManagerandNSString - NSFileOwnerAccountName
NSFileManagerandNSString - NSFilePathErrorKey
NSErrorandNSString - NSFilePosixPermissions
NSFileManagerandNSString - NSFileProtectionComplete
NSFileManagerandNSString - NSFileProtectionCompleteUnlessOpen
NSFileManagerandNSString - NSFileProtectionCompleteUntilFirstUserAuthentication
NSFileManagerandNSString - NSFileProtectionCompleteWhenUserInactive
NSFileManagerandNSString - NSFileProtectionKey
NSFileManagerandNSString - NSFileProtectionNone
NSFileManagerandNSString - NSFileReferenceCount
NSFileManagerandNSString - NSFileSize
NSFileManagerandNSString - NSFileSystemFileNumber
NSFileManagerandNSString - NSFileSystemFreeNodes
NSFileManagerandNSString - NSFileSystemFreeSize
NSFileManagerandNSString - NSFileSystemNodes
NSFileManagerandNSString - NSFileSystemNumber
NSFileManagerandNSString - NSFileSystemSize
NSFileManagerandNSString - NSFileType
NSFileManagerandNSString - NSFileTypeBlockSpecial
NSFileManagerandNSString - NSFileTypeCharacterSpecial
NSFileManagerandNSString - NSFileTypeDirectory
NSFileManagerandNSString - NSFileTypeRegular
NSFileManagerandNSString - NSFileTypeSocket
NSFileManagerandNSString - NSFileTypeSymbolicLink
NSFileManagerandNSString - NSFileTypeUnknown
NSFileManagerandNSString - NSFoundationVersionNumber
NSObjCRuntime - NSGenericException
NSObjCRuntimeandNSStringandNSException - NSGlobalDomain
NSUserDefaultsandNSString - NSGrammarCorrections
NSSpellServerandNSString - NSGrammarRange
NSSpellServerandNSString - NSGrammarUserDescription
NSSpellServerandNSString - NSGregorianCalendar
NSLocaleandNSString - NSHTTPCookieComment
NSHTTPCookieandNSString - NSHTTPCookieCommentURL
NSHTTPCookieandNSString - NSHTTPCookieDiscard
NSHTTPCookieandNSString - NSHTTPCookieDomain
NSHTTPCookieandNSString - NSHTTPCookieExpires
NSHTTPCookieandNSString - NSHTTPCookieManagerAcceptPolicyChangedNotification
NSNotificationandNSStringandNSHTTPCookieStorage - NSHTTPCookieManagerCookiesChangedNotification
NSNotificationandNSStringandNSHTTPCookieStorage - NSHTTPCookieMaximumAge
NSHTTPCookieandNSString - NSHTTPCookieName
NSHTTPCookieandNSString - NSHTTPCookieOriginURL
NSHTTPCookieandNSString - NSHTTPCookiePath
NSHTTPCookieandNSString - NSHTTPCookiePort
NSHTTPCookieandNSString - NSHTTPCookieSameSiteLax
NSHTTPCookieandNSString - NSHTTPCookieSameSitePolicy
NSHTTPCookieandNSString - NSHTTPCookieSameSiteStrict
NSHTTPCookieandNSString - NSHTTPCookieSecure
NSHTTPCookieandNSString - NSHTTPCookieValue
NSHTTPCookieandNSString - NSHTTPCookieVersion
NSHTTPCookieandNSString - NSHTTPPropertyErrorPageDataKey
NSURLHandleandNSString - NSHTTPPropertyHTTPProxy
NSURLHandleandNSString - NSHTTPPropertyRedirectionHeadersKey
NSURLHandleandNSString - NSHTTPPropertyServerHTTPVersionKey
NSURLHandleandNSString - NSHTTPPropertyStatusCodeKey
NSURLHandleandNSString - NSHTTPPropertyStatusReasonKey
NSURLHandleandNSString - NSHashTableCopyIn
NSHashTableandNSPointerFunctions - NSHashTableObjectPointerPersonality
NSHashTableandNSPointerFunctions - NSHashTableStrongMemory
NSHashTableandNSPointerFunctions - NSHashTableWeakMemory
NSHashTableandNSPointerFunctions - NSHashTableZeroingWeakMemory
NSHashTableandNSPointerFunctions - NSHebrewCalendar
NSLocaleandNSString - NSHelpAnchorErrorKey
NSErrorandNSString - NSHourNameDesignations
NSUserDefaultsandNSString - NSISO8601Calendar
NSLocaleandNSString - NSImageURLAttributeName
NSAttributedStringandNSString - NSInconsistentArchiveException
NSObjCRuntimeandNSStringandNSException - NSIndianCalendar
NSLocaleandNSString - NSInflectionAgreementArgumentAttributeName
NSAttributedStringandNSString - NSInflectionAgreementConceptAttributeName
NSAttributedStringandNSString - NSInflectionAlternativeAttributeName
NSAttributedStringandNSString - NSInflectionConceptsKey
NSAttributedStringandNSString - NSInflectionReferentConceptAttributeName
NSAttributedStringandNSString - NSInflectionRuleAttributeName
NSAttributedStringandNSString - NSInlinePresentationIntentAttributeName
NSAttributedStringandNSString - NSIntHashCallBacks
NSHashTableandNSString - NSIntMapKeyCallBacks
NSMapTableandNSString - NSIntMapValueCallBacks
NSMapTableandNSString - NSIntegerHashCallBacks
NSHashTableandNSString - NSIntegerMapKeyCallBacks
NSMapTableandNSString - NSIntegerMapValueCallBacks
NSMapTableandNSString - NSInternalInconsistencyException
NSObjCRuntimeandNSStringandNSException - NSInternationalCurrencyString
NSUserDefaultsandNSString - NSInvalidArchiveOperationException
NSObjCRuntimeandNSStringandNSKeyedArchiver - NSInvalidArgumentException
NSObjCRuntimeandNSStringandNSException - NSInvalidReceivePortException
NSObjCRuntimeandNSStringandNSException - NSInvalidSendPortException
NSObjCRuntimeandNSStringandNSException - NSInvalidUnarchiveOperationException
NSObjCRuntimeandNSStringandNSKeyedArchiver - NSInvocationOperationCancelledException
NSObjCRuntimeandNSStringandNSOperation - NSInvocationOperationVoidResultException
NSObjCRuntimeandNSStringandNSOperation - NSIsNilTransformerName
NSValueTransformerandNSString - NSIsNotNilTransformerName
NSValueTransformerandNSString - NSIslamicCalendar
NSLocaleandNSString - NSIslamicCivilCalendar
NSLocaleandNSString - NSItemProviderErrorDomain
NSItemProviderandNSString - NSItemProviderPreferredImageSizeKey
NSItemProviderandNSString - NSJapaneseCalendar
NSLocaleandNSString - NSKeyValueChangeIndexesKey
NSKeyValueObservingandNSString - NSKeyValueChangeKindKey
NSKeyValueObservingandNSString - NSKeyValueChangeNewKey
NSKeyValueObservingandNSString - NSKeyValueChangeNotificationIsPriorKey
NSKeyValueObservingandNSString - NSKeyValueChangeOldKey
NSKeyValueObservingandNSString - NSKeyedArchiveRootObjectKey
NSKeyedArchiverandNSString - NSKeyedUnarchiveFromDataTransformerName
NSValueTransformerandNSString - NSLanguageIdentifierAttributeName
NSAttributedStringandNSString - NSLaterTimeDesignations
NSUserDefaultsandNSString - NSLinguisticTagAdjective
NSLinguisticTaggerandNSString - NSLinguisticTagAdverb
NSLinguisticTaggerandNSString - NSLinguisticTagClassifier
NSLinguisticTaggerandNSString - NSLinguisticTagCloseParenthesis
NSLinguisticTaggerandNSString - NSLinguisticTagCloseQuote
NSLinguisticTaggerandNSString - NSLinguisticTagConjunction
NSLinguisticTaggerandNSString - NSLinguisticTagDash
NSLinguisticTaggerandNSString - NSLinguisticTagDeterminer
NSLinguisticTaggerandNSString - NSLinguisticTagIdiom
NSLinguisticTaggerandNSString - NSLinguisticTagInterjection
NSLinguisticTaggerandNSString - NSLinguisticTagNoun
NSLinguisticTaggerandNSString - NSLinguisticTagNumber
NSLinguisticTaggerandNSString - NSLinguisticTagOpenParenthesis
NSLinguisticTaggerandNSString - NSLinguisticTagOpenQuote
NSLinguisticTaggerandNSString - NSLinguisticTagOrganizationName
NSLinguisticTaggerandNSString - NSLinguisticTagOther
NSLinguisticTaggerandNSString - NSLinguisticTagOtherPunctuation
NSLinguisticTaggerandNSString - NSLinguisticTagOtherWhitespace
NSLinguisticTaggerandNSString - NSLinguisticTagOtherWord
NSLinguisticTaggerandNSString - NSLinguisticTagParagraphBreak
NSLinguisticTaggerandNSString - NSLinguisticTagParticle
NSLinguisticTaggerandNSString - NSLinguisticTagPersonalName
NSLinguisticTaggerandNSString - NSLinguisticTagPlaceName
NSLinguisticTaggerandNSString - NSLinguisticTagPreposition
NSLinguisticTaggerandNSString - NSLinguisticTagPronoun
NSLinguisticTaggerandNSString - NSLinguisticTagPunctuation
NSLinguisticTaggerandNSString - NSLinguisticTagSchemeLanguage
NSLinguisticTaggerandNSString - NSLinguisticTagSchemeLemma
NSLinguisticTaggerandNSString - NSLinguisticTagSchemeLexicalClass
NSLinguisticTaggerandNSString - NSLinguisticTagSchemeNameType
NSLinguisticTaggerandNSString - NSLinguisticTagSchemeNameTypeOrLexicalClass
NSLinguisticTaggerandNSString - NSLinguisticTagSchemeScript
NSLinguisticTaggerandNSString - NSLinguisticTagSchemeTokenType
NSLinguisticTaggerandNSString - NSLinguisticTagSentenceTerminator
NSLinguisticTaggerandNSString - NSLinguisticTagVerb
NSLinguisticTaggerandNSString - NSLinguisticTagWhitespace
NSLinguisticTaggerandNSString - NSLinguisticTagWord
NSLinguisticTaggerandNSString - NSLinguisticTagWordJoiner
NSLinguisticTaggerandNSString - NSLoadedClasses
NSBundleandNSString - NSLocalNotificationCenterType
NSDistributedNotificationCenterandNSString - NSLocaleAlternateQuotationBeginDelimiterKey
NSLocaleandNSString - NSLocaleAlternateQuotationEndDelimiterKey
NSLocaleandNSString - NSLocaleCalendar
NSLocaleandNSString - NSLocaleCollationIdentifier
NSLocaleandNSString - NSLocaleCollatorIdentifier
NSLocaleandNSString - NSLocaleCountryCode
NSLocaleandNSString - NSLocaleCurrencyCode
NSLocaleandNSString - NSLocaleCurrencySymbol
NSLocaleandNSString - NSLocaleDecimalSeparator
NSLocaleandNSString - NSLocaleExemplarCharacterSet
NSLocaleandNSString - NSLocaleGroupingSeparator
NSLocaleandNSString - NSLocaleIdentifier
NSLocaleandNSString - NSLocaleLanguageCode
NSLocaleandNSString - NSLocaleMeasurementSystem
NSLocaleandNSString - NSLocaleQuotationBeginDelimiterKey
NSLocaleandNSString - NSLocaleQuotationEndDelimiterKey
NSLocaleandNSString - NSLocaleScriptCode
NSLocaleandNSString - NSLocaleUsesMetricSystem
NSLocaleandNSString - NSLocaleVariantCode
NSLocaleandNSString - NSLocalizedDescriptionKey
NSErrorandNSString - NSLocalizedFailureErrorKey
NSErrorandNSString - NSLocalizedFailureReasonErrorKey
NSErrorandNSString - NSLocalizedRecoveryOptionsErrorKey
NSErrorandNSString - NSLocalizedRecoverySuggestionErrorKey
NSErrorandNSString - NSMachErrorDomain
NSErrorandNSString - NSMallocException
NSObjCRuntimeandNSStringandNSException - NSMapTableCopyIn
NSMapTableandNSPointerFunctions - NSMapTableObjectPointerPersonality
NSMapTableandNSPointerFunctions - NSMapTableStrongMemory
NSMapTableandNSPointerFunctions - NSMapTableWeakMemory
NSMapTableandNSPointerFunctions - NSMapTableZeroingWeakMemory
NSMapTableandNSPointerFunctions - NSMarkdownSourcePositionAttributeName
NSAttributedStringandNSString - NSMaximumKeyValueOperator
NSKeyValueCodingandNSString - NSMetadataItemAcquisitionMakeKey
NSMetadataAttributesandNSString - NSMetadataItemAcquisitionModelKey
NSMetadataAttributesandNSString - NSMetadataItemAlbumKey
NSMetadataAttributesandNSString - NSMetadataItemAltitudeKey
NSMetadataAttributesandNSString - NSMetadataItemApertureKey
NSMetadataAttributesandNSString - NSMetadataItemAppleLoopDescriptorsKey
NSMetadataAttributesandNSString - NSMetadataItemAppleLoopsKeyFilterTypeKey
NSMetadataAttributesandNSString - NSMetadataItemAppleLoopsLoopModeKey
NSMetadataAttributesandNSString - NSMetadataItemAppleLoopsRootKeyKey
NSMetadataAttributesandNSString - NSMetadataItemApplicationCategoriesKey
NSMetadataAttributesandNSString - NSMetadataItemAttributeChangeDateKey
NSMetadataAttributesandNSString - NSMetadataItemAudiencesKey
NSMetadataAttributesandNSString - NSMetadataItemAudioBitRateKey
NSMetadataAttributesandNSString - NSMetadataItemAudioChannelCountKey
NSMetadataAttributesandNSString - NSMetadataItemAudioEncodingApplicationKey
NSMetadataAttributesandNSString - NSMetadataItemAudioSampleRateKey
NSMetadataAttributesandNSString - NSMetadataItemAudioTrackNumberKey
NSMetadataAttributesandNSString - NSMetadataItemAuthorAddressesKey
NSMetadataAttributesandNSString - NSMetadataItemAuthorEmailAddressesKey
NSMetadataAttributesandNSString - NSMetadataItemAuthorsKey
NSMetadataAttributesandNSString - NSMetadataItemBitsPerSampleKey
NSMetadataAttributesandNSString - NSMetadataItemCFBundleIdentifierKey
NSMetadataAttributesandNSString - NSMetadataItemCameraOwnerKey
NSMetadataAttributesandNSString - NSMetadataItemCityKey
NSMetadataAttributesandNSString - NSMetadataItemCodecsKey
NSMetadataAttributesandNSString - NSMetadataItemColorSpaceKey
NSMetadataAttributesandNSString - NSMetadataItemCommentKey
NSMetadataAttributesandNSString - NSMetadataItemComposerKey
NSMetadataAttributesandNSString - NSMetadataItemContactKeywordsKey
NSMetadataAttributesandNSString - NSMetadataItemContentCreationDateKey
NSMetadataAttributesandNSString - NSMetadataItemContentModificationDateKey
NSMetadataAttributesandNSString - NSMetadataItemContentTypeKey
NSMetadataAttributesandNSString - NSMetadataItemContentTypeTreeKey
NSMetadataAttributesandNSString - NSMetadataItemContributorsKey
NSMetadataAttributesandNSString - NSMetadataItemCopyrightKey
NSMetadataAttributesandNSString - NSMetadataItemCountryKey
NSMetadataAttributesandNSString - NSMetadataItemCoverageKey
NSMetadataAttributesandNSString - NSMetadataItemCreatorKey
NSMetadataAttributesandNSString - NSMetadataItemDateAddedKey
NSMetadataAttributesandNSString - NSMetadataItemDeliveryTypeKey
NSMetadataAttributesandNSString - NSMetadataItemDescriptionKey
NSMetadataAttributesandNSString - NSMetadataItemDirectorKey
NSMetadataAttributesandNSString - NSMetadataItemDisplayNameKey
NSMetadataAttributesandNSString - NSMetadataItemDownloadedDateKey
NSMetadataAttributesandNSString - NSMetadataItemDueDateKey
NSMetadataAttributesandNSString - NSMetadataItemDurationSecondsKey
NSMetadataAttributesandNSString - NSMetadataItemEXIFGPSVersionKey
NSMetadataAttributesandNSString - NSMetadataItemEXIFVersionKey
NSMetadataAttributesandNSString - NSMetadataItemEditorsKey
NSMetadataAttributesandNSString - NSMetadataItemEmailAddressesKey
NSMetadataAttributesandNSString - NSMetadataItemEncodingApplicationsKey
NSMetadataAttributesandNSString - NSMetadataItemExecutableArchitecturesKey
NSMetadataAttributesandNSString - NSMetadataItemExecutablePlatformKey
NSMetadataAttributesandNSString - NSMetadataItemExposureModeKey
NSMetadataAttributesandNSString - NSMetadataItemExposureProgramKey
NSMetadataAttributesandNSString - NSMetadataItemExposureTimeSecondsKey
NSMetadataAttributesandNSString - NSMetadataItemExposureTimeStringKey
NSMetadataAttributesandNSString - NSMetadataItemFNumberKey
NSMetadataAttributesandNSString - NSMetadataItemFSContentChangeDateKey
NSMetadataAttributesandNSString - NSMetadataItemFSCreationDateKey
NSMetadataAttributesandNSString - NSMetadataItemFSNameKey
NSMetadataAttributesandNSString - NSMetadataItemFSSizeKey
NSMetadataAttributesandNSString - NSMetadataItemFinderCommentKey
NSMetadataAttributesandNSString - NSMetadataItemFlashOnOffKey
NSMetadataAttributesandNSString - NSMetadataItemFocalLength35mmKey
NSMetadataAttributesandNSString - NSMetadataItemFocalLengthKey
NSMetadataAttributesandNSString - NSMetadataItemFontsKey
NSMetadataAttributesandNSString - NSMetadataItemGPSAreaInformationKey
NSMetadataAttributesandNSString - NSMetadataItemGPSDOPKey
NSMetadataAttributesandNSString - NSMetadataItemGPSDateStampKey
NSMetadataAttributesandNSString - NSMetadataItemGPSDestBearingKey
NSMetadataAttributesandNSString - NSMetadataItemGPSDestDistanceKey
NSMetadataAttributesandNSString - NSMetadataItemGPSDestLatitudeKey
NSMetadataAttributesandNSString - NSMetadataItemGPSDestLongitudeKey
NSMetadataAttributesandNSString - NSMetadataItemGPSDifferentalKey
NSMetadataAttributesandNSString - NSMetadataItemGPSMapDatumKey
NSMetadataAttributesandNSString - NSMetadataItemGPSMeasureModeKey
NSMetadataAttributesandNSString - NSMetadataItemGPSProcessingMethodKey
NSMetadataAttributesandNSString - NSMetadataItemGPSStatusKey
NSMetadataAttributesandNSString - NSMetadataItemGPSTrackKey
NSMetadataAttributesandNSString - NSMetadataItemGenreKey
NSMetadataAttributesandNSString - NSMetadataItemHasAlphaChannelKey
NSMetadataAttributesandNSString - NSMetadataItemHeadlineKey
NSMetadataAttributesandNSString - NSMetadataItemISOSpeedKey
NSMetadataAttributesandNSString - NSMetadataItemIdentifierKey
NSMetadataAttributesandNSString - NSMetadataItemImageDirectionKey
NSMetadataAttributesandNSString - NSMetadataItemInformationKey
NSMetadataAttributesandNSString - NSMetadataItemInstantMessageAddressesKey
NSMetadataAttributesandNSString - NSMetadataItemInstructionsKey
NSMetadataAttributesandNSString - NSMetadataItemIsApplicationManagedKey
NSMetadataAttributesandNSString - NSMetadataItemIsGeneralMIDISequenceKey
NSMetadataAttributesandNSString - NSMetadataItemIsLikelyJunkKey
NSMetadataAttributesandNSString - NSMetadataItemIsUbiquitousKey
NSMetadataAttributesandNSString - NSMetadataItemKeySignatureKey
NSMetadataAttributesandNSString - NSMetadataItemKeywordsKey
NSMetadataAttributesandNSString - NSMetadataItemKindKey
NSMetadataAttributesandNSString - NSMetadataItemLanguagesKey
NSMetadataAttributesandNSString - NSMetadataItemLastUsedDateKey
NSMetadataAttributesandNSString - NSMetadataItemLatitudeKey
NSMetadataAttributesandNSString - NSMetadataItemLayerNamesKey
NSMetadataAttributesandNSString - NSMetadataItemLensModelKey
NSMetadataAttributesandNSString - NSMetadataItemLongitudeKey
NSMetadataAttributesandNSString - NSMetadataItemLyricistKey
NSMetadataAttributesandNSString - NSMetadataItemMaxApertureKey
NSMetadataAttributesandNSString - NSMetadataItemMediaTypesKey
NSMetadataAttributesandNSString - NSMetadataItemMeteringModeKey
NSMetadataAttributesandNSString - NSMetadataItemMusicalGenreKey
NSMetadataAttributesandNSString - NSMetadataItemMusicalInstrumentCategoryKey
NSMetadataAttributesandNSString - NSMetadataItemMusicalInstrumentNameKey
NSMetadataAttributesandNSString - NSMetadataItemNamedLocationKey
NSMetadataAttributesandNSString - NSMetadataItemNumberOfPagesKey
NSMetadataAttributesandNSString - NSMetadataItemOrganizationsKey
NSMetadataAttributesandNSString - NSMetadataItemOrientationKey
NSMetadataAttributesandNSString - NSMetadataItemOriginalFormatKey
NSMetadataAttributesandNSString - NSMetadataItemOriginalSourceKey
NSMetadataAttributesandNSString - NSMetadataItemPageHeightKey
NSMetadataAttributesandNSString - NSMetadataItemPageWidthKey
NSMetadataAttributesandNSString - NSMetadataItemParticipantsKey
NSMetadataAttributesandNSString - NSMetadataItemPathKey
NSMetadataAttributesandNSString - NSMetadataItemPerformersKey
NSMetadataAttributesandNSString - NSMetadataItemPhoneNumbersKey
NSMetadataAttributesandNSString - NSMetadataItemPixelCountKey
NSMetadataAttributesandNSString - NSMetadataItemPixelHeightKey
NSMetadataAttributesandNSString - NSMetadataItemPixelWidthKey
NSMetadataAttributesandNSString - NSMetadataItemProducerKey
NSMetadataAttributesandNSString - NSMetadataItemProfileNameKey
NSMetadataAttributesandNSString - NSMetadataItemProjectsKey
NSMetadataAttributesandNSString - NSMetadataItemPublishersKey
NSMetadataAttributesandNSString - NSMetadataItemRecipientAddressesKey
NSMetadataAttributesandNSString - NSMetadataItemRecipientEmailAddressesKey
NSMetadataAttributesandNSString - NSMetadataItemRecipientsKey
NSMetadataAttributesandNSString - NSMetadataItemRecordingDateKey
NSMetadataAttributesandNSString - NSMetadataItemRecordingYearKey
NSMetadataAttributesandNSString - NSMetadataItemRedEyeOnOffKey
NSMetadataAttributesandNSString - NSMetadataItemResolutionHeightDPIKey
NSMetadataAttributesandNSString - NSMetadataItemResolutionWidthDPIKey
NSMetadataAttributesandNSString - NSMetadataItemRightsKey
NSMetadataAttributesandNSString - NSMetadataItemSecurityMethodKey
NSMetadataAttributesandNSString - NSMetadataItemSpeedKey
NSMetadataAttributesandNSString - NSMetadataItemStarRatingKey
NSMetadataAttributesandNSString - NSMetadataItemStateOrProvinceKey
NSMetadataAttributesandNSString - NSMetadataItemStreamableKey
NSMetadataAttributesandNSString - NSMetadataItemSubjectKey
NSMetadataAttributesandNSString - NSMetadataItemTempoKey
NSMetadataAttributesandNSString - NSMetadataItemTextContentKey
NSMetadataAttributesandNSString - NSMetadataItemThemeKey
NSMetadataAttributesandNSString - NSMetadataItemTimeSignatureKey
NSMetadataAttributesandNSString - NSMetadataItemTimestampKey
NSMetadataAttributesandNSString - NSMetadataItemTitleKey
NSMetadataAttributesandNSString - NSMetadataItemTotalBitRateKey
NSMetadataAttributesandNSString - NSMetadataItemURLKey
NSMetadataAttributesandNSString - NSMetadataItemVersionKey
NSMetadataAttributesandNSString - NSMetadataItemVideoBitRateKey
NSMetadataAttributesandNSString - NSMetadataItemWhereFromsKey
NSMetadataAttributesandNSString - NSMetadataItemWhiteBalanceKey
NSMetadataAttributesandNSString - NSMetadataQueryAccessibleUbiquitousExternalDocumentsScope
NSMetadataandNSString - NSMetadataQueryDidFinishGatheringNotification
NSNotificationandNSStringandNSMetadata - NSMetadataQueryDidStartGatheringNotification
NSNotificationandNSStringandNSMetadata - NSMetadataQueryDidUpdateNotification
NSNotificationandNSStringandNSMetadata - NSMetadataQueryGatheringProgressNotification
NSNotificationandNSStringandNSMetadata - NSMetadataQueryIndexedLocalComputerScope
NSMetadataandNSString - NSMetadataQueryIndexedNetworkScope
NSMetadataandNSString - NSMetadataQueryLocalComputerScope
NSMetadataandNSString - NSMetadataQueryNetworkScope
NSMetadataandNSString - NSMetadataQueryResultContentRelevanceAttribute
NSMetadataandNSString - NSMetadataQueryUbiquitousDataScope
NSMetadataandNSString - NSMetadataQueryUbiquitousDocumentsScope
NSMetadataandNSString - NSMetadataQueryUpdateAddedItemsKey
NSMetadataandNSString - NSMetadataQueryUpdateChangedItemsKey
NSMetadataandNSString - NSMetadataQueryUpdateRemovedItemsKey
NSMetadataandNSString - NSMetadataQueryUserHomeScope
NSMetadataandNSString - NSMetadataUbiquitousItemContainerDisplayNameKey
NSMetadataAttributesandNSString - NSMetadataUbiquitousItemDownloadRequestedKey
NSMetadataAttributesandNSString - NSMetadataUbiquitousItemDownloadingErrorKey
NSMetadataAttributesandNSString - NSMetadataUbiquitousItemDownloadingStatusCurrent
NSMetadataAttributesandNSString - NSMetadataUbiquitousItemDownloadingStatusDownloaded
NSMetadataAttributesandNSString - NSMetadataUbiquitousItemDownloadingStatusKey
NSMetadataAttributesandNSString - NSMetadataUbiquitousItemDownloadingStatusNotDownloaded
NSMetadataAttributesandNSString - NSMetadataUbiquitousItemHasUnresolvedConflictsKey
NSMetadataAttributesandNSString - NSMetadataUbiquitousItemIsDownloadedKey
NSMetadataAttributesandNSString - NSMetadataUbiquitousItemIsDownloadingKey
NSMetadataAttributesandNSString - NSMetadataUbiquitousItemIsExternalDocumentKey
NSMetadataAttributesandNSString - NSMetadataUbiquitousItemIsSharedKey
NSMetadataAttributesandNSString - NSMetadataUbiquitousItemIsUploadedKey
NSMetadataAttributesandNSString - NSMetadataUbiquitousItemIsUploadingKey
NSMetadataAttributesandNSString - NSMetadataUbiquitousItemPercentDownloadedKey
NSMetadataAttributesandNSString - NSMetadataUbiquitousItemPercentUploadedKey
NSMetadataAttributesandNSString - NSMetadataUbiquitousItemURLInLocalContainerKey
NSMetadataAttributesandNSString - NSMetadataUbiquitousItemUploadingErrorKey
NSMetadataAttributesandNSString - NSMetadataUbiquitousSharedItemCurrentUserPermissionsKey
NSMetadataAttributesandNSString - NSMetadataUbiquitousSharedItemCurrentUserRoleKey
NSMetadataAttributesandNSString - NSMetadataUbiquitousSharedItemMostRecentEditorNameComponentsKey
NSMetadataAttributesandNSString - NSMetadataUbiquitousSharedItemOwnerNameComponentsKey
NSMetadataAttributesandNSString - NSMetadataUbiquitousSharedItemPermissionsReadOnly
NSMetadataAttributesandNSString - NSMetadataUbiquitousSharedItemPermissionsReadWrite
NSMetadataAttributesandNSString - NSMetadataUbiquitousSharedItemRoleOwner
NSMetadataAttributesandNSString - NSMetadataUbiquitousSharedItemRoleParticipant
NSMetadataAttributesandNSString - NSMinimumKeyValueOperator
NSKeyValueCodingandNSString - NSMonthNameArray
NSUserDefaultsandNSString - NSMorphologyAttributeName
NSAttributedStringandNSString - NSMultipleUnderlyingErrorsKey
NSErrorandNSString - NSNegateBooleanTransformerName
NSValueTransformerandNSString - NSNegativeCurrencyFormatString
NSUserDefaultsandNSString - NSNetServicesErrorCode
NSNetServicesandNSString - NSNetServicesErrorDomain
NSErrorandNSStringandNSNetServices - NSNextDayDesignations
NSUserDefaultsandNSString - NSNextNextDayDesignations
NSUserDefaultsandNSString - NSNonOwnedPointerHashCallBacks
NSHashTableandNSString - NSNonOwnedPointerMapKeyCallBacks
NSMapTableandNSString - NSNonOwnedPointerMapValueCallBacks
NSMapTableandNSString - NSNonOwnedPointerOrNullMapKeyCallBacks
NSMapTableandNSString - NSNonRetainedObjectHashCallBacks
NSHashTableandNSString - NSNonRetainedObjectMapKeyCallBacks
NSMapTableandNSString - NSNonRetainedObjectMapValueCallBacks
NSMapTableandNSString - NSNotFound
NSObjCRuntime - NSNotificationDeliverImmediately
NSDistributedNotificationCenter - NSNotificationPostToAllSessions
NSDistributedNotificationCenter - NSOSStatusErrorDomain
NSErrorandNSString - NSObjectHashCallBacks
NSHashTableandNSString - NSObjectInaccessibleException
NSObjCRuntimeandNSStringandNSException - NSObjectMapKeyCallBacks
NSMapTableandNSString - NSObjectMapValueCallBacks
NSMapTableandNSString - NSObjectNotAvailableException
NSObjCRuntimeandNSStringandNSException - NSOldStyleException
NSObjCRuntimeandNSStringandNSException - NSOperationNotSupportedForKeyException
NSScriptKeyValueCodingandNSString - NSOwnedObjectIdentityHashCallBacks
NSHashTableandNSString - NSOwnedPointerHashCallBacks
NSHashTableandNSString - NSOwnedPointerMapKeyCallBacks
NSMapTableandNSString - NSOwnedPointerMapValueCallBacks
NSMapTableandNSString - NSPOSIXErrorDomain
NSErrorandNSString - NSParseErrorException
NSStringandNSObjCRuntime - NSPersianCalendar
NSLocaleandNSString - NSPersonNameComponentDelimiter
NSPersonNameComponentsFormatterandNSString - NSPersonNameComponentFamilyName
NSPersonNameComponentsFormatterandNSString - NSPersonNameComponentGivenName
NSPersonNameComponentsFormatterandNSString - NSPersonNameComponentKey
NSPersonNameComponentsFormatterandNSString - NSPersonNameComponentMiddleName
NSPersonNameComponentsFormatterandNSString - NSPersonNameComponentNickname
NSPersonNameComponentsFormatterandNSString - NSPersonNameComponentPrefix
NSPersonNameComponentsFormatterandNSString - NSPersonNameComponentSuffix
NSPersonNameComponentsFormatterandNSString - NSPointerToStructHashCallBacks
NSHashTableandNSString - NSPortDidBecomeInvalidNotification
NSNotificationandNSStringandNSPort - NSPortReceiveException
NSObjCRuntimeandNSStringandNSException - NSPortSendException
NSObjCRuntimeandNSStringandNSException - NSPortTimeoutException
NSObjCRuntimeandNSStringandNSException - NSPositiveCurrencyFormatString
NSUserDefaultsandNSString - NSPresentationIntentAttributeName
NSAttributedStringandNSString - NSPriorDayDesignations
NSUserDefaultsandNSString - NSProcessInfoPowerStateDidChangeNotification
NSNotificationandNSStringandNSProcessInfo - NSProcessInfoThermalStateDidChangeNotification
NSNotificationandNSStringandNSProcessInfo - NSProgressEstimatedTimeRemainingKey
NSProgressandNSString - NSProgressFileAnimationImageKey
NSProgressandNSString - NSProgressFileAnimationImageOriginalRectKey
NSProgressandNSString - NSProgressFileCompletedCountKey
NSProgressandNSString - NSProgressFileIconKey
NSProgressandNSString - NSProgressFileOperationKindCopying
NSProgressandNSString - NSProgressFileOperationKindDecompressingAfterDownloading
NSProgressandNSString - NSProgressFileOperationKindDownloading
NSProgressandNSString - NSProgressFileOperationKindDuplicating
NSProgressandNSString - NSProgressFileOperationKindKey
NSProgressandNSString - NSProgressFileOperationKindReceiving
NSProgressandNSString - NSProgressFileOperationKindUploading
NSProgressandNSString - NSProgressFileTotalCountKey
NSProgressandNSString - NSProgressFileURLKey
NSProgressandNSString - NSProgressKindFile
NSProgressandNSString - NSProgressThroughputKey
NSProgressandNSString - NSRangeException
NSObjCRuntimeandNSStringandNSException - NSRecoveryAttempterErrorKey
NSErrorandNSString - NSRegistrationDomain
NSUserDefaultsandNSString - NSReplacementIndexAttributeName
NSAttributedStringandNSString - NSRepublicOfChinaCalendar
NSLocaleandNSString - NSRunLoopCommonModes
NSObjCRuntimeandNSStringandNSRunLoop - NSSecureUnarchiveFromDataTransformerName
NSValueTransformerandNSString - NSShortDateFormatString
NSUserDefaultsandNSString - NSShortMonthNameArray
NSUserDefaultsandNSString - NSShortTimeDateFormatString
NSUserDefaultsandNSString - NSShortWeekDayNameArray
NSUserDefaultsandNSString - NSStreamDataWrittenToMemoryStreamKey
NSStreamandNSString - NSStreamFileCurrentOffsetKey
NSStreamandNSString - NSStreamNetworkServiceType
NSStreamandNSString - NSStreamNetworkServiceTypeBackground
NSStreamandNSString - NSStreamNetworkServiceTypeCallSignaling
NSStreamandNSString - NSStreamNetworkServiceTypeVideo
NSStreamandNSString - NSStreamNetworkServiceTypeVoIP
NSStreamandNSString - NSStreamNetworkServiceTypeVoice
NSStreamandNSString - NSStreamSOCKSErrorDomain
NSErrorandNSStringandNSStream - NSStreamSOCKSProxyConfigurationKey
NSStreamandNSString - NSStreamSOCKSProxyHostKey
NSStreamandNSString - NSStreamSOCKSProxyPasswordKey
NSStreamandNSString - NSStreamSOCKSProxyPortKey
NSStreamandNSString - NSStreamSOCKSProxyUserKey
NSStreamandNSString - NSStreamSOCKSProxyVersion4
NSStreamandNSString - NSStreamSOCKSProxyVersion5
NSStreamandNSString - NSStreamSOCKSProxyVersionKey
NSStreamandNSString - NSStreamSocketSSLErrorDomain
NSErrorandNSStringandNSStream - NSStreamSocketSecurityLevelKey
NSStreamandNSString - NSStreamSocketSecurityLevelNegotiatedSSL
NSStreamandNSString - NSStreamSocketSecurityLevelNone
NSStreamandNSString - NSStreamSocketSecurityLevelSSLv2
NSStreamandNSString - NSStreamSocketSecurityLevelSSLv3
NSStreamandNSString - NSStreamSocketSecurityLevelTLSv1
NSStreamandNSString - NSStringEncodingErrorKey
NSErrorandNSString - NSStringTransformLatinToArabic
NSString - NSStringTransformLatinToCyrillic
NSString - NSStringTransformLatinToGreek
NSString - NSStringTransformLatinToHangul
NSString - NSStringTransformLatinToHebrew
NSString - NSStringTransformLatinToHiragana
NSString - NSStringTransformLatinToKatakana
NSString - NSStringTransformLatinToThai
NSString - NSStringTransformMandarinToLatin
NSString - NSStringTransformStripDiacritics
NSString - NSStringTransformToLatin
NSString - NSStringTransformToUnicodeName
NSString - NSStringTransformToXMLHex
NSString - NSSumKeyValueOperator
NSKeyValueCodingandNSString - NSSystemClockDidChangeNotification
NSNotificationandNSStringandNSDate - NSSystemTimeZoneDidChangeNotification
NSNotificationandNSStringandNSTimeZone - NSTaskDidTerminateNotification
NSNotificationandNSStringandNSTask - NSTextCheckingAirlineKey
NSTextCheckingResultandNSString - NSTextCheckingCityKey
NSTextCheckingResultandNSString - NSTextCheckingCountryKey
NSTextCheckingResultandNSString - NSTextCheckingFlightKey
NSTextCheckingResultandNSString - NSTextCheckingJobTitleKey
NSTextCheckingResultandNSString - NSTextCheckingNameKey
NSTextCheckingResultandNSString - NSTextCheckingOrganizationKey
NSTextCheckingResultandNSString - NSTextCheckingPhoneKey
NSTextCheckingResultandNSString - NSTextCheckingStateKey
NSTextCheckingResultandNSString - NSTextCheckingStreetKey
NSTextCheckingResultandNSString - NSTextCheckingZIPKey
NSTextCheckingResultandNSString - NSThisDayDesignations
NSUserDefaultsandNSString - NSThousandsSeparator
NSUserDefaultsandNSString - NSThreadWillExitNotification
NSNotificationandNSStringandNSThread - NSThumbnail1024x1024SizeKey
NSURLandNSString - NSTimeDateFormatString
NSUserDefaultsandNSString - NSTimeFormatString
NSUserDefaultsandNSString - NSURLAddedToDirectoryDateKey
NSURLandNSString - NSURLApplicationIsScriptableKey
NSURLandNSString - NSURLAttributeModificationDateKey
NSURLandNSString - NSURLAuthenticationMethodClientCertificate
NSURLProtectionSpaceandNSString - NSURLAuthenticationMethodDefault
NSURLProtectionSpaceandNSString - NSURLAuthenticationMethodHTMLForm
NSURLProtectionSpaceandNSString - NSURLAuthenticationMethodHTTPBasic
NSURLProtectionSpaceandNSString - NSURLAuthenticationMethodHTTPDigest
NSURLProtectionSpaceandNSString - NSURLAuthenticationMethodNTLM
NSURLProtectionSpaceandNSString - NSURLAuthenticationMethodNegotiate
NSURLProtectionSpaceandNSString - NSURLAuthenticationMethodServerTrust
NSURLProtectionSpaceandNSString - NSURLCanonicalPathKey
NSURLandNSString - NSURLContentAccessDateKey
NSURLandNSString - NSURLContentModificationDateKey
NSURLandNSString - NSURLContentTypeKey
NSURLandNSString - NSURLCreationDateKey
NSURLandNSString - NSURLCredentialStorageChangedNotification
NSNotificationandNSStringandNSURLCredentialStorage - NSURLCredentialStorageRemoveSynchronizableCredentials
NSURLCredentialStorageandNSString - NSURLCustomIconKey
NSURLandNSString - NSURLDirectoryEntryCountKey
NSURLandNSString - NSURLDocumentIdentifierKey
NSURLandNSString - NSURLEffectiveIconKey
NSURLandNSString - NSURLErrorBackgroundTaskCancelledReasonKey
NSURLErrorandNSString - NSURLErrorDomain
NSErrorandNSStringandNSURLError - NSURLErrorFailingURLErrorKey
NSURLErrorandNSString - NSURLErrorFailingURLPeerTrustErrorKey
NSURLErrorandNSString - NSURLErrorFailingURLStringErrorKey
NSURLErrorandNSString - NSURLErrorKey
NSErrorandNSString - NSURLErrorNetworkUnavailableReasonKey
NSErrorandNSStringandNSURLError - NSURLFileAllocatedSizeKey
NSURLandNSString - NSURLFileContentIdentifierKey
NSURLandNSString - NSURLFileIdentifierKey
NSURLandNSString - NSURLFileProtectionComplete
NSURLandNSString - NSURLFileProtectionCompleteUnlessOpen
NSURLandNSString - NSURLFileProtectionCompleteUntilFirstUserAuthentication
NSURLandNSString - NSURLFileProtectionCompleteWhenUserInactive
NSURLandNSString - NSURLFileProtectionKey
NSURLandNSString - NSURLFileProtectionNone
NSURLandNSString - NSURLFileResourceIdentifierKey
NSURLandNSString - NSURLFileResourceTypeBlockSpecial
NSURLandNSString - NSURLFileResourceTypeCharacterSpecial
NSURLandNSString - NSURLFileResourceTypeDirectory
NSURLandNSString - NSURLFileResourceTypeKey
NSURLandNSString - NSURLFileResourceTypeNamedPipe
NSURLandNSString - NSURLFileResourceTypeRegular
NSURLandNSString - NSURLFileResourceTypeSocket
NSURLandNSString - NSURLFileResourceTypeSymbolicLink
NSURLandNSString - NSURLFileResourceTypeUnknown
NSURLandNSString - NSURLFileScheme
NSURLandNSString - NSURLFileSecurityKey
NSURLandNSString - NSURLFileSizeKey
NSURLandNSString - NSURLGenerationIdentifierKey
NSURLandNSString - NSURLHasHiddenExtensionKey
NSURLandNSString - NSURLIsAliasFileKey
NSURLandNSString - NSURLIsApplicationKey
NSURLandNSString - NSURLIsDirectoryKey
NSURLandNSString - NSURLIsExcludedFromBackupKey
NSURLandNSString - NSURLIsExecutableKey
NSURLandNSString - NSURLIsHiddenKey
NSURLandNSString - NSURLIsMountTriggerKey
NSURLandNSString - NSURLIsPackageKey
NSURLandNSString - NSURLIsPurgeableKey
NSURLandNSString - NSURLIsReadableKey
NSURLandNSString - NSURLIsRegularFileKey
NSURLandNSString - NSURLIsSparseKey
NSURLandNSString - NSURLIsSymbolicLinkKey
NSURLandNSString - NSURLIsSystemImmutableKey
NSURLandNSString - NSURLIsUbiquitousItemKey
NSURLandNSString - NSURLIsUserImmutableKey
NSURLandNSString - NSURLIsVolumeKey
NSURLandNSString - NSURLIsWritableKey
NSURLandNSString - NSURLKeysOfUnsetValuesKey
NSURLandNSString - NSURLLabelColorKey
NSURLandNSString - NSURLLabelNumberKey
NSURLandNSString - NSURLLinkCountKey
NSURLandNSString - NSURLLocalizedLabelKey
NSURLandNSString - NSURLLocalizedNameKey
NSURLandNSString - NSURLLocalizedTypeDescriptionKey
NSURLandNSString - NSURLMayHaveExtendedAttributesKey
NSURLandNSString - NSURLMayShareFileContentKey
NSURLandNSString - NSURLNameKey
NSURLandNSString - NSURLParentDirectoryURLKey
NSURLandNSString - NSURLPathKey
NSURLandNSString - NSURLPreferredIOBlockSizeKey
NSURLandNSString - NSURLProtectionSpaceFTP
NSURLProtectionSpaceandNSString - NSURLProtectionSpaceFTPProxy
NSURLProtectionSpaceandNSString - NSURLProtectionSpaceHTTP
NSURLProtectionSpaceandNSString - NSURLProtectionSpaceHTTPProxy
NSURLProtectionSpaceandNSString - NSURLProtectionSpaceHTTPS
NSURLProtectionSpaceandNSString - NSURLProtectionSpaceHTTPSProxy
NSURLProtectionSpaceandNSString - NSURLProtectionSpaceSOCKSProxy
NSURLProtectionSpaceandNSString - NSURLQuarantinePropertiesKey
NSURLandNSString - NSURLSessionDownloadTaskResumeData
NSURLSessionandNSString - NSURLSessionTaskPriorityDefault
NSURLSession - NSURLSessionTaskPriorityHigh
NSURLSession - NSURLSessionTaskPriorityLow
NSURLSession - NSURLSessionTransferSizeUnknown
NSURLSession - NSURLSessionUploadTaskResumeData
NSURLSessionandNSString - NSURLTagNamesKey
NSURLandNSString - NSURLThumbnailDictionaryKey
NSURLandNSString - NSURLThumbnailKey
NSURLandNSString - NSURLTotalFileAllocatedSizeKey
NSURLandNSString - NSURLTotalFileSizeKey
NSURLandNSString - NSURLTypeIdentifierKey
NSURLandNSString - NSURLUbiquitousItemContainerDisplayNameKey
NSURLandNSString - NSURLUbiquitousItemDownloadRequestedKey
NSURLandNSString - NSURLUbiquitousItemDownloadingErrorKey
NSURLandNSString - NSURLUbiquitousItemDownloadingStatusCurrent
NSURLandNSString - NSURLUbiquitousItemDownloadingStatusDownloaded
NSURLandNSString - NSURLUbiquitousItemDownloadingStatusKey
NSURLandNSString - NSURLUbiquitousItemDownloadingStatusNotDownloaded
NSURLandNSString - NSURLUbiquitousItemHasUnresolvedConflictsKey
NSURLandNSString - NSURLUbiquitousItemIsDownloadedKey
NSURLandNSString - NSURLUbiquitousItemIsDownloadingKey
NSURLandNSString - NSURLUbiquitousItemIsExcludedFromSyncKey
NSURLandNSString - NSURLUbiquitousItemIsSharedKey
NSURLandNSString - NSURLUbiquitousItemIsUploadedKey
NSURLandNSString - NSURLUbiquitousItemIsUploadingKey
NSURLandNSString - NSURLUbiquitousItemPercentDownloadedKey
NSURLandNSString - NSURLUbiquitousItemPercentUploadedKey
NSURLandNSString - NSURLUbiquitousItemUploadingErrorKey
NSURLandNSString - NSURLUbiquitousSharedItemCurrentUserPermissionsKey
NSURLandNSString - NSURLUbiquitousSharedItemCurrentUserRoleKey
NSURLandNSString - NSURLUbiquitousSharedItemMostRecentEditorNameComponentsKey
NSURLandNSString - NSURLUbiquitousSharedItemOwnerNameComponentsKey
NSURLandNSString - NSURLUbiquitousSharedItemPermissionsReadOnly
NSURLandNSString - NSURLUbiquitousSharedItemPermissionsReadWrite
NSURLandNSString - NSURLUbiquitousSharedItemRoleOwner
NSURLandNSString - NSURLUbiquitousSharedItemRoleParticipant
NSURLandNSString - NSURLVolumeAvailableCapacityForImportantUsageKey
NSURLandNSString - NSURLVolumeAvailableCapacityForOpportunisticUsageKey
NSURLandNSString - NSURLVolumeAvailableCapacityKey
NSURLandNSString - NSURLVolumeCreationDateKey
NSURLandNSString - NSURLVolumeIdentifierKey
NSURLandNSString - NSURLVolumeIsAutomountedKey
NSURLandNSString - NSURLVolumeIsBrowsableKey
NSURLandNSString - NSURLVolumeIsEjectableKey
NSURLandNSString - NSURLVolumeIsEncryptedKey
NSURLandNSString - NSURLVolumeIsInternalKey
NSURLandNSString - NSURLVolumeIsJournalingKey
NSURLandNSString - NSURLVolumeIsLocalKey
NSURLandNSString - NSURLVolumeIsReadOnlyKey
NSURLandNSString - NSURLVolumeIsRemovableKey
NSURLandNSString - NSURLVolumeIsRootFileSystemKey
NSURLandNSString - NSURLVolumeLocalizedFormatDescriptionKey
NSURLandNSString - NSURLVolumeLocalizedNameKey
NSURLandNSString - NSURLVolumeMaximumFileSizeKey
NSURLandNSString - NSURLVolumeMountFromLocationKey
NSURLandNSString - NSURLVolumeNameKey
NSURLandNSString - NSURLVolumeResourceCountKey
NSURLandNSString - NSURLVolumeSubtypeKey
NSURLandNSString - NSURLVolumeSupportsAccessPermissionsKey
NSURLandNSString - NSURLVolumeSupportsAdvisoryFileLockingKey
NSURLandNSString - NSURLVolumeSupportsCasePreservedNamesKey
NSURLandNSString - NSURLVolumeSupportsCaseSensitiveNamesKey
NSURLandNSString - NSURLVolumeSupportsCompressionKey
NSURLandNSString - NSURLVolumeSupportsExclusiveRenamingKey
NSURLandNSString - NSURLVolumeSupportsExtendedSecurityKey
NSURLandNSString - NSURLVolumeSupportsFileCloningKey
NSURLandNSString - NSURLVolumeSupportsFileProtectionKey
NSURLandNSString - NSURLVolumeSupportsHardLinksKey
NSURLandNSString - NSURLVolumeSupportsImmutableFilesKey
NSURLandNSString - NSURLVolumeSupportsJournalingKey
NSURLandNSString - NSURLVolumeSupportsPersistentIDsKey
NSURLandNSString - NSURLVolumeSupportsRenamingKey
NSURLandNSString - NSURLVolumeSupportsRootDirectoryDatesKey
NSURLandNSString - NSURLVolumeSupportsSparseFilesKey
NSURLandNSString - NSURLVolumeSupportsSwapRenamingKey
NSURLandNSString - NSURLVolumeSupportsSymbolicLinksKey
NSURLandNSString - NSURLVolumeSupportsVolumeSizesKey
NSURLandNSString - NSURLVolumeSupportsZeroRunsKey
NSURLandNSString - NSURLVolumeTotalCapacityKey
NSURLandNSString - NSURLVolumeTypeNameKey
NSURLandNSString - NSURLVolumeURLForRemountingKey
NSURLandNSString - NSURLVolumeURLKey
NSURLandNSString - NSURLVolumeUUIDStringKey
NSURLandNSString - NSUbiquitousKeyValueStoreChangeReasonKey
NSUbiquitousKeyValueStoreandNSString - NSUbiquitousKeyValueStoreChangedKeysKey
NSUbiquitousKeyValueStoreandNSString - NSUbiquitousKeyValueStoreDidChangeExternallyNotification
NSNotificationandNSStringandNSUbiquitousKeyValueStore - NSUbiquitousUserDefaultsCompletedInitialSyncNotification
NSNotificationandNSStringandNSUserDefaults - NSUbiquitousUserDefaultsDidChangeAccountsNotification
NSNotificationandNSStringandNSUserDefaults - NSUbiquitousUserDefaultsNoCloudAccountNotification
NSNotificationandNSStringandNSUserDefaults - NSUbiquityIdentityDidChangeNotification
NSNotificationandNSStringandNSFileManager - NSUnarchiveFromDataTransformerName
NSValueTransformerandNSString - NSUndefinedKeyException
NSObjCRuntimeandNSStringandNSKeyValueCoding - NSUnderlyingErrorKey
NSErrorandNSString - NSUndoCloseGroupingRunLoopOrdering
NSUndoManager - NSUndoManagerCheckpointNotification
NSNotificationandNSStringandNSUndoManager - NSUndoManagerDidCloseUndoGroupNotification
NSNotificationandNSStringandNSUndoManager - NSUndoManagerDidOpenUndoGroupNotification
NSNotificationandNSStringandNSUndoManager - NSUndoManagerDidRedoChangeNotification
NSNotificationandNSStringandNSUndoManager - NSUndoManagerDidUndoChangeNotification
NSNotificationandNSStringandNSUndoManager - NSUndoManagerGroupIsDiscardableKey
NSUndoManagerandNSString - NSUndoManagerWillCloseUndoGroupNotification
NSNotificationandNSStringandNSUndoManager - NSUndoManagerWillRedoChangeNotification
NSNotificationandNSStringandNSUndoManager - NSUndoManagerWillUndoChangeNotification
NSNotificationandNSStringandNSUndoManager - NSUnionOfArraysKeyValueOperator
NSKeyValueCodingandNSString - NSUnionOfObjectsKeyValueOperator
NSKeyValueCodingandNSString - NSUnionOfSetsKeyValueOperator
NSKeyValueCodingandNSString - NSUserActivityTypeBrowsingWeb
NSUserActivityandNSString - NSUserDefaultsDidChangeNotification
NSNotificationandNSStringandNSUserDefaults - NSUserDefaultsSizeLimitExceededNotification
NSNotificationandNSStringandNSUserDefaults - NSUserNotificationDefaultSoundName
NSUserNotificationandNSString - NSWeekDayNameArray
NSUserDefaultsandNSString - NSWillBecomeMultiThreadedNotification
NSNotificationandNSStringandNSThread - NSXMLParserErrorDomain
NSErrorandNSStringandNSXMLParser - NSYearMonthWeekDesignations
NSUserDefaultsandNSString - NSZeroPoint
NSGeometry - NSZeroRect
NSGeometry - NSZeroSize
NSGeometry
Traits§
- NSCacheDelegate
NSCache - NSCoding
NSObject - NSCopying
NSObjectA protocol to provide functional copies of objects. - NSDecimalNumberBehaviors
NSDecimalNumber - NSDiscardableContent
NSObject - NSExtensionRequestHandling
NSExtensionRequestHandling - NSFastEnumeration
NSEnumerator - NSFileManagerDelegate
NSFileManager - NSFilePresenter
NSFilePresenter - NSItemProviderReading
NSItemProvider - NSItemProviderWriting
NSItemProvider - NSKeyedArchiverDelegate
NSKeyedArchiver - NSKeyedUnarchiverDelegate
NSKeyedArchiver - NSLocking
NSLock - NSMachPortDelegate
NSPort - NSMetadataQueryDelegate
NSMetadata - NSMutableCopying
NSObjectA protocol to provide mutable copies of objects. - NSNetServiceBrowserDelegate
NSNetServices - NSNetServiceDelegate
NSNetServices - NSObjectNSArchiverCallback
NSArchiverCategory “NSArchiverCallback” onNSObject. - NSObjectNSClassDescriptionPrimitives
NSClassDescriptionCategory “NSClassDescriptionPrimitives” onNSObject. - NSObjectNSCoderMethods
NSObjectCategory “NSCoderMethods” onNSObject. - NSObjectNSComparisonMethods
NSScriptWhoseTestsCategory “NSComparisonMethods” onNSObject. - NSObjectNSDelayedPerforming
NSRunLoopCategory “NSDelayedPerforming” onNSObject. - Category “NSDiscardableContentProxy” on
NSObject. - Category “NSErrorRecoveryAttempting” on
NSObject. - NSObjectNSKeyValueCoding
NSKeyValueCodingCategory “NSKeyValueCoding” onNSObject. - NSObjectNSKeyValueObserverNotification
NSKeyValueObservingCategory “NSKeyValueObserverNotification” onNSObject. - NSObjectNSKeyValueObserverRegistration
NSKeyValueObservingCategory “NSKeyValueObserverRegistration” onNSObject. - NSObjectNSKeyValueObserving
NSKeyValueObservingCategory “NSKeyValueObserving” onNSObject. - NSObjectNSKeyValueObservingCustomization
NSKeyValueObservingCategory “NSKeyValueObservingCustomization” onNSObject. - NSObjectNSKeyedArchiverObjectSubstitution
NSKeyedArchiverCategory “NSKeyedArchiverObjectSubstitution” onNSObject. - NSObjectNSKeyedUnarchiverObjectSubstitution
NSKeyedArchiverCategory “NSKeyedUnarchiverObjectSubstitution” onNSObject. - NSObjectNSScriptClassDescription
NSScriptClassDescriptionCategory “NSScriptClassDescription” onNSObject. - NSObjectNSScriptKeyValueCoding
NSScriptKeyValueCodingCategory “NSScriptKeyValueCoding” onNSObject. - NSObjectNSScriptObjectSpecifiers
NSScriptObjectSpecifiersCategory “NSScriptObjectSpecifiers” onNSObject. - NSObjectNSScripting
NSObjectScriptingCategory “NSScripting” onNSObject. - NSObjectNSScriptingComparisonMethods
NSScriptWhoseTestsCategory “NSScriptingComparisonMethods” onNSObject. - NSObjectNSThreadPerformAdditions
NSThreadCategory “NSThreadPerformAdditions” onNSObject. - The methods that are fundamental to most Objective-C objects.
- NSPortDelegate
NSPort - NSProgressReporting
NSProgress - NSSecureCoding
NSObject - NSSpellServerDelegate
NSSpellServer - NSStreamDelegate
NSStream - NSURLAuthenticationChallengeSender
NSURLAuthenticationChallenge - NSURLConnectionDataDelegate
NSURLConnection - NSURLConnectionDelegate
NSURLConnection - NSURLConnectionDownloadDelegate
NSURLConnection - NSURLDownloadDelegate
NSURLDownload - NSURLProtocolClient
NSURLProtocol - NSURLSessionDataDelegate
NSURLSession - NSURLSessionDelegate
NSURLSession - NSURLSessionDownloadDelegate
NSURLSession - NSURLSessionStreamDelegate
NSURLSession - NSURLSessionTaskDelegate
NSURLSession - NSURLSessionWebSocketDelegate
NSURLSession - NSUserActivityDelegate
NSUserActivity - NSUserNotificationCenterDelegate
NSUserNotification - NSXMLParserDelegate
NSXMLParser - NSXPCListenerDelegate
NSXPCConnection - NSXPCProxyCreating
NSXPCConnection
Functions§
- NSAllHashTableObjects⚠
NSHashTableandNSArray - NSAllMapTableKeys⚠
NSMapTableandNSArray - NSAllMapTableValues⚠
NSMapTableandNSArray - NSAllocateCollectable⚠
NSZone - NSAllocateMemoryPages⚠
NSZone - NSAllocateObject⚠
NSObjectandNSZone - NSClassFromString⚠
NSObjCRuntimeandNSString - NSCompareHashTables⚠
NSHashTable - NSCompareMapTables⚠
NSMapTable - NSContainsRect⚠
NSGeometry - NSCopyHashTableWithZone⚠
NSHashTableandNSZone - NSCopyMapTableWithZone⚠
NSMapTableandNSZone - NSCopyMemoryPages⚠
NSZone - NSCountHashTable⚠
NSHashTable - NSCountMapTable⚠
NSMapTable - NSCreateHashTable⚠
NSHashTableandNSString - NSCreateHashTableWithZone⚠
NSStringandNSZoneandNSHashTable - NSCreateMapTable⚠
NSMapTableandNSString - NSCreateMapTableWithZone⚠
NSStringandNSZoneandNSMapTable - NSCreateZone⚠
NSZone - NSDeallocateMemoryPages⚠
NSZone - NSDeallocateObject⚠
NSObject - NSDecimalAdd⚠
NSDecimal - NSDecimalCompact⚠
NSDecimal - NSDecimalCompare⚠
NSDecimalandNSObjCRuntime - NSDecimalCopy⚠
NSDecimal - NSDecimalDivide⚠
NSDecimal - NSDecimalMultiply⚠
NSDecimal - NSDecimalMultiplyByPowerOf10⚠
NSDecimal - NSDecimalNormalize⚠
NSDecimal - NSDecimalPower⚠
NSDecimal - NSDecimalRound⚠
NSDecimal - NSDecimalString⚠
NSDecimalandNSString - NSDecimalSubtract⚠
NSDecimal - NSDecrementExtraRefCountWasZero⚠
NSObject - NSDefaultMallocZone⚠
NSZone - NSDivideRect⚠
NSGeometry - NSEdgeInsetsEqual⚠
NSGeometry - NSEndHashTableEnumeration⚠
NSHashTable - NSEndMapTableEnumeration⚠
NSMapTable - NSEnumerateHashTable⚠
NSHashTable - NSEnumerateMapTable⚠
NSMapTable - NSEqualPoints⚠
NSGeometry - NSEqualRects⚠
NSGeometry - NSEqualSizes⚠
NSGeometry - NSExtraRefCount⚠
NSObject - NSFileTypeForHFSTypeCode⚠
NSHFSFileTypesandNSString - NSFreeHashTable⚠
NSHashTable - NSFreeMapTable⚠
NSMapTable - NSFullUserName⚠
NSPathUtilitiesandNSString - NSGetSizeAndAlignment⚠
NSObjCRuntime - NSGetUncaughtExceptionHandler⚠
NSException - NSHFSTypeCodeFromFileType⚠
NSHFSFileTypesandNSString - NSHFSTypeOfFile⚠
NSHFSFileTypesandNSString - NSHashGet⚠
NSHashTable - NSHashInsert⚠
NSHashTable - NSHashInsertIfAbsent⚠
NSHashTable - NSHashInsertKnownAbsent⚠
NSHashTable - NSHashRemove⚠
NSHashTable - NSHomeDirectory⚠
NSPathUtilitiesandNSString - NSHomeDirectoryForUser⚠
NSPathUtilitiesandNSString - NSIncrementExtraRefCount⚠
NSObject - NSInsetRect⚠
NSGeometry - NSIntegralRect⚠
NSGeometry - NSIntegralRectWithOptions⚠
NSGeometry - NSIntersectionRange⚠
NSRange - NSIntersectionRect⚠
NSGeometry - NSIntersectsRect⚠
NSGeometry - NSIsEmptyRect⚠
NSGeometry - NSLogPageSize⚠
NSZone - NSMapGet⚠
NSMapTable - NSMapInsert⚠
NSMapTable - NSMapInsertIfAbsent⚠
NSMapTable - NSMapInsertKnownAbsent⚠
NSMapTable - NSMapMember⚠
NSMapTable - NSMapRemove⚠
NSMapTable - NSMouseInRect⚠
NSGeometry - NSNextHashEnumeratorItem⚠
NSHashTable - NSNextMapEnumeratorPair⚠
NSMapTable - NSOffsetRect⚠
NSGeometry - NSOpenStepRootDirectory⚠
NSPathUtilitiesandNSString - NSPageSize⚠
NSZone - NSPointFromString⚠
NSGeometryandNSString - NSPointInRect⚠
NSGeometry - NSProtocolFromString⚠
NSObjCRuntimeandNSString - NSRangeFromString⚠
NSRangeandNSString - NSReallocateCollectable⚠
NSZone - NSRectFromString⚠
NSGeometryandNSString - NSRecycleZone⚠
NSZone - NSResetHashTable⚠
NSHashTable - NSResetMapTable⚠
NSMapTable - NSSearchPathForDirectoriesInDomains⚠
NSArrayandNSStringandNSPathUtilities - NSSelectorFromString⚠
NSObjCRuntimeandNSString - NSSetUncaughtExceptionHandler⚠
NSException - NSSetZoneName⚠
NSZoneandNSString - NSShouldRetainWithZone⚠
NSObjectandNSZone - NSSizeFromString⚠
NSGeometryandNSString - NSStringFromClass⚠
NSObjCRuntimeandNSString - NSStringFromHashTable⚠
NSHashTableandNSString - NSStringFromMapTable⚠
NSMapTableandNSString - NSStringFromPoint⚠
NSGeometryandNSString - NSStringFromProtocol⚠
NSObjCRuntimeandNSString - NSStringFromRange⚠
NSRangeandNSString - NSStringFromRect⚠
NSGeometryandNSString - NSStringFromSelector⚠
NSObjCRuntimeandNSString - NSStringFromSize⚠
NSGeometryandNSString - NSTemporaryDirectory⚠
NSPathUtilitiesandNSString - NSUnionRange⚠
NSRange - NSUnionRect⚠
NSGeometry - NSUserName⚠
NSPathUtilitiesandNSString - NSZoneCalloc⚠
NSZone - NSZoneFree⚠
NSZone - NSZoneFromPointer⚠
NSZone - NSZoneMalloc⚠
NSZone - NSZoneName⚠
NSZoneandNSString - NSZoneRealloc⚠
NSZone - is_main_thread
NSThreadWhether the current thread is the main thread. - is_multi_threaded
NSThreadWhether the application is multithreaded according to Cocoa. - run_on_main
NSThreadanddispatchSubmit the given closure to the runloop on the main thread.
Type Aliases§
- CGFloat
NSGeometryThe basic type for all floating-point values. - NSAppleEventManagerSuspensionID
NSAppleEventManager - NSAttributedStringFormattingContextKey
NSAttributedStringandNSString - NSAttributedStringKey
NSAttributedStringandNSString - NSBackgroundActivityCompletionHandler
NSBackgroundActivitySchedulerandblock2 - NSCalendarIdentifier
NSCalendarandNSString - NSComparator
NSObjCRuntimeandblock2 - NSDistributedNotificationCenterType
NSDistributedNotificationCenterandNSString - NSErrorDomain
NSErrorandNSString - NSErrorUserInfoKey
NSErrorandNSString - NSExceptionName
NSObjCRuntimeandNSString - NSFileAttributeKey
NSFileManagerandNSString - NSFileAttributeType
NSFileManagerandNSString - NSFileProtectionType
NSFileManagerandNSString - NSFileProviderServiceName
NSFileManagerandNSString - NSHTTPCookiePropertyKey
NSHTTPCookieandNSString - NSHTTPCookieStringPolicy
NSHTTPCookieandNSString - NSHashTableOptions
NSHashTable - A signed integer value type.
- NSItemProviderCompletionHandler
NSErrorandNSItemProviderandNSObjectandblock2 - NSItemProviderLoadHandler
NSDictionaryandNSErrorandNSItemProviderandNSObjectandblock2 - NSKeyValueChangeKey
NSKeyValueObservingandNSString - NSKeyValueOperator
NSKeyValueCodingandNSString - NSLinguisticTag
NSLinguisticTaggerandNSString - NSLinguisticTagScheme
NSLinguisticTaggerandNSString - NSLocaleKey
NSLocaleandNSString - NSMapTableOptions
NSMapTable - NSNotificationName
NSNotificationandNSString - NSPoint
NSGeometryA point in a Cartesian coordinate system. - NSPointArray
NSGeometry - NSPointPointer
NSGeometry - NSProgressFileOperationKind
NSProgressandNSString - NSProgressKind
NSProgressandNSString - NSProgressPublishingHandler
NSProgressandblock2 - NSProgressUnpublishingHandler
NSProgressandblock2 - NSProgressUserInfoKey
NSProgressandNSString - NSPropertyListReadOptions
NSPropertyList - NSPropertyListWriteOptions
NSPropertyList - NSRangePointer
NSRange - NSRect
NSGeometryA rectangle. - NSRectArray
NSGeometry - NSRectPointer
NSGeometry - NSRunLoopMode
NSObjCRuntimeandNSString - NSSize
NSGeometryA two-dimensional size. - NSSizeArray
NSGeometry - NSSizePointer
NSGeometry - NSSocketNativeHandle
NSPort - NSStreamNetworkServiceTypeValue
NSStreamandNSString - NSStreamPropertyKey
NSStreamandNSString - NSStreamSOCKSProxyConfiguration
NSStreamandNSString - NSStreamSOCKSProxyVersion
NSStreamandNSString - NSStreamSocketSecurityLevel
NSStreamandNSString - NSStringEncoding
NSString - NSStringTransform
NSString - NSTextCheckingKey
NSStringandNSTextCheckingResult - NSTextCheckingTypes
NSTextCheckingResult - NSTimeInterval
NSDate - Describes an unsigned integer.
- NSURLFileProtectionType
NSStringandNSURL - NSURLFileResourceType
NSStringandNSURL - NSURLResourceKey
NSStringandNSURL - NSURLThumbnailDictionaryItem
NSStringandNSURL - NSURLUbiquitousItemDownloadingStatus
NSStringandNSURL - NSURLUbiquitousSharedItemPermissions
NSStringandNSURL - NSURLUbiquitousSharedItemRole
NSStringandNSURL - NSUncaughtExceptionHandler
NSException - NSUserActivityPersistentIdentifier
NSStringandNSUserActivity - NSUserAppleScriptTaskCompletionHandler
NSAppleEventDescriptorandNSErrorandNSUserScriptTaskandblock2 - NSUserAutomatorTaskCompletionHandler
NSErrorandNSUserScriptTaskandblock2 - NSUserScriptTaskCompletionHandler
NSErrorandNSUserScriptTaskandblock2 - NSUserUnixTaskCompletionHandler
NSErrorandNSUserScriptTaskandblock2 - NSValueTransformerName
NSStringandNSValueTransformer - unichar
NSString