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)]
#![allow(unused_imports)]
use std::thread;
use std::time::Duration;
use objc2::mutability::InteriorMutable;
use objc2::rc::Retained;
use objc2::{extern_class, msg_send, msg_send_id, ClassType};
use objc2_foundation::{ns_string, NSObject, NSString};
#[cfg(target_os = "macos")]
mod implementation {
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() -> Retained<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: Retained<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(all(target_vendor = "apple", not(target_os = "macos")))]
mod implementation {
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() -> Retained<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) -> Retained<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_vendor = "apple")]
use implementation::{Synthesizer, Utterance};
#[cfg(target_vendor = "apple")]
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));
}
}
#[cfg(not(target_vendor = "apple"))]
fn main() {
panic!("this example is only supported on Apple platforms");
}
Modules§
- array
NSArray
Utilities for theNSArray
andNSMutableArray
classes. - dictionary
NSDictionary
Utilities for theNSDictionary
andNSMutableDictionary
classes. - enumerator
NSEnumerator
Utilities for theNSEnumerator
class. - set
NSSet
Utilities for theNSSet
andNSMutableSet
classes.
Macros§
- ns_string
NSString
Structs§
- CGPoint
NSGeometry
A point in a two-dimensional coordinate system. - CGRect
NSGeometry
The location and dimensions of a rectangle. - CGSize
NSGeometry
A two-dimensional size. - MainThreadBound
NSThread
anddispatch
Make 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
NSAffineTransform
andNSGeometry
- 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
NSByteCountFormatter
andNSFormatter
- NSByteCountFormatterCountStyle
NSByteCountFormatter
- NSByteCountFormatterUnits
NSByteCountFormatter
- NSCache
NSCache
- NSCachedURLResponse
NSURLCache
- NSCalculationError
NSDecimal
- NSCalendar
NSCalendar
- NSCalendarOptions
NSCalendar
- NSCalendarUnit
NSCalendar
- NSCharacterSet
NSCharacterSet
- NSClassDescription
NSClassDescription
- NSCloneCommand
NSScriptCommand
andNSScriptStandardSuiteCommands
- NSCloseCommand
NSScriptCommand
andNSScriptStandardSuiteCommands
- NSCoder
NSCoder
- NSCollectionChangeType
NSOrderedCollectionChange
- NSComparisonPredicate
NSComparisonPredicate
andNSPredicate
- NSComparisonPredicateModifier
NSComparisonPredicate
- NSComparisonPredicateOptions
NSComparisonPredicate
- NSCompoundPredicate
NSCompoundPredicate
andNSPredicate
- NSCompoundPredicateType
NSCompoundPredicate
- NSCondition
NSLock
- NSConditionLock
NSLock
- NSConstantString
NSString
- NSCountCommand
NSScriptCommand
andNSScriptStandardSuiteCommands
- NSCountedSet
NSSet
- NSCreateCommand
NSScriptCommand
andNSScriptStandardSuiteCommands
- NSData
NSData
- NSDataDetector
NSRegularExpression
- NSDataReadingOptions
NSData
- NSDataSearchOptions
NSData
- NSDataWritingOptions
NSData
- NSDate
NSDate
- NSDateComponents
NSCalendar
- NSDateComponentsFormatter
NSDateComponentsFormatter
andNSFormatter
- NSDateComponentsFormatterUnitsStyle
NSDateComponentsFormatter
- NSDateComponentsFormatterZeroFormattingBehavior
NSDateComponentsFormatter
- NSDateFormatter
NSDateFormatter
andNSFormatter
- NSDateFormatterBehavior
NSDateFormatter
- NSDateFormatterStyle
NSDateFormatter
- NSDateInterval
NSDateInterval
- NSDateIntervalFormatter
NSDateIntervalFormatter
andNSFormatter
- NSDateIntervalFormatterStyle
NSDateIntervalFormatter
- NSDecimal
NSDecimal
- NSDecimalNumber
NSDecimalNumber
andNSValue
- NSDecimalNumberHandler
NSDecimalNumber
- NSDecodingFailurePolicy
NSCoder
- NSDeleteCommand
NSScriptCommand
andNSScriptStandardSuiteCommands
- NSDictionary
NSDictionary
- NSDimension
NSUnit
- NSDirectoryEnumerationOptions
NSFileManager
- NSDirectoryEnumerator
NSEnumerator
andNSFileManager
- NSDistributedLock
NSDistributedLock
- NSDistributedNotificationCenter
NSDistributedNotificationCenter
andNSNotification
- NSDistributedNotificationOptions
NSDistributedNotificationCenter
- NSEdgeInsets
NSGeometry
- NSEnergyFormatter
NSEnergyFormatter
andNSFormatter
- NSEnergyFormatterUnit
NSEnergyFormatter
- NSEnumerationOptions
NSObjCRuntime
- NSEnumerator
NSEnumerator
- NSError
NSError
- NSException
NSException
- NSExistsCommand
NSScriptCommand
andNSScriptStandardSuiteCommands
- 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
NSScriptCommand
andNSScriptStandardSuiteCommands
- 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
NSHashTable
andNSString
- NSISO8601DateFormatOptions
NSISO8601DateFormatter
- NSISO8601DateFormatter
NSFormatter
andNSISO8601DateFormatter
- 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
NSCoder
andNSKeyedArchiver
- NSKeyedUnarchiver
NSCoder
andNSKeyedArchiver
- NSLengthFormatter
NSFormatter
andNSLengthFormatter
- NSLengthFormatterUnit
NSLengthFormatter
- NSLinguisticTaggerOptions
NSLinguisticTagger
- NSLinguisticTaggerUnit
NSLinguisticTagger
- NSListFormatter
NSFormatter
andNSListFormatter
- NSLocale
NSLocale
- NSLocaleLanguageDirection
NSLocale
- NSLock
NSLock
- NSLogicalTest
NSScriptWhoseTests
- NSMachPort
NSPort
- NSMachPortOptions
NSPort
- NSMapEnumerator
NSMapTable
- NSMapTable
NSMapTable
- NSMapTableKeyCallBacks
NSMapTable
andNSString
- NSMapTableValueCallBacks
NSMapTable
andNSString
- NSMassFormatter
NSFormatter
andNSMassFormatter
- NSMassFormatterUnit
NSMassFormatter
- NSMatchingFlags
NSRegularExpression
- NSMatchingOptions
NSRegularExpression
- NSMeasurement
NSMeasurement
- NSMeasurementFormatter
NSFormatter
andNSMeasurementFormatter
- NSMeasurementFormatterUnitOptions
NSMeasurementFormatter
- NSMessagePort
NSPort
- NSMetadataItem
NSMetadata
- NSMetadataQuery
NSMetadata
- NSMetadataQueryAttributeValueTuple
NSMetadata
- NSMetadataQueryResultGroup
NSMetadata
- NSMethodSignature
NSMethodSignature
- NSMiddleSpecifier
NSScriptObjectSpecifiers
- NSMorphology
NSMorphology
- NSMorphologyPronoun
NSMorphology
- NSMoveCommand
NSScriptCommand
andNSScriptStandardSuiteCommands
- 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
NSFormatter
andNSNumberFormatter
- 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
NSFormatter
andNSPersonNameComponentsFormatter
- 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
NSProtocolChecker
andNSProxy
- NSProxy
NSProxy
An 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
NSScriptCommand
andNSScriptStandardSuiteCommands
- NSRandomSpecifier
NSScriptObjectSpecifiers
- NSRange
NSRange
TODO. - NSRangeSpecifier
NSScriptObjectSpecifiers
- NSRectEdge
NSGeometry
- NSRecursiveLock
NSLock
- NSRegularExpression
NSRegularExpression
- NSRegularExpressionOptions
NSRegularExpression
- NSRelativeDateTimeFormatter
NSFormatter
andNSRelativeDateTimeFormatter
- NSRelativeDateTimeFormatterStyle
NSRelativeDateTimeFormatter
- NSRelativeDateTimeFormatterUnitsStyle
NSRelativeDateTimeFormatter
- NSRelativePosition
NSScriptObjectSpecifiers
- NSRelativeSpecifier
NSScriptObjectSpecifiers
- NSRoundingMode
NSDecimal
- NSRunLoop
NSRunLoop
- NSSaveOptions
NSScriptStandardSuiteCommands
- NSScanner
NSScanner
- NSScriptClassDescription
NSClassDescription
andNSScriptClassDescription
- NSScriptCoercionHandler
NSScriptCoercionHandler
- NSScriptCommand
NSScriptCommand
- NSScriptCommandDescription
NSScriptCommandDescription
- NSScriptExecutionContext
NSScriptExecutionContext
- NSScriptObjectSpecifier
NSScriptObjectSpecifiers
- NSScriptSuiteRegistry
NSScriptSuiteRegistry
- NSScriptWhoseTest
NSScriptWhoseTests
- NSSearchPathDirectory
NSPathUtilities
- NSSearchPathDomainMask
NSPathUtilities
- NSSecureUnarchiveFromDataTransformer
NSValueTransformer
- NSSet
NSSet
- NSSetCommand
NSScriptCommand
andNSScriptStandardSuiteCommands
- 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
NSXMLDTD
andNSXMLNode
- NSXMLDTDNode
NSXMLDTDNode
andNSXMLNode
- NSXMLDTDNodeKind
NSXMLDTDNode
- NSXMLDocument
NSXMLDocument
andNSXMLNode
- NSXMLDocumentContentKind
NSXMLDocument
- NSXMLElement
NSXMLElement
andNSXMLNode
- NSXMLNode
NSXMLNode
- NSXMLNodeKind
NSXMLNode
- NSXMLNodeOptions
NSXMLNodeOptions
- NSXMLParser
NSXMLParser
- NSXMLParserError
NSXMLParser
- NSXMLParserExternalEntityResolvingPolicy
NSXMLParser
- NSXPCCoder
NSCoder
andNSXPCConnection
- NSXPCConnection
NSXPCConnection
- NSXPCConnectionOptions
NSXPCConnection
- NSXPCInterface
NSXPCConnection
- NSXPCListener
NSXPCConnection
- NSXPCListenerEndpoint
NSXPCConnection
- NSZone
NSZone
A type used to identify and manage memory zones.
Enums§
- NSComparisonResult
NSObjCRuntime
Constants 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
NSUserDefaults
andNSString
- NSAlternateDescriptionAttributeName
NSAttributedString
andNSString
- NSAppleEventManagerWillProcessFirstEventNotification
NSNotification
andNSString
andNSAppleEventManager
- NSAppleEventTimeOutDefault
NSAppleEventManager
- NSAppleEventTimeOutNone
NSAppleEventManager
- NSAppleScriptErrorAppName
NSAppleScript
andNSString
- NSAppleScriptErrorBriefMessage
NSAppleScript
andNSString
- NSAppleScriptErrorMessage
NSAppleScript
andNSString
- NSAppleScriptErrorNumber
NSAppleScript
andNSString
- NSAppleScriptErrorRange
NSAppleScript
andNSString
- NSArgumentDomain
NSUserDefaults
andNSString
- NSAssertionHandlerKey
NSException
andNSString
- NSAverageKeyValueOperator
NSKeyValueCoding
andNSString
- NSBuddhistCalendar
NSLocale
andNSString
- NSBundleDidLoadNotification
NSNotification
andNSString
andNSBundle
- NSBundleResourceRequestLowDiskSpaceNotification
NSNotification
andNSString
andNSBundle
- NSCalendarDayChangedNotification
NSNotification
andNSString
andNSCalendar
- NSCalendarIdentifierBuddhist
NSCalendar
andNSString
- NSCalendarIdentifierChinese
NSCalendar
andNSString
- NSCalendarIdentifierCoptic
NSCalendar
andNSString
- NSCalendarIdentifierEthiopicAmeteAlem
NSCalendar
andNSString
- NSCalendarIdentifierEthiopicAmeteMihret
NSCalendar
andNSString
- NSCalendarIdentifierGregorian
NSCalendar
andNSString
- NSCalendarIdentifierHebrew
NSCalendar
andNSString
- NSCalendarIdentifierISO8601
NSCalendar
andNSString
- NSCalendarIdentifierIndian
NSCalendar
andNSString
- NSCalendarIdentifierIslamic
NSCalendar
andNSString
- NSCalendarIdentifierIslamicCivil
NSCalendar
andNSString
- NSCalendarIdentifierIslamicTabular
NSCalendar
andNSString
- NSCalendarIdentifierIslamicUmmAlQura
NSCalendar
andNSString
- NSCalendarIdentifierJapanese
NSCalendar
andNSString
- NSCalendarIdentifierPersian
NSCalendar
andNSString
- NSCalendarIdentifierRepublicOfChina
NSCalendar
andNSString
- NSCharacterConversionException
NSString
andNSObjCRuntime
- NSChineseCalendar
NSLocale
andNSString
- NSClassDescriptionNeededForClassNotification
NSNotification
andNSString
andNSClassDescription
- NSCocoaErrorDomain
NSError
andNSString
- NSConnectionDidDieNotification
NSConnection
andNSString
- NSConnectionDidInitializeNotification
NSConnection
andNSString
- NSConnectionReplyMode
NSConnection
andNSString
- NSCountKeyValueOperator
NSKeyValueCoding
andNSString
- NSCurrencySymbol
NSUserDefaults
andNSString
- NSCurrentLocaleDidChangeNotification
NSNotification
andNSString
andNSLocale
- NSDateFormatString
NSUserDefaults
andNSString
- NSDateTimeOrdering
NSUserDefaults
andNSString
- NSDebugDescriptionErrorKey
NSError
andNSString
- NSDecimalDigits
NSUserDefaults
andNSString
- NSDecimalNumberDivideByZeroException
NSObjCRuntime
andNSString
andNSDecimalNumber
- NSDecimalNumberExactnessException
NSObjCRuntime
andNSString
andNSDecimalNumber
- NSDecimalNumberOverflowException
NSObjCRuntime
andNSString
andNSDecimalNumber
- NSDecimalNumberUnderflowException
NSObjCRuntime
andNSString
andNSDecimalNumber
- NSDecimalSeparator
NSUserDefaults
andNSString
- NSDefaultRunLoopMode
NSObjCRuntime
andNSString
andNSRunLoop
- NSDestinationInvalidException
NSObjCRuntime
andNSString
andNSException
- NSDidBecomeSingleThreadedNotification
NSNotification
andNSString
andNSThread
- NSDistinctUnionOfArraysKeyValueOperator
NSKeyValueCoding
andNSString
- NSDistinctUnionOfObjectsKeyValueOperator
NSKeyValueCoding
andNSString
- NSDistinctUnionOfSetsKeyValueOperator
NSKeyValueCoding
andNSString
- NSEarlierTimeDesignations
NSUserDefaults
andNSString
- NSEdgeInsetsZero
NSGeometry
- NSErrorFailingURLStringKey
NSURLError
andNSString
- NSExtensionHostDidBecomeActiveNotification
NSExtensionContext
andNSString
- NSExtensionHostDidEnterBackgroundNotification
NSExtensionContext
andNSString
- NSExtensionHostWillEnterForegroundNotification
NSExtensionContext
andNSString
- NSExtensionHostWillResignActiveNotification
NSExtensionContext
andNSString
- NSExtensionItemAttachmentsKey
NSExtensionItem
andNSString
- NSExtensionItemAttributedContentTextKey
NSExtensionItem
andNSString
- NSExtensionItemAttributedTitleKey
NSExtensionItem
andNSString
- NSExtensionItemsAndErrorsKey
NSExtensionContext
andNSString
- NSExtensionJavaScriptFinalizeArgumentKey
NSItemProvider
andNSString
- NSExtensionJavaScriptPreprocessingResultsKey
NSItemProvider
andNSString
- NSFTPPropertyActiveTransferModeKey
NSURLHandle
andNSString
- NSFTPPropertyFTPProxy
NSURLHandle
andNSString
- NSFTPPropertyFileOffsetKey
NSURLHandle
andNSString
- NSFTPPropertyUserLoginKey
NSURLHandle
andNSString
- NSFTPPropertyUserPasswordKey
NSURLHandle
andNSString
- NSFailedAuthenticationException
NSConnection
andNSString
- NSFileAppendOnly
NSFileManager
andNSString
- NSFileBusy
NSFileManager
andNSString
- NSFileCreationDate
NSFileManager
andNSString
- NSFileDeviceIdentifier
NSFileManager
andNSString
- NSFileExtensionHidden
NSFileManager
andNSString
- NSFileGroupOwnerAccountID
NSFileManager
andNSString
- NSFileGroupOwnerAccountName
NSFileManager
andNSString
- NSFileHFSCreatorCode
NSFileManager
andNSString
- NSFileHFSTypeCode
NSFileManager
andNSString
- NSFileHandleConnectionAcceptedNotification
NSNotification
andNSString
andNSFileHandle
- NSFileHandleDataAvailableNotification
NSNotification
andNSString
andNSFileHandle
- NSFileHandleNotificationDataItem
NSFileHandle
andNSString
- NSFileHandleNotificationFileHandleItem
NSFileHandle
andNSString
- NSFileHandleNotificationMonitorModes
NSFileHandle
andNSString
- NSFileHandleOperationException
NSObjCRuntime
andNSString
andNSFileHandle
- NSFileHandleReadCompletionNotification
NSNotification
andNSString
andNSFileHandle
- NSFileHandleReadToEndOfFileCompletionNotification
NSNotification
andNSString
andNSFileHandle
- NSFileImmutable
NSFileManager
andNSString
- NSFileManagerUnmountDissentingProcessIdentifierErrorKey
NSFileManager
andNSString
- NSFileModificationDate
NSFileManager
andNSString
- NSFileOwnerAccountID
NSFileManager
andNSString
- NSFileOwnerAccountName
NSFileManager
andNSString
- NSFilePathErrorKey
NSError
andNSString
- NSFilePosixPermissions
NSFileManager
andNSString
- NSFileProtectionComplete
NSFileManager
andNSString
- NSFileProtectionCompleteUnlessOpen
NSFileManager
andNSString
- NSFileProtectionCompleteUntilFirstUserAuthentication
NSFileManager
andNSString
- NSFileProtectionCompleteWhenUserInactive
NSFileManager
andNSString
- NSFileProtectionKey
NSFileManager
andNSString
- NSFileProtectionNone
NSFileManager
andNSString
- NSFileReferenceCount
NSFileManager
andNSString
- NSFileSize
NSFileManager
andNSString
- NSFileSystemFileNumber
NSFileManager
andNSString
- NSFileSystemFreeNodes
NSFileManager
andNSString
- NSFileSystemFreeSize
NSFileManager
andNSString
- NSFileSystemNodes
NSFileManager
andNSString
- NSFileSystemNumber
NSFileManager
andNSString
- NSFileSystemSize
NSFileManager
andNSString
- NSFileType
NSFileManager
andNSString
- NSFileTypeBlockSpecial
NSFileManager
andNSString
- NSFileTypeCharacterSpecial
NSFileManager
andNSString
- NSFileTypeDirectory
NSFileManager
andNSString
- NSFileTypeRegular
NSFileManager
andNSString
- NSFileTypeSocket
NSFileManager
andNSString
- NSFileTypeSymbolicLink
NSFileManager
andNSString
- NSFileTypeUnknown
NSFileManager
andNSString
- NSFoundationVersionNumber
NSObjCRuntime
- NSGenericException
NSObjCRuntime
andNSString
andNSException
- NSGlobalDomain
NSUserDefaults
andNSString
- NSGrammarCorrections
NSSpellServer
andNSString
- NSGrammarRange
NSSpellServer
andNSString
- NSGrammarUserDescription
NSSpellServer
andNSString
- NSGregorianCalendar
NSLocale
andNSString
- NSHTTPCookieComment
NSHTTPCookie
andNSString
- NSHTTPCookieCommentURL
NSHTTPCookie
andNSString
- NSHTTPCookieDiscard
NSHTTPCookie
andNSString
- NSHTTPCookieDomain
NSHTTPCookie
andNSString
- NSHTTPCookieExpires
NSHTTPCookie
andNSString
- NSHTTPCookieManagerAcceptPolicyChangedNotification
NSNotification
andNSString
andNSHTTPCookieStorage
- NSHTTPCookieManagerCookiesChangedNotification
NSNotification
andNSString
andNSHTTPCookieStorage
- NSHTTPCookieMaximumAge
NSHTTPCookie
andNSString
- NSHTTPCookieName
NSHTTPCookie
andNSString
- NSHTTPCookieOriginURL
NSHTTPCookie
andNSString
- NSHTTPCookiePath
NSHTTPCookie
andNSString
- NSHTTPCookiePort
NSHTTPCookie
andNSString
- NSHTTPCookieSameSiteLax
NSHTTPCookie
andNSString
- NSHTTPCookieSameSitePolicy
NSHTTPCookie
andNSString
- NSHTTPCookieSameSiteStrict
NSHTTPCookie
andNSString
- NSHTTPCookieSecure
NSHTTPCookie
andNSString
- NSHTTPCookieValue
NSHTTPCookie
andNSString
- NSHTTPCookieVersion
NSHTTPCookie
andNSString
- NSHTTPPropertyErrorPageDataKey
NSURLHandle
andNSString
- NSHTTPPropertyHTTPProxy
NSURLHandle
andNSString
- NSHTTPPropertyRedirectionHeadersKey
NSURLHandle
andNSString
- NSHTTPPropertyServerHTTPVersionKey
NSURLHandle
andNSString
- NSHTTPPropertyStatusCodeKey
NSURLHandle
andNSString
- NSHTTPPropertyStatusReasonKey
NSURLHandle
andNSString
- NSHashTableCopyIn
NSHashTable
andNSPointerFunctions
- NSHashTableObjectPointerPersonality
NSHashTable
andNSPointerFunctions
- NSHashTableStrongMemory
NSHashTable
andNSPointerFunctions
- NSHashTableWeakMemory
NSHashTable
andNSPointerFunctions
- NSHashTableZeroingWeakMemory
NSHashTable
andNSPointerFunctions
- NSHebrewCalendar
NSLocale
andNSString
- NSHelpAnchorErrorKey
NSError
andNSString
- NSHourNameDesignations
NSUserDefaults
andNSString
- NSISO8601Calendar
NSLocale
andNSString
- NSImageURLAttributeName
NSAttributedString
andNSString
- NSInconsistentArchiveException
NSObjCRuntime
andNSString
andNSException
- NSIndianCalendar
NSLocale
andNSString
- NSInflectionAgreementArgumentAttributeName
NSAttributedString
andNSString
- NSInflectionAgreementConceptAttributeName
NSAttributedString
andNSString
- NSInflectionAlternativeAttributeName
NSAttributedString
andNSString
- NSInflectionConceptsKey
NSAttributedString
andNSString
- NSInflectionReferentConceptAttributeName
NSAttributedString
andNSString
- NSInflectionRuleAttributeName
NSAttributedString
andNSString
- NSInlinePresentationIntentAttributeName
NSAttributedString
andNSString
- NSIntHashCallBacks
NSHashTable
andNSString
- NSIntMapKeyCallBacks
NSMapTable
andNSString
- NSIntMapValueCallBacks
NSMapTable
andNSString
- NSIntegerHashCallBacks
NSHashTable
andNSString
- NSIntegerMapKeyCallBacks
NSMapTable
andNSString
- NSIntegerMapValueCallBacks
NSMapTable
andNSString
- NSInternalInconsistencyException
NSObjCRuntime
andNSString
andNSException
- NSInternationalCurrencyString
NSUserDefaults
andNSString
- NSInvalidArchiveOperationException
NSObjCRuntime
andNSString
andNSKeyedArchiver
- NSInvalidArgumentException
NSObjCRuntime
andNSString
andNSException
- NSInvalidReceivePortException
NSObjCRuntime
andNSString
andNSException
- NSInvalidSendPortException
NSObjCRuntime
andNSString
andNSException
- NSInvalidUnarchiveOperationException
NSObjCRuntime
andNSString
andNSKeyedArchiver
- NSInvocationOperationCancelledException
NSObjCRuntime
andNSString
andNSOperation
- NSInvocationOperationVoidResultException
NSObjCRuntime
andNSString
andNSOperation
- NSIsNilTransformerName
NSValueTransformer
andNSString
- NSIsNotNilTransformerName
NSValueTransformer
andNSString
- NSIslamicCalendar
NSLocale
andNSString
- NSIslamicCivilCalendar
NSLocale
andNSString
- NSItemProviderErrorDomain
NSItemProvider
andNSString
- NSItemProviderPreferredImageSizeKey
NSItemProvider
andNSString
- NSJapaneseCalendar
NSLocale
andNSString
- NSKeyValueChangeIndexesKey
NSKeyValueObserving
andNSString
- NSKeyValueChangeKindKey
NSKeyValueObserving
andNSString
- NSKeyValueChangeNewKey
NSKeyValueObserving
andNSString
- NSKeyValueChangeNotificationIsPriorKey
NSKeyValueObserving
andNSString
- NSKeyValueChangeOldKey
NSKeyValueObserving
andNSString
- NSKeyedArchiveRootObjectKey
NSKeyedArchiver
andNSString
- NSKeyedUnarchiveFromDataTransformerName
NSValueTransformer
andNSString
- NSLanguageIdentifierAttributeName
NSAttributedString
andNSString
- NSLaterTimeDesignations
NSUserDefaults
andNSString
- NSLinguisticTagAdjective
NSLinguisticTagger
andNSString
- NSLinguisticTagAdverb
NSLinguisticTagger
andNSString
- NSLinguisticTagClassifier
NSLinguisticTagger
andNSString
- NSLinguisticTagCloseParenthesis
NSLinguisticTagger
andNSString
- NSLinguisticTagCloseQuote
NSLinguisticTagger
andNSString
- NSLinguisticTagConjunction
NSLinguisticTagger
andNSString
- NSLinguisticTagDash
NSLinguisticTagger
andNSString
- NSLinguisticTagDeterminer
NSLinguisticTagger
andNSString
- NSLinguisticTagIdiom
NSLinguisticTagger
andNSString
- NSLinguisticTagInterjection
NSLinguisticTagger
andNSString
- NSLinguisticTagNoun
NSLinguisticTagger
andNSString
- NSLinguisticTagNumber
NSLinguisticTagger
andNSString
- NSLinguisticTagOpenParenthesis
NSLinguisticTagger
andNSString
- NSLinguisticTagOpenQuote
NSLinguisticTagger
andNSString
- NSLinguisticTagOrganizationName
NSLinguisticTagger
andNSString
- NSLinguisticTagOther
NSLinguisticTagger
andNSString
- NSLinguisticTagOtherPunctuation
NSLinguisticTagger
andNSString
- NSLinguisticTagOtherWhitespace
NSLinguisticTagger
andNSString
- NSLinguisticTagOtherWord
NSLinguisticTagger
andNSString
- NSLinguisticTagParagraphBreak
NSLinguisticTagger
andNSString
- NSLinguisticTagParticle
NSLinguisticTagger
andNSString
- NSLinguisticTagPersonalName
NSLinguisticTagger
andNSString
- NSLinguisticTagPlaceName
NSLinguisticTagger
andNSString
- NSLinguisticTagPreposition
NSLinguisticTagger
andNSString
- NSLinguisticTagPronoun
NSLinguisticTagger
andNSString
- NSLinguisticTagPunctuation
NSLinguisticTagger
andNSString
- NSLinguisticTagSchemeLanguage
NSLinguisticTagger
andNSString
- NSLinguisticTagSchemeLemma
NSLinguisticTagger
andNSString
- NSLinguisticTagSchemeLexicalClass
NSLinguisticTagger
andNSString
- NSLinguisticTagSchemeNameType
NSLinguisticTagger
andNSString
- NSLinguisticTagSchemeNameTypeOrLexicalClass
NSLinguisticTagger
andNSString
- NSLinguisticTagSchemeScript
NSLinguisticTagger
andNSString
- NSLinguisticTagSchemeTokenType
NSLinguisticTagger
andNSString
- NSLinguisticTagSentenceTerminator
NSLinguisticTagger
andNSString
- NSLinguisticTagVerb
NSLinguisticTagger
andNSString
- NSLinguisticTagWhitespace
NSLinguisticTagger
andNSString
- NSLinguisticTagWord
NSLinguisticTagger
andNSString
- NSLinguisticTagWordJoiner
NSLinguisticTagger
andNSString
- NSLoadedClasses
NSBundle
andNSString
- NSLocalNotificationCenterType
NSDistributedNotificationCenter
andNSString
- NSLocaleAlternateQuotationBeginDelimiterKey
NSLocale
andNSString
- NSLocaleAlternateQuotationEndDelimiterKey
NSLocale
andNSString
- NSLocaleCalendar
NSLocale
andNSString
- NSLocaleCollationIdentifier
NSLocale
andNSString
- NSLocaleCollatorIdentifier
NSLocale
andNSString
- NSLocaleCountryCode
NSLocale
andNSString
- NSLocaleCurrencyCode
NSLocale
andNSString
- NSLocaleCurrencySymbol
NSLocale
andNSString
- NSLocaleDecimalSeparator
NSLocale
andNSString
- NSLocaleExemplarCharacterSet
NSLocale
andNSString
- NSLocaleGroupingSeparator
NSLocale
andNSString
- NSLocaleIdentifier
NSLocale
andNSString
- NSLocaleLanguageCode
NSLocale
andNSString
- NSLocaleMeasurementSystem
NSLocale
andNSString
- NSLocaleQuotationBeginDelimiterKey
NSLocale
andNSString
- NSLocaleQuotationEndDelimiterKey
NSLocale
andNSString
- NSLocaleScriptCode
NSLocale
andNSString
- NSLocaleUsesMetricSystem
NSLocale
andNSString
- NSLocaleVariantCode
NSLocale
andNSString
- NSLocalizedDescriptionKey
NSError
andNSString
- NSLocalizedFailureErrorKey
NSError
andNSString
- NSLocalizedFailureReasonErrorKey
NSError
andNSString
- NSLocalizedRecoveryOptionsErrorKey
NSError
andNSString
- NSLocalizedRecoverySuggestionErrorKey
NSError
andNSString
- NSMachErrorDomain
NSError
andNSString
- NSMallocException
NSObjCRuntime
andNSString
andNSException
- NSMapTableCopyIn
NSMapTable
andNSPointerFunctions
- NSMapTableObjectPointerPersonality
NSMapTable
andNSPointerFunctions
- NSMapTableStrongMemory
NSMapTable
andNSPointerFunctions
- NSMapTableWeakMemory
NSMapTable
andNSPointerFunctions
- NSMapTableZeroingWeakMemory
NSMapTable
andNSPointerFunctions
- NSMarkdownSourcePositionAttributeName
NSAttributedString
andNSString
- NSMaximumKeyValueOperator
NSKeyValueCoding
andNSString
- NSMetadataItemAcquisitionMakeKey
NSMetadataAttributes
andNSString
- NSMetadataItemAcquisitionModelKey
NSMetadataAttributes
andNSString
- NSMetadataItemAlbumKey
NSMetadataAttributes
andNSString
- NSMetadataItemAltitudeKey
NSMetadataAttributes
andNSString
- NSMetadataItemApertureKey
NSMetadataAttributes
andNSString
- NSMetadataItemAppleLoopDescriptorsKey
NSMetadataAttributes
andNSString
- NSMetadataItemAppleLoopsKeyFilterTypeKey
NSMetadataAttributes
andNSString
- NSMetadataItemAppleLoopsLoopModeKey
NSMetadataAttributes
andNSString
- NSMetadataItemAppleLoopsRootKeyKey
NSMetadataAttributes
andNSString
- NSMetadataItemApplicationCategoriesKey
NSMetadataAttributes
andNSString
- NSMetadataItemAttributeChangeDateKey
NSMetadataAttributes
andNSString
- NSMetadataItemAudiencesKey
NSMetadataAttributes
andNSString
- NSMetadataItemAudioBitRateKey
NSMetadataAttributes
andNSString
- NSMetadataItemAudioChannelCountKey
NSMetadataAttributes
andNSString
- NSMetadataItemAudioEncodingApplicationKey
NSMetadataAttributes
andNSString
- NSMetadataItemAudioSampleRateKey
NSMetadataAttributes
andNSString
- NSMetadataItemAudioTrackNumberKey
NSMetadataAttributes
andNSString
- NSMetadataItemAuthorAddressesKey
NSMetadataAttributes
andNSString
- NSMetadataItemAuthorEmailAddressesKey
NSMetadataAttributes
andNSString
- NSMetadataItemAuthorsKey
NSMetadataAttributes
andNSString
- NSMetadataItemBitsPerSampleKey
NSMetadataAttributes
andNSString
- NSMetadataItemCFBundleIdentifierKey
NSMetadataAttributes
andNSString
- NSMetadataItemCameraOwnerKey
NSMetadataAttributes
andNSString
- NSMetadataItemCityKey
NSMetadataAttributes
andNSString
- NSMetadataItemCodecsKey
NSMetadataAttributes
andNSString
- NSMetadataItemColorSpaceKey
NSMetadataAttributes
andNSString
- NSMetadataItemCommentKey
NSMetadataAttributes
andNSString
- NSMetadataItemComposerKey
NSMetadataAttributes
andNSString
- NSMetadataItemContactKeywordsKey
NSMetadataAttributes
andNSString
- NSMetadataItemContentCreationDateKey
NSMetadataAttributes
andNSString
- NSMetadataItemContentModificationDateKey
NSMetadataAttributes
andNSString
- NSMetadataItemContentTypeKey
NSMetadataAttributes
andNSString
- NSMetadataItemContentTypeTreeKey
NSMetadataAttributes
andNSString
- NSMetadataItemContributorsKey
NSMetadataAttributes
andNSString
- NSMetadataItemCopyrightKey
NSMetadataAttributes
andNSString
- NSMetadataItemCountryKey
NSMetadataAttributes
andNSString
- NSMetadataItemCoverageKey
NSMetadataAttributes
andNSString
- NSMetadataItemCreatorKey
NSMetadataAttributes
andNSString
- NSMetadataItemDateAddedKey
NSMetadataAttributes
andNSString
- NSMetadataItemDeliveryTypeKey
NSMetadataAttributes
andNSString
- NSMetadataItemDescriptionKey
NSMetadataAttributes
andNSString
- NSMetadataItemDirectorKey
NSMetadataAttributes
andNSString
- NSMetadataItemDisplayNameKey
NSMetadataAttributes
andNSString
- NSMetadataItemDownloadedDateKey
NSMetadataAttributes
andNSString
- NSMetadataItemDueDateKey
NSMetadataAttributes
andNSString
- NSMetadataItemDurationSecondsKey
NSMetadataAttributes
andNSString
- NSMetadataItemEXIFGPSVersionKey
NSMetadataAttributes
andNSString
- NSMetadataItemEXIFVersionKey
NSMetadataAttributes
andNSString
- NSMetadataItemEditorsKey
NSMetadataAttributes
andNSString
- NSMetadataItemEmailAddressesKey
NSMetadataAttributes
andNSString
- NSMetadataItemEncodingApplicationsKey
NSMetadataAttributes
andNSString
- NSMetadataItemExecutableArchitecturesKey
NSMetadataAttributes
andNSString
- NSMetadataItemExecutablePlatformKey
NSMetadataAttributes
andNSString
- NSMetadataItemExposureModeKey
NSMetadataAttributes
andNSString
- NSMetadataItemExposureProgramKey
NSMetadataAttributes
andNSString
- NSMetadataItemExposureTimeSecondsKey
NSMetadataAttributes
andNSString
- NSMetadataItemExposureTimeStringKey
NSMetadataAttributes
andNSString
- NSMetadataItemFNumberKey
NSMetadataAttributes
andNSString
- NSMetadataItemFSContentChangeDateKey
NSMetadataAttributes
andNSString
- NSMetadataItemFSCreationDateKey
NSMetadataAttributes
andNSString
- NSMetadataItemFSNameKey
NSMetadataAttributes
andNSString
- NSMetadataItemFSSizeKey
NSMetadataAttributes
andNSString
- NSMetadataItemFinderCommentKey
NSMetadataAttributes
andNSString
- NSMetadataItemFlashOnOffKey
NSMetadataAttributes
andNSString
- NSMetadataItemFocalLength35mmKey
NSMetadataAttributes
andNSString
- NSMetadataItemFocalLengthKey
NSMetadataAttributes
andNSString
- NSMetadataItemFontsKey
NSMetadataAttributes
andNSString
- NSMetadataItemGPSAreaInformationKey
NSMetadataAttributes
andNSString
- NSMetadataItemGPSDOPKey
NSMetadataAttributes
andNSString
- NSMetadataItemGPSDateStampKey
NSMetadataAttributes
andNSString
- NSMetadataItemGPSDestBearingKey
NSMetadataAttributes
andNSString
- NSMetadataItemGPSDestDistanceKey
NSMetadataAttributes
andNSString
- NSMetadataItemGPSDestLatitudeKey
NSMetadataAttributes
andNSString
- NSMetadataItemGPSDestLongitudeKey
NSMetadataAttributes
andNSString
- NSMetadataItemGPSDifferentalKey
NSMetadataAttributes
andNSString
- NSMetadataItemGPSMapDatumKey
NSMetadataAttributes
andNSString
- NSMetadataItemGPSMeasureModeKey
NSMetadataAttributes
andNSString
- NSMetadataItemGPSProcessingMethodKey
NSMetadataAttributes
andNSString
- NSMetadataItemGPSStatusKey
NSMetadataAttributes
andNSString
- NSMetadataItemGPSTrackKey
NSMetadataAttributes
andNSString
- NSMetadataItemGenreKey
NSMetadataAttributes
andNSString
- NSMetadataItemHasAlphaChannelKey
NSMetadataAttributes
andNSString
- NSMetadataItemHeadlineKey
NSMetadataAttributes
andNSString
- NSMetadataItemISOSpeedKey
NSMetadataAttributes
andNSString
- NSMetadataItemIdentifierKey
NSMetadataAttributes
andNSString
- NSMetadataItemImageDirectionKey
NSMetadataAttributes
andNSString
- NSMetadataItemInformationKey
NSMetadataAttributes
andNSString
- NSMetadataItemInstantMessageAddressesKey
NSMetadataAttributes
andNSString
- NSMetadataItemInstructionsKey
NSMetadataAttributes
andNSString
- NSMetadataItemIsApplicationManagedKey
NSMetadataAttributes
andNSString
- NSMetadataItemIsGeneralMIDISequenceKey
NSMetadataAttributes
andNSString
- NSMetadataItemIsLikelyJunkKey
NSMetadataAttributes
andNSString
- NSMetadataItemIsUbiquitousKey
NSMetadataAttributes
andNSString
- NSMetadataItemKeySignatureKey
NSMetadataAttributes
andNSString
- NSMetadataItemKeywordsKey
NSMetadataAttributes
andNSString
- NSMetadataItemKindKey
NSMetadataAttributes
andNSString
- NSMetadataItemLanguagesKey
NSMetadataAttributes
andNSString
- NSMetadataItemLastUsedDateKey
NSMetadataAttributes
andNSString
- NSMetadataItemLatitudeKey
NSMetadataAttributes
andNSString
- NSMetadataItemLayerNamesKey
NSMetadataAttributes
andNSString
- NSMetadataItemLensModelKey
NSMetadataAttributes
andNSString
- NSMetadataItemLongitudeKey
NSMetadataAttributes
andNSString
- NSMetadataItemLyricistKey
NSMetadataAttributes
andNSString
- NSMetadataItemMaxApertureKey
NSMetadataAttributes
andNSString
- NSMetadataItemMediaTypesKey
NSMetadataAttributes
andNSString
- NSMetadataItemMeteringModeKey
NSMetadataAttributes
andNSString
- NSMetadataItemMusicalGenreKey
NSMetadataAttributes
andNSString
- NSMetadataItemMusicalInstrumentCategoryKey
NSMetadataAttributes
andNSString
- NSMetadataItemMusicalInstrumentNameKey
NSMetadataAttributes
andNSString
- NSMetadataItemNamedLocationKey
NSMetadataAttributes
andNSString
- NSMetadataItemNumberOfPagesKey
NSMetadataAttributes
andNSString
- NSMetadataItemOrganizationsKey
NSMetadataAttributes
andNSString
- NSMetadataItemOrientationKey
NSMetadataAttributes
andNSString
- NSMetadataItemOriginalFormatKey
NSMetadataAttributes
andNSString
- NSMetadataItemOriginalSourceKey
NSMetadataAttributes
andNSString
- NSMetadataItemPageHeightKey
NSMetadataAttributes
andNSString
- NSMetadataItemPageWidthKey
NSMetadataAttributes
andNSString
- NSMetadataItemParticipantsKey
NSMetadataAttributes
andNSString
- NSMetadataItemPathKey
NSMetadataAttributes
andNSString
- NSMetadataItemPerformersKey
NSMetadataAttributes
andNSString
- NSMetadataItemPhoneNumbersKey
NSMetadataAttributes
andNSString
- NSMetadataItemPixelCountKey
NSMetadataAttributes
andNSString
- NSMetadataItemPixelHeightKey
NSMetadataAttributes
andNSString
- NSMetadataItemPixelWidthKey
NSMetadataAttributes
andNSString
- NSMetadataItemProducerKey
NSMetadataAttributes
andNSString
- NSMetadataItemProfileNameKey
NSMetadataAttributes
andNSString
- NSMetadataItemProjectsKey
NSMetadataAttributes
andNSString
- NSMetadataItemPublishersKey
NSMetadataAttributes
andNSString
- NSMetadataItemRecipientAddressesKey
NSMetadataAttributes
andNSString
- NSMetadataItemRecipientEmailAddressesKey
NSMetadataAttributes
andNSString
- NSMetadataItemRecipientsKey
NSMetadataAttributes
andNSString
- NSMetadataItemRecordingDateKey
NSMetadataAttributes
andNSString
- NSMetadataItemRecordingYearKey
NSMetadataAttributes
andNSString
- NSMetadataItemRedEyeOnOffKey
NSMetadataAttributes
andNSString
- NSMetadataItemResolutionHeightDPIKey
NSMetadataAttributes
andNSString
- NSMetadataItemResolutionWidthDPIKey
NSMetadataAttributes
andNSString
- NSMetadataItemRightsKey
NSMetadataAttributes
andNSString
- NSMetadataItemSecurityMethodKey
NSMetadataAttributes
andNSString
- NSMetadataItemSpeedKey
NSMetadataAttributes
andNSString
- NSMetadataItemStarRatingKey
NSMetadataAttributes
andNSString
- NSMetadataItemStateOrProvinceKey
NSMetadataAttributes
andNSString
- NSMetadataItemStreamableKey
NSMetadataAttributes
andNSString
- NSMetadataItemSubjectKey
NSMetadataAttributes
andNSString
- NSMetadataItemTempoKey
NSMetadataAttributes
andNSString
- NSMetadataItemTextContentKey
NSMetadataAttributes
andNSString
- NSMetadataItemThemeKey
NSMetadataAttributes
andNSString
- NSMetadataItemTimeSignatureKey
NSMetadataAttributes
andNSString
- NSMetadataItemTimestampKey
NSMetadataAttributes
andNSString
- NSMetadataItemTitleKey
NSMetadataAttributes
andNSString
- NSMetadataItemTotalBitRateKey
NSMetadataAttributes
andNSString
- NSMetadataItemURLKey
NSMetadataAttributes
andNSString
- NSMetadataItemVersionKey
NSMetadataAttributes
andNSString
- NSMetadataItemVideoBitRateKey
NSMetadataAttributes
andNSString
- NSMetadataItemWhereFromsKey
NSMetadataAttributes
andNSString
- NSMetadataItemWhiteBalanceKey
NSMetadataAttributes
andNSString
- NSMetadataQueryAccessibleUbiquitousExternalDocumentsScope
NSMetadata
andNSString
- NSMetadataQueryDidFinishGatheringNotification
NSNotification
andNSString
andNSMetadata
- NSMetadataQueryDidStartGatheringNotification
NSNotification
andNSString
andNSMetadata
- NSMetadataQueryDidUpdateNotification
NSNotification
andNSString
andNSMetadata
- NSMetadataQueryGatheringProgressNotification
NSNotification
andNSString
andNSMetadata
- NSMetadataQueryIndexedLocalComputerScope
NSMetadata
andNSString
- NSMetadataQueryIndexedNetworkScope
NSMetadata
andNSString
- NSMetadataQueryLocalComputerScope
NSMetadata
andNSString
- NSMetadataQueryNetworkScope
NSMetadata
andNSString
- NSMetadataQueryResultContentRelevanceAttribute
NSMetadata
andNSString
- NSMetadataQueryUbiquitousDataScope
NSMetadata
andNSString
- NSMetadataQueryUbiquitousDocumentsScope
NSMetadata
andNSString
- NSMetadataQueryUpdateAddedItemsKey
NSMetadata
andNSString
- NSMetadataQueryUpdateChangedItemsKey
NSMetadata
andNSString
- NSMetadataQueryUpdateRemovedItemsKey
NSMetadata
andNSString
- NSMetadataQueryUserHomeScope
NSMetadata
andNSString
- NSMetadataUbiquitousItemContainerDisplayNameKey
NSMetadataAttributes
andNSString
- NSMetadataUbiquitousItemDownloadRequestedKey
NSMetadataAttributes
andNSString
- NSMetadataUbiquitousItemDownloadingErrorKey
NSMetadataAttributes
andNSString
- NSMetadataUbiquitousItemDownloadingStatusCurrent
NSMetadataAttributes
andNSString
- NSMetadataUbiquitousItemDownloadingStatusDownloaded
NSMetadataAttributes
andNSString
- NSMetadataUbiquitousItemDownloadingStatusKey
NSMetadataAttributes
andNSString
- NSMetadataUbiquitousItemDownloadingStatusNotDownloaded
NSMetadataAttributes
andNSString
- NSMetadataUbiquitousItemHasUnresolvedConflictsKey
NSMetadataAttributes
andNSString
- NSMetadataUbiquitousItemIsDownloadedKey
NSMetadataAttributes
andNSString
- NSMetadataUbiquitousItemIsDownloadingKey
NSMetadataAttributes
andNSString
- NSMetadataUbiquitousItemIsExternalDocumentKey
NSMetadataAttributes
andNSString
- NSMetadataUbiquitousItemIsSharedKey
NSMetadataAttributes
andNSString
- NSMetadataUbiquitousItemIsUploadedKey
NSMetadataAttributes
andNSString
- NSMetadataUbiquitousItemIsUploadingKey
NSMetadataAttributes
andNSString
- NSMetadataUbiquitousItemPercentDownloadedKey
NSMetadataAttributes
andNSString
- NSMetadataUbiquitousItemPercentUploadedKey
NSMetadataAttributes
andNSString
- NSMetadataUbiquitousItemURLInLocalContainerKey
NSMetadataAttributes
andNSString
- NSMetadataUbiquitousItemUploadingErrorKey
NSMetadataAttributes
andNSString
- NSMetadataUbiquitousSharedItemCurrentUserPermissionsKey
NSMetadataAttributes
andNSString
- NSMetadataUbiquitousSharedItemCurrentUserRoleKey
NSMetadataAttributes
andNSString
- NSMetadataUbiquitousSharedItemMostRecentEditorNameComponentsKey
NSMetadataAttributes
andNSString
- NSMetadataUbiquitousSharedItemOwnerNameComponentsKey
NSMetadataAttributes
andNSString
- NSMetadataUbiquitousSharedItemPermissionsReadOnly
NSMetadataAttributes
andNSString
- NSMetadataUbiquitousSharedItemPermissionsReadWrite
NSMetadataAttributes
andNSString
- NSMetadataUbiquitousSharedItemRoleOwner
NSMetadataAttributes
andNSString
- NSMetadataUbiquitousSharedItemRoleParticipant
NSMetadataAttributes
andNSString
- NSMinimumKeyValueOperator
NSKeyValueCoding
andNSString
- NSMonthNameArray
NSUserDefaults
andNSString
- NSMorphologyAttributeName
NSAttributedString
andNSString
- NSMultipleUnderlyingErrorsKey
NSError
andNSString
- NSNegateBooleanTransformerName
NSValueTransformer
andNSString
- NSNegativeCurrencyFormatString
NSUserDefaults
andNSString
- NSNetServicesErrorCode
NSNetServices
andNSString
- NSNetServicesErrorDomain
NSError
andNSString
andNSNetServices
- NSNextDayDesignations
NSUserDefaults
andNSString
- NSNextNextDayDesignations
NSUserDefaults
andNSString
- NSNonOwnedPointerHashCallBacks
NSHashTable
andNSString
- NSNonOwnedPointerMapKeyCallBacks
NSMapTable
andNSString
- NSNonOwnedPointerMapValueCallBacks
NSMapTable
andNSString
- NSNonOwnedPointerOrNullMapKeyCallBacks
NSMapTable
andNSString
- NSNonRetainedObjectHashCallBacks
NSHashTable
andNSString
- NSNonRetainedObjectMapKeyCallBacks
NSMapTable
andNSString
- NSNonRetainedObjectMapValueCallBacks
NSMapTable
andNSString
- NSNotFound
NSObjCRuntime
- NSNotificationDeliverImmediately
NSDistributedNotificationCenter
- NSNotificationPostToAllSessions
NSDistributedNotificationCenter
- NSOSStatusErrorDomain
NSError
andNSString
- NSObjectHashCallBacks
NSHashTable
andNSString
- NSObjectInaccessibleException
NSObjCRuntime
andNSString
andNSException
- NSObjectMapKeyCallBacks
NSMapTable
andNSString
- NSObjectMapValueCallBacks
NSMapTable
andNSString
- NSObjectNotAvailableException
NSObjCRuntime
andNSString
andNSException
- NSOldStyleException
NSObjCRuntime
andNSString
andNSException
- NSOperationNotSupportedForKeyException
NSScriptKeyValueCoding
andNSString
- NSOwnedObjectIdentityHashCallBacks
NSHashTable
andNSString
- NSOwnedPointerHashCallBacks
NSHashTable
andNSString
- NSOwnedPointerMapKeyCallBacks
NSMapTable
andNSString
- NSOwnedPointerMapValueCallBacks
NSMapTable
andNSString
- NSPOSIXErrorDomain
NSError
andNSString
- NSParseErrorException
NSString
andNSObjCRuntime
- NSPersianCalendar
NSLocale
andNSString
- NSPersonNameComponentDelimiter
NSPersonNameComponentsFormatter
andNSString
- NSPersonNameComponentFamilyName
NSPersonNameComponentsFormatter
andNSString
- NSPersonNameComponentGivenName
NSPersonNameComponentsFormatter
andNSString
- NSPersonNameComponentKey
NSPersonNameComponentsFormatter
andNSString
- NSPersonNameComponentMiddleName
NSPersonNameComponentsFormatter
andNSString
- NSPersonNameComponentNickname
NSPersonNameComponentsFormatter
andNSString
- NSPersonNameComponentPrefix
NSPersonNameComponentsFormatter
andNSString
- NSPersonNameComponentSuffix
NSPersonNameComponentsFormatter
andNSString
- NSPointerToStructHashCallBacks
NSHashTable
andNSString
- NSPortDidBecomeInvalidNotification
NSNotification
andNSString
andNSPort
- NSPortReceiveException
NSObjCRuntime
andNSString
andNSException
- NSPortSendException
NSObjCRuntime
andNSString
andNSException
- NSPortTimeoutException
NSObjCRuntime
andNSString
andNSException
- NSPositiveCurrencyFormatString
NSUserDefaults
andNSString
- NSPresentationIntentAttributeName
NSAttributedString
andNSString
- NSPriorDayDesignations
NSUserDefaults
andNSString
- NSProcessInfoPowerStateDidChangeNotification
NSNotification
andNSString
andNSProcessInfo
- NSProcessInfoThermalStateDidChangeNotification
NSNotification
andNSString
andNSProcessInfo
- NSProgressEstimatedTimeRemainingKey
NSProgress
andNSString
- NSProgressFileAnimationImageKey
NSProgress
andNSString
- NSProgressFileAnimationImageOriginalRectKey
NSProgress
andNSString
- NSProgressFileCompletedCountKey
NSProgress
andNSString
- NSProgressFileIconKey
NSProgress
andNSString
- NSProgressFileOperationKindCopying
NSProgress
andNSString
- NSProgressFileOperationKindDecompressingAfterDownloading
NSProgress
andNSString
- NSProgressFileOperationKindDownloading
NSProgress
andNSString
- NSProgressFileOperationKindDuplicating
NSProgress
andNSString
- NSProgressFileOperationKindKey
NSProgress
andNSString
- NSProgressFileOperationKindReceiving
NSProgress
andNSString
- NSProgressFileOperationKindUploading
NSProgress
andNSString
- NSProgressFileTotalCountKey
NSProgress
andNSString
- NSProgressFileURLKey
NSProgress
andNSString
- NSProgressKindFile
NSProgress
andNSString
- NSProgressThroughputKey
NSProgress
andNSString
- NSRangeException
NSObjCRuntime
andNSString
andNSException
- NSRecoveryAttempterErrorKey
NSError
andNSString
- NSRegistrationDomain
NSUserDefaults
andNSString
- NSReplacementIndexAttributeName
NSAttributedString
andNSString
- NSRepublicOfChinaCalendar
NSLocale
andNSString
- NSRunLoopCommonModes
NSObjCRuntime
andNSString
andNSRunLoop
- NSSecureUnarchiveFromDataTransformerName
NSValueTransformer
andNSString
- NSShortDateFormatString
NSUserDefaults
andNSString
- NSShortMonthNameArray
NSUserDefaults
andNSString
- NSShortTimeDateFormatString
NSUserDefaults
andNSString
- NSShortWeekDayNameArray
NSUserDefaults
andNSString
- NSStreamDataWrittenToMemoryStreamKey
NSStream
andNSString
- NSStreamFileCurrentOffsetKey
NSStream
andNSString
- NSStreamNetworkServiceType
NSStream
andNSString
- NSStreamNetworkServiceTypeBackground
NSStream
andNSString
- NSStreamNetworkServiceTypeCallSignaling
NSStream
andNSString
- NSStreamNetworkServiceTypeVideo
NSStream
andNSString
- NSStreamNetworkServiceTypeVoIP
NSStream
andNSString
- NSStreamNetworkServiceTypeVoice
NSStream
andNSString
- NSStreamSOCKSErrorDomain
NSError
andNSString
andNSStream
- NSStreamSOCKSProxyConfigurationKey
NSStream
andNSString
- NSStreamSOCKSProxyHostKey
NSStream
andNSString
- NSStreamSOCKSProxyPasswordKey
NSStream
andNSString
- NSStreamSOCKSProxyPortKey
NSStream
andNSString
- NSStreamSOCKSProxyUserKey
NSStream
andNSString
- NSStreamSOCKSProxyVersion4
NSStream
andNSString
- NSStreamSOCKSProxyVersion5
NSStream
andNSString
- NSStreamSOCKSProxyVersionKey
NSStream
andNSString
- NSStreamSocketSSLErrorDomain
NSError
andNSString
andNSStream
- NSStreamSocketSecurityLevelKey
NSStream
andNSString
- NSStreamSocketSecurityLevelNegotiatedSSL
NSStream
andNSString
- NSStreamSocketSecurityLevelNone
NSStream
andNSString
- NSStreamSocketSecurityLevelSSLv2
NSStream
andNSString
- NSStreamSocketSecurityLevelSSLv3
NSStream
andNSString
- NSStreamSocketSecurityLevelTLSv1
NSStream
andNSString
- NSStringEncodingErrorKey
NSError
andNSString
- 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
NSKeyValueCoding
andNSString
- NSSystemClockDidChangeNotification
NSNotification
andNSString
andNSDate
- NSSystemTimeZoneDidChangeNotification
NSNotification
andNSString
andNSTimeZone
- NSTaskDidTerminateNotification
NSNotification
andNSString
andNSTask
- NSTextCheckingAirlineKey
NSTextCheckingResult
andNSString
- NSTextCheckingCityKey
NSTextCheckingResult
andNSString
- NSTextCheckingCountryKey
NSTextCheckingResult
andNSString
- NSTextCheckingFlightKey
NSTextCheckingResult
andNSString
- NSTextCheckingJobTitleKey
NSTextCheckingResult
andNSString
- NSTextCheckingNameKey
NSTextCheckingResult
andNSString
- NSTextCheckingOrganizationKey
NSTextCheckingResult
andNSString
- NSTextCheckingPhoneKey
NSTextCheckingResult
andNSString
- NSTextCheckingStateKey
NSTextCheckingResult
andNSString
- NSTextCheckingStreetKey
NSTextCheckingResult
andNSString
- NSTextCheckingZIPKey
NSTextCheckingResult
andNSString
- NSThisDayDesignations
NSUserDefaults
andNSString
- NSThousandsSeparator
NSUserDefaults
andNSString
- NSThreadWillExitNotification
NSNotification
andNSString
andNSThread
- NSThumbnail1024x1024SizeKey
NSURL
andNSString
- NSTimeDateFormatString
NSUserDefaults
andNSString
- NSTimeFormatString
NSUserDefaults
andNSString
- NSURLAddedToDirectoryDateKey
NSURL
andNSString
- NSURLApplicationIsScriptableKey
NSURL
andNSString
- NSURLAttributeModificationDateKey
NSURL
andNSString
- NSURLAuthenticationMethodClientCertificate
NSURLProtectionSpace
andNSString
- NSURLAuthenticationMethodDefault
NSURLProtectionSpace
andNSString
- NSURLAuthenticationMethodHTMLForm
NSURLProtectionSpace
andNSString
- NSURLAuthenticationMethodHTTPBasic
NSURLProtectionSpace
andNSString
- NSURLAuthenticationMethodHTTPDigest
NSURLProtectionSpace
andNSString
- NSURLAuthenticationMethodNTLM
NSURLProtectionSpace
andNSString
- NSURLAuthenticationMethodNegotiate
NSURLProtectionSpace
andNSString
- NSURLAuthenticationMethodServerTrust
NSURLProtectionSpace
andNSString
- NSURLCanonicalPathKey
NSURL
andNSString
- NSURLContentAccessDateKey
NSURL
andNSString
- NSURLContentModificationDateKey
NSURL
andNSString
- NSURLContentTypeKey
NSURL
andNSString
- NSURLCreationDateKey
NSURL
andNSString
- NSURLCredentialStorageChangedNotification
NSNotification
andNSString
andNSURLCredentialStorage
- NSURLCredentialStorageRemoveSynchronizableCredentials
NSURLCredentialStorage
andNSString
- NSURLCustomIconKey
NSURL
andNSString
- NSURLDirectoryEntryCountKey
NSURL
andNSString
- NSURLDocumentIdentifierKey
NSURL
andNSString
- NSURLEffectiveIconKey
NSURL
andNSString
- NSURLErrorBackgroundTaskCancelledReasonKey
NSURLError
andNSString
- NSURLErrorDomain
NSError
andNSString
andNSURLError
- NSURLErrorFailingURLErrorKey
NSURLError
andNSString
- NSURLErrorFailingURLPeerTrustErrorKey
NSURLError
andNSString
- NSURLErrorFailingURLStringErrorKey
NSURLError
andNSString
- NSURLErrorKey
NSError
andNSString
- NSURLErrorNetworkUnavailableReasonKey
NSError
andNSString
andNSURLError
- NSURLFileAllocatedSizeKey
NSURL
andNSString
- NSURLFileContentIdentifierKey
NSURL
andNSString
- NSURLFileIdentifierKey
NSURL
andNSString
- NSURLFileProtectionComplete
NSURL
andNSString
- NSURLFileProtectionCompleteUnlessOpen
NSURL
andNSString
- NSURLFileProtectionCompleteUntilFirstUserAuthentication
NSURL
andNSString
- NSURLFileProtectionCompleteWhenUserInactive
NSURL
andNSString
- NSURLFileProtectionKey
NSURL
andNSString
- NSURLFileProtectionNone
NSURL
andNSString
- NSURLFileResourceIdentifierKey
NSURL
andNSString
- NSURLFileResourceTypeBlockSpecial
NSURL
andNSString
- NSURLFileResourceTypeCharacterSpecial
NSURL
andNSString
- NSURLFileResourceTypeDirectory
NSURL
andNSString
- NSURLFileResourceTypeKey
NSURL
andNSString
- NSURLFileResourceTypeNamedPipe
NSURL
andNSString
- NSURLFileResourceTypeRegular
NSURL
andNSString
- NSURLFileResourceTypeSocket
NSURL
andNSString
- NSURLFileResourceTypeSymbolicLink
NSURL
andNSString
- NSURLFileResourceTypeUnknown
NSURL
andNSString
- NSURLFileScheme
NSURL
andNSString
- NSURLFileSecurityKey
NSURL
andNSString
- NSURLFileSizeKey
NSURL
andNSString
- NSURLGenerationIdentifierKey
NSURL
andNSString
- NSURLHasHiddenExtensionKey
NSURL
andNSString
- NSURLIsAliasFileKey
NSURL
andNSString
- NSURLIsApplicationKey
NSURL
andNSString
- NSURLIsDirectoryKey
NSURL
andNSString
- NSURLIsExcludedFromBackupKey
NSURL
andNSString
- NSURLIsExecutableKey
NSURL
andNSString
- NSURLIsHiddenKey
NSURL
andNSString
- NSURLIsMountTriggerKey
NSURL
andNSString
- NSURLIsPackageKey
NSURL
andNSString
- NSURLIsPurgeableKey
NSURL
andNSString
- NSURLIsReadableKey
NSURL
andNSString
- NSURLIsRegularFileKey
NSURL
andNSString
- NSURLIsSparseKey
NSURL
andNSString
- NSURLIsSymbolicLinkKey
NSURL
andNSString
- NSURLIsSystemImmutableKey
NSURL
andNSString
- NSURLIsUbiquitousItemKey
NSURL
andNSString
- NSURLIsUserImmutableKey
NSURL
andNSString
- NSURLIsVolumeKey
NSURL
andNSString
- NSURLIsWritableKey
NSURL
andNSString
- NSURLKeysOfUnsetValuesKey
NSURL
andNSString
- NSURLLabelColorKey
NSURL
andNSString
- NSURLLabelNumberKey
NSURL
andNSString
- NSURLLinkCountKey
NSURL
andNSString
- NSURLLocalizedLabelKey
NSURL
andNSString
- NSURLLocalizedNameKey
NSURL
andNSString
- NSURLLocalizedTypeDescriptionKey
NSURL
andNSString
- NSURLMayHaveExtendedAttributesKey
NSURL
andNSString
- NSURLMayShareFileContentKey
NSURL
andNSString
- NSURLNameKey
NSURL
andNSString
- NSURLParentDirectoryURLKey
NSURL
andNSString
- NSURLPathKey
NSURL
andNSString
- NSURLPreferredIOBlockSizeKey
NSURL
andNSString
- NSURLProtectionSpaceFTP
NSURLProtectionSpace
andNSString
- NSURLProtectionSpaceFTPProxy
NSURLProtectionSpace
andNSString
- NSURLProtectionSpaceHTTP
NSURLProtectionSpace
andNSString
- NSURLProtectionSpaceHTTPProxy
NSURLProtectionSpace
andNSString
- NSURLProtectionSpaceHTTPS
NSURLProtectionSpace
andNSString
- NSURLProtectionSpaceHTTPSProxy
NSURLProtectionSpace
andNSString
- NSURLProtectionSpaceSOCKSProxy
NSURLProtectionSpace
andNSString
- NSURLQuarantinePropertiesKey
NSURL
andNSString
- NSURLSessionDownloadTaskResumeData
NSURLSession
andNSString
- NSURLSessionTaskPriorityDefault
NSURLSession
- NSURLSessionTaskPriorityHigh
NSURLSession
- NSURLSessionTaskPriorityLow
NSURLSession
- NSURLSessionTransferSizeUnknown
NSURLSession
- NSURLSessionUploadTaskResumeData
NSURLSession
andNSString
- NSURLTagNamesKey
NSURL
andNSString
- NSURLThumbnailDictionaryKey
NSURL
andNSString
- NSURLThumbnailKey
NSURL
andNSString
- NSURLTotalFileAllocatedSizeKey
NSURL
andNSString
- NSURLTotalFileSizeKey
NSURL
andNSString
- NSURLTypeIdentifierKey
NSURL
andNSString
- NSURLUbiquitousItemContainerDisplayNameKey
NSURL
andNSString
- NSURLUbiquitousItemDownloadRequestedKey
NSURL
andNSString
- NSURLUbiquitousItemDownloadingErrorKey
NSURL
andNSString
- NSURLUbiquitousItemDownloadingStatusCurrent
NSURL
andNSString
- NSURLUbiquitousItemDownloadingStatusDownloaded
NSURL
andNSString
- NSURLUbiquitousItemDownloadingStatusKey
NSURL
andNSString
- NSURLUbiquitousItemDownloadingStatusNotDownloaded
NSURL
andNSString
- NSURLUbiquitousItemHasUnresolvedConflictsKey
NSURL
andNSString
- NSURLUbiquitousItemIsDownloadedKey
NSURL
andNSString
- NSURLUbiquitousItemIsDownloadingKey
NSURL
andNSString
- NSURLUbiquitousItemIsExcludedFromSyncKey
NSURL
andNSString
- NSURLUbiquitousItemIsSharedKey
NSURL
andNSString
- NSURLUbiquitousItemIsUploadedKey
NSURL
andNSString
- NSURLUbiquitousItemIsUploadingKey
NSURL
andNSString
- NSURLUbiquitousItemPercentDownloadedKey
NSURL
andNSString
- NSURLUbiquitousItemPercentUploadedKey
NSURL
andNSString
- NSURLUbiquitousItemUploadingErrorKey
NSURL
andNSString
- NSURLUbiquitousSharedItemCurrentUserPermissionsKey
NSURL
andNSString
- NSURLUbiquitousSharedItemCurrentUserRoleKey
NSURL
andNSString
- NSURLUbiquitousSharedItemMostRecentEditorNameComponentsKey
NSURL
andNSString
- NSURLUbiquitousSharedItemOwnerNameComponentsKey
NSURL
andNSString
- NSURLUbiquitousSharedItemPermissionsReadOnly
NSURL
andNSString
- NSURLUbiquitousSharedItemPermissionsReadWrite
NSURL
andNSString
- NSURLUbiquitousSharedItemRoleOwner
NSURL
andNSString
- NSURLUbiquitousSharedItemRoleParticipant
NSURL
andNSString
- NSURLVolumeAvailableCapacityForImportantUsageKey
NSURL
andNSString
- NSURLVolumeAvailableCapacityForOpportunisticUsageKey
NSURL
andNSString
- NSURLVolumeAvailableCapacityKey
NSURL
andNSString
- NSURLVolumeCreationDateKey
NSURL
andNSString
- NSURLVolumeIdentifierKey
NSURL
andNSString
- NSURLVolumeIsAutomountedKey
NSURL
andNSString
- NSURLVolumeIsBrowsableKey
NSURL
andNSString
- NSURLVolumeIsEjectableKey
NSURL
andNSString
- NSURLVolumeIsEncryptedKey
NSURL
andNSString
- NSURLVolumeIsInternalKey
NSURL
andNSString
- NSURLVolumeIsJournalingKey
NSURL
andNSString
- NSURLVolumeIsLocalKey
NSURL
andNSString
- NSURLVolumeIsReadOnlyKey
NSURL
andNSString
- NSURLVolumeIsRemovableKey
NSURL
andNSString
- NSURLVolumeIsRootFileSystemKey
NSURL
andNSString
- NSURLVolumeLocalizedFormatDescriptionKey
NSURL
andNSString
- NSURLVolumeLocalizedNameKey
NSURL
andNSString
- NSURLVolumeMaximumFileSizeKey
NSURL
andNSString
- NSURLVolumeMountFromLocationKey
NSURL
andNSString
- NSURLVolumeNameKey
NSURL
andNSString
- NSURLVolumeResourceCountKey
NSURL
andNSString
- NSURLVolumeSubtypeKey
NSURL
andNSString
- NSURLVolumeSupportsAccessPermissionsKey
NSURL
andNSString
- NSURLVolumeSupportsAdvisoryFileLockingKey
NSURL
andNSString
- NSURLVolumeSupportsCasePreservedNamesKey
NSURL
andNSString
- NSURLVolumeSupportsCaseSensitiveNamesKey
NSURL
andNSString
- NSURLVolumeSupportsCompressionKey
NSURL
andNSString
- NSURLVolumeSupportsExclusiveRenamingKey
NSURL
andNSString
- NSURLVolumeSupportsExtendedSecurityKey
NSURL
andNSString
- NSURLVolumeSupportsFileCloningKey
NSURL
andNSString
- NSURLVolumeSupportsFileProtectionKey
NSURL
andNSString
- NSURLVolumeSupportsHardLinksKey
NSURL
andNSString
- NSURLVolumeSupportsImmutableFilesKey
NSURL
andNSString
- NSURLVolumeSupportsJournalingKey
NSURL
andNSString
- NSURLVolumeSupportsPersistentIDsKey
NSURL
andNSString
- NSURLVolumeSupportsRenamingKey
NSURL
andNSString
- NSURLVolumeSupportsRootDirectoryDatesKey
NSURL
andNSString
- NSURLVolumeSupportsSparseFilesKey
NSURL
andNSString
- NSURLVolumeSupportsSwapRenamingKey
NSURL
andNSString
- NSURLVolumeSupportsSymbolicLinksKey
NSURL
andNSString
- NSURLVolumeSupportsVolumeSizesKey
NSURL
andNSString
- NSURLVolumeSupportsZeroRunsKey
NSURL
andNSString
- NSURLVolumeTotalCapacityKey
NSURL
andNSString
- NSURLVolumeTypeNameKey
NSURL
andNSString
- NSURLVolumeURLForRemountingKey
NSURL
andNSString
- NSURLVolumeURLKey
NSURL
andNSString
- NSURLVolumeUUIDStringKey
NSURL
andNSString
- NSUbiquitousKeyValueStoreChangeReasonKey
NSUbiquitousKeyValueStore
andNSString
- NSUbiquitousKeyValueStoreChangedKeysKey
NSUbiquitousKeyValueStore
andNSString
- NSUbiquitousKeyValueStoreDidChangeExternallyNotification
NSNotification
andNSString
andNSUbiquitousKeyValueStore
- NSUbiquitousUserDefaultsCompletedInitialSyncNotification
NSNotification
andNSString
andNSUserDefaults
- NSUbiquitousUserDefaultsDidChangeAccountsNotification
NSNotification
andNSString
andNSUserDefaults
- NSUbiquitousUserDefaultsNoCloudAccountNotification
NSNotification
andNSString
andNSUserDefaults
- NSUbiquityIdentityDidChangeNotification
NSNotification
andNSString
andNSFileManager
- NSUnarchiveFromDataTransformerName
NSValueTransformer
andNSString
- NSUndefinedKeyException
NSObjCRuntime
andNSString
andNSKeyValueCoding
- NSUnderlyingErrorKey
NSError
andNSString
- NSUndoCloseGroupingRunLoopOrdering
NSUndoManager
- NSUndoManagerCheckpointNotification
NSNotification
andNSString
andNSUndoManager
- NSUndoManagerDidCloseUndoGroupNotification
NSNotification
andNSString
andNSUndoManager
- NSUndoManagerDidOpenUndoGroupNotification
NSNotification
andNSString
andNSUndoManager
- NSUndoManagerDidRedoChangeNotification
NSNotification
andNSString
andNSUndoManager
- NSUndoManagerDidUndoChangeNotification
NSNotification
andNSString
andNSUndoManager
- NSUndoManagerGroupIsDiscardableKey
NSUndoManager
andNSString
- NSUndoManagerWillCloseUndoGroupNotification
NSNotification
andNSString
andNSUndoManager
- NSUndoManagerWillRedoChangeNotification
NSNotification
andNSString
andNSUndoManager
- NSUndoManagerWillUndoChangeNotification
NSNotification
andNSString
andNSUndoManager
- NSUnionOfArraysKeyValueOperator
NSKeyValueCoding
andNSString
- NSUnionOfObjectsKeyValueOperator
NSKeyValueCoding
andNSString
- NSUnionOfSetsKeyValueOperator
NSKeyValueCoding
andNSString
- NSUserActivityTypeBrowsingWeb
NSUserActivity
andNSString
- NSUserDefaultsDidChangeNotification
NSNotification
andNSString
andNSUserDefaults
- NSUserDefaultsSizeLimitExceededNotification
NSNotification
andNSString
andNSUserDefaults
- NSUserNotificationDefaultSoundName
NSUserNotification
andNSString
- NSWeekDayNameArray
NSUserDefaults
andNSString
- NSWillBecomeMultiThreadedNotification
NSNotification
andNSString
andNSThread
- NSXMLParserErrorDomain
NSError
andNSString
andNSXMLParser
- NSYearMonthWeekDesignations
NSUserDefaults
andNSString
- NSZeroPoint
NSGeometry
- NSZeroRect
NSGeometry
- NSZeroSize
NSGeometry
Traits§
- NSCacheDelegate
NSCache
- NSCoding
NSObject
- NSCopying
NSObject
A 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
NSObject
A protocol to provide mutable copies of objects. - NSNetServiceBrowserDelegate
NSNetServices
- NSNetServiceDelegate
NSNetServices
- NSObjectNSArchiverCallback
NSArchiver
Category “NSArchiverCallback” onNSObject
. - NSObjectNSClassDescriptionPrimitives
NSClassDescription
Category “NSClassDescriptionPrimitives” onNSObject
. - NSObjectNSCoderMethods
NSObject
Category “NSCoderMethods” onNSObject
. - NSObjectNSComparisonMethods
NSScriptWhoseTests
Category “NSComparisonMethods” onNSObject
. - NSObjectNSDelayedPerforming
NSRunLoop
Category “NSDelayedPerforming” onNSObject
. - Category “NSDiscardableContentProxy” on
NSObject
. - Category “NSErrorRecoveryAttempting” on
NSObject
. - NSObjectNSKeyValueCoding
NSKeyValueCoding
Category “NSKeyValueCoding” onNSObject
. - NSObjectNSKeyValueObserverNotification
NSKeyValueObserving
Category “NSKeyValueObserverNotification” onNSObject
. - NSObjectNSKeyValueObserverRegistration
NSKeyValueObserving
Category “NSKeyValueObserverRegistration” onNSObject
. - NSObjectNSKeyValueObserving
NSKeyValueObserving
Category “NSKeyValueObserving” onNSObject
. - NSObjectNSKeyValueObservingCustomization
NSKeyValueObserving
Category “NSKeyValueObservingCustomization” onNSObject
. - NSObjectNSKeyedArchiverObjectSubstitution
NSKeyedArchiver
Category “NSKeyedArchiverObjectSubstitution” onNSObject
. - NSObjectNSKeyedUnarchiverObjectSubstitution
NSKeyedArchiver
Category “NSKeyedUnarchiverObjectSubstitution” onNSObject
. - NSObjectNSScriptClassDescription
NSScriptClassDescription
Category “NSScriptClassDescription” onNSObject
. - NSObjectNSScriptKeyValueCoding
NSScriptKeyValueCoding
Category “NSScriptKeyValueCoding” onNSObject
. - NSObjectNSScriptObjectSpecifiers
NSScriptObjectSpecifiers
Category “NSScriptObjectSpecifiers” onNSObject
. - NSObjectNSScripting
NSObjectScripting
Category “NSScripting” onNSObject
. - NSObjectNSScriptingComparisonMethods
NSScriptWhoseTests
Category “NSScriptingComparisonMethods” onNSObject
. - NSObjectNSThreadPerformAdditions
NSThread
Category “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⚠
NSHashTable
andNSArray
- NSAllMapTableKeys⚠
NSMapTable
andNSArray
- NSAllMapTableValues⚠
NSMapTable
andNSArray
- NSAllocateCollectable⚠
NSZone
- NSAllocateMemoryPages⚠
NSZone
- NSAllocateObject⚠
NSObject
andNSZone
- NSClassFromString⚠
NSObjCRuntime
andNSString
- NSCompareHashTables⚠
NSHashTable
- NSCompareMapTables⚠
NSMapTable
- NSContainsRect⚠
NSGeometry
- NSCopyHashTableWithZone⚠
NSHashTable
andNSZone
- NSCopyMapTableWithZone⚠
NSMapTable
andNSZone
- NSCopyMemoryPages⚠
NSZone
- NSCountHashTable⚠
NSHashTable
- NSCountMapTable⚠
NSMapTable
- NSCreateHashTable⚠
NSHashTable
andNSString
- NSCreateHashTableWithZone⚠
NSString
andNSZone
andNSHashTable
- NSCreateMapTable⚠
NSMapTable
andNSString
- NSCreateMapTableWithZone⚠
NSString
andNSZone
andNSMapTable
- NSCreateZone⚠
NSZone
- NSDeallocateMemoryPages⚠
NSZone
- NSDeallocateObject⚠
NSObject
- NSDecimalAdd⚠
NSDecimal
- NSDecimalCompact⚠
NSDecimal
- NSDecimalCompare⚠
NSDecimal
andNSObjCRuntime
- NSDecimalCopy⚠
NSDecimal
- NSDecimalDivide⚠
NSDecimal
- NSDecimalMultiply⚠
NSDecimal
- NSDecimalMultiplyByPowerOf10⚠
NSDecimal
- NSDecimalNormalize⚠
NSDecimal
- NSDecimalPower⚠
NSDecimal
- NSDecimalRound⚠
NSDecimal
- NSDecimalString⚠
NSDecimal
andNSString
- 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⚠
NSHFSFileTypes
andNSString
- NSFreeHashTable⚠
NSHashTable
- NSFreeMapTable⚠
NSMapTable
- NSFullUserName⚠
NSPathUtilities
andNSString
- NSGetSizeAndAlignment⚠
NSObjCRuntime
- NSGetUncaughtExceptionHandler⚠
NSException
- NSHFSTypeCodeFromFileType⚠
NSHFSFileTypes
andNSString
- NSHFSTypeOfFile⚠
NSHFSFileTypes
andNSString
- NSHashGet⚠
NSHashTable
- NSHashInsert⚠
NSHashTable
- NSHashInsertIfAbsent⚠
NSHashTable
- NSHashInsertKnownAbsent⚠
NSHashTable
- NSHashRemove⚠
NSHashTable
- NSHomeDirectory⚠
NSPathUtilities
andNSString
- NSHomeDirectoryForUser⚠
NSPathUtilities
andNSString
- 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⚠
NSPathUtilities
andNSString
- NSPageSize⚠
NSZone
- NSPointFromString⚠
NSGeometry
andNSString
- NSPointInRect⚠
NSGeometry
- NSProtocolFromString⚠
NSObjCRuntime
andNSString
- NSRangeFromString⚠
NSRange
andNSString
- NSReallocateCollectable⚠
NSZone
- NSRectFromString⚠
NSGeometry
andNSString
- NSRecycleZone⚠
NSZone
- NSResetHashTable⚠
NSHashTable
- NSResetMapTable⚠
NSMapTable
- NSSearchPathForDirectoriesInDomains⚠
NSArray
andNSString
andNSPathUtilities
- NSSelectorFromString⚠
NSObjCRuntime
andNSString
- NSSetUncaughtExceptionHandler⚠
NSException
- NSSetZoneName⚠
NSZone
andNSString
- NSShouldRetainWithZone⚠
NSObject
andNSZone
- NSSizeFromString⚠
NSGeometry
andNSString
- NSStringFromClass⚠
NSObjCRuntime
andNSString
- NSStringFromHashTable⚠
NSHashTable
andNSString
- NSStringFromMapTable⚠
NSMapTable
andNSString
- NSStringFromPoint⚠
NSGeometry
andNSString
- NSStringFromProtocol⚠
NSObjCRuntime
andNSString
- NSStringFromRange⚠
NSRange
andNSString
- NSStringFromRect⚠
NSGeometry
andNSString
- NSStringFromSelector⚠
NSObjCRuntime
andNSString
- NSStringFromSize⚠
NSGeometry
andNSString
- NSTemporaryDirectory⚠
NSPathUtilities
andNSString
- NSUnionRange⚠
NSRange
- NSUnionRect⚠
NSGeometry
- NSUserName⚠
NSPathUtilities
andNSString
- NSZoneCalloc⚠
NSZone
- NSZoneFree⚠
NSZone
- NSZoneFromPointer⚠
NSZone
- NSZoneMalloc⚠
NSZone
- NSZoneName⚠
NSZone
andNSString
- NSZoneRealloc⚠
NSZone
- is_main_thread
NSThread
Whether the current thread is the main thread. - is_multi_threaded
NSThread
Whether the application is multithreaded according to Cocoa. - run_on_main
NSThread
anddispatch
Submit the given closure to the runloop on the main thread.
Type Aliases§
- CGFloat
NSGeometry
The basic type for all floating-point values. - NSAppleEventManagerSuspensionID
NSAppleEventManager
- NSAttributedStringFormattingContextKey
NSAttributedString
andNSString
- NSAttributedStringKey
NSAttributedString
andNSString
- NSBackgroundActivityCompletionHandler
NSBackgroundActivityScheduler
andblock2
- NSCalendarIdentifier
NSCalendar
andNSString
- NSComparator
NSObjCRuntime
andblock2
- NSDistributedNotificationCenterType
NSDistributedNotificationCenter
andNSString
- NSErrorDomain
NSError
andNSString
- NSErrorUserInfoKey
NSError
andNSString
- NSExceptionName
NSObjCRuntime
andNSString
- NSFileAttributeKey
NSFileManager
andNSString
- NSFileAttributeType
NSFileManager
andNSString
- NSFileProtectionType
NSFileManager
andNSString
- NSFileProviderServiceName
NSFileManager
andNSString
- NSHTTPCookiePropertyKey
NSHTTPCookie
andNSString
- NSHTTPCookieStringPolicy
NSHTTPCookie
andNSString
- NSHashTableOptions
NSHashTable
- A signed integer value type.
- NSItemProviderCompletionHandler
NSError
andNSItemProvider
andNSObject
andblock2
- NSItemProviderLoadHandler
NSDictionary
andNSError
andNSItemProvider
andNSObject
andblock2
- NSKeyValueChangeKey
NSKeyValueObserving
andNSString
- NSKeyValueOperator
NSKeyValueCoding
andNSString
- NSLinguisticTag
NSLinguisticTagger
andNSString
- NSLinguisticTagScheme
NSLinguisticTagger
andNSString
- NSLocaleKey
NSLocale
andNSString
- NSMapTableOptions
NSMapTable
- NSNotificationName
NSNotification
andNSString
- NSPoint
NSGeometry
A point in a Cartesian coordinate system. - NSPointArray
NSGeometry
- NSPointPointer
NSGeometry
- NSProgressFileOperationKind
NSProgress
andNSString
- NSProgressKind
NSProgress
andNSString
- NSProgressPublishingHandler
NSProgress
andblock2
- NSProgressUnpublishingHandler
NSProgress
andblock2
- NSProgressUserInfoKey
NSProgress
andNSString
- NSPropertyListReadOptions
NSPropertyList
- NSPropertyListWriteOptions
NSPropertyList
- NSRangePointer
NSRange
- NSRect
NSGeometry
A rectangle. - NSRectArray
NSGeometry
- NSRectPointer
NSGeometry
- NSRunLoopMode
NSObjCRuntime
andNSString
- NSSize
NSGeometry
A two-dimensional size. - NSSizeArray
NSGeometry
- NSSizePointer
NSGeometry
- NSSocketNativeHandle
NSPort
- NSStreamNetworkServiceTypeValue
NSStream
andNSString
- NSStreamPropertyKey
NSStream
andNSString
- NSStreamSOCKSProxyConfiguration
NSStream
andNSString
- NSStreamSOCKSProxyVersion
NSStream
andNSString
- NSStreamSocketSecurityLevel
NSStream
andNSString
- NSStringEncoding
NSString
- NSStringTransform
NSString
- NSTextCheckingKey
NSString
andNSTextCheckingResult
- NSTextCheckingTypes
NSTextCheckingResult
- NSTimeInterval
NSDate
- Describes an unsigned integer.
- NSURLFileProtectionType
NSString
andNSURL
- NSURLFileResourceType
NSString
andNSURL
- NSURLResourceKey
NSString
andNSURL
- NSURLThumbnailDictionaryItem
NSString
andNSURL
- NSURLUbiquitousItemDownloadingStatus
NSString
andNSURL
- NSURLUbiquitousSharedItemPermissions
NSString
andNSURL
- NSURLUbiquitousSharedItemRole
NSString
andNSURL
- NSUncaughtExceptionHandler
NSException
- NSUserActivityPersistentIdentifier
NSString
andNSUserActivity
- NSUserAppleScriptTaskCompletionHandler
NSAppleEventDescriptor
andNSError
andNSUserScriptTask
andblock2
- NSUserAutomatorTaskCompletionHandler
NSError
andNSUserScriptTask
andblock2
- NSUserScriptTaskCompletionHandler
NSError
andNSUserScriptTask
andblock2
- NSUserUnixTaskCompletionHandler
NSError
andNSUserScriptTask
andblock2
- NSValueTransformerName
NSString
andNSValueTransformer
- unichar
NSString