Expand description
§Bindings to the CoreFoundation
framework
See Apple’s docs and the general docs on framework crates for more information.
§Examples
ⓘ
//! Creating and attaching various runloop objects.
use std::sync::Arc;
use std::time::Duration;
use std::{cell::Cell, ffi::c_void};
use objc2_core_foundation::{
kCFAllocatorDefault, kCFRunLoopCommonModes, CFAbsoluteTime, CFAbsoluteTimeGetCurrent, CFIndex,
CFRetained, CFRunLoop, CFRunLoopActivity, CFRunLoopMode, CFRunLoopObserver,
CFRunLoopObserverContext, CFRunLoopSource, CFRunLoopSourceContext, CFRunLoopTimer,
CFRunLoopTimerContext, CFTimeInterval,
};
fn main() {
let rl = CFRunLoop::main().unwrap();
// Add an observer.
let observer = create_observer(
CFRunLoopActivity::AllActivities,
true,
0,
|_observer, activity| match activity {
CFRunLoopActivity::Entry => println!("-- observed: Entry"),
CFRunLoopActivity::BeforeTimers => println!("-- observed: BeforeTimers"),
CFRunLoopActivity::BeforeSources => println!("-- observed: BeforeSources"),
CFRunLoopActivity::BeforeWaiting => println!("-- observed: BeforeWaiting"),
CFRunLoopActivity::AfterWaiting => println!("-- observed: AfterWaiting"),
CFRunLoopActivity::Exit => println!("-- observed: Exit"),
_ => eprintln!("unknown observer activity"),
},
);
rl.add_observer(Some(&observer), unsafe { kCFRunLoopCommonModes });
// Add a simple timer.
let iterations = Cell::new(0);
let callback = {
let rl = rl.clone();
move |timer: &CFRunLoopTimer| {
println!("Timer called: {}", iterations.get());
if 10 <= iterations.get() {
// Remove the timer.
rl.remove_timer(Some(timer), unsafe { kCFRunLoopCommonModes });
// Stop the run loop explicitly
// (the main run-loop won't stop otherwise).
println!("Stopping run loop");
rl.stop();
}
iterations.set(iterations.get() + 1);
}
};
// SAFETY: The timer is added to a run loop on the same thread.
let timer = unsafe { create_timer_unchecked(0.0, 0.1, 0, callback) };
rl.add_timer(Some(&timer), unsafe { kCFRunLoopCommonModes });
// Add a single-shot timer.
let fire_date = CFAbsoluteTimeGetCurrent() + 0.5;
let timer = create_timer(fire_date, 0.0, 0, |_| {
println!("Fired one-shot timer after 0.5 seconds");
// Still runs on the main thread.
assert_eq!(CFRunLoop::current().unwrap(), CFRunLoop::main().unwrap());
});
rl.add_timer(Some(&timer), unsafe { kCFRunLoopCommonModes });
// Add an external source.
let source = create_source(0, |data| match data {
SourceData::Schedule { mode, .. } => println!("source added to runloop mode {mode}"),
SourceData::Perform => println!("performing source!"),
SourceData::Cancel { mode, .. } => {
println!("source removed from runloop mode {mode}")
}
});
rl.add_source(Some(&source), unsafe { kCFRunLoopCommonModes });
// Add a thread that signals the source.
let source = {
struct Wrapper(CFRetained<CFRunLoopSource>);
// SAFETY: Still under discussion, see:
// https://github.com/madsmtm/objc2/issues/696
unsafe impl Send for Wrapper {}
Wrapper(source)
};
let handle = std::thread::spawn(move || {
let source = source;
std::thread::sleep(Duration::from_millis(200));
println!("signalling first time");
source.0.signal();
println!("signalling second time");
source.0.signal();
println!("signalling third time");
source.0.signal();
std::thread::sleep(Duration::from_millis(500));
println!("signalling fourth time");
source.0.signal();
source.0.invalidate();
});
println!("Starting run loop");
CFRunLoop::run();
handle.join().unwrap();
}
// -------------------------------------------------------------------------
// Generic runloop helpers.
//
// These will probably become part of `objc2-core-foundation` one day, but
// more work is needed on the following issue first:
// https://github.com/madsmtm/objc2/issues/696
// -------------------------------------------------------------------------
/// Create a new `CFRunLoopObserver`.
fn create_observer<F: Fn(&CFRunLoopObserver, CFRunLoopActivity) + Send + Sync + 'static>(
activities: CFRunLoopActivity,
repeats: bool,
order: CFIndex,
callback: F,
) -> CFRetained<CFRunLoopObserver> {
// SAFETY: The callback is `Send + Sync`.
unsafe { create_observer_unchecked(activities, repeats, order, callback) }
}
/// Create a new `CFRunLoopObserver`, without enforcing the callback to be
/// thread-safe.
///
/// # Safety
///
/// The callback must be either `Send` + `Sync`, or the observer must only be
/// added to a run loop that runs on the current thread.
unsafe fn create_observer_unchecked<F: Fn(&CFRunLoopObserver, CFRunLoopActivity) + 'static>(
activities: CFRunLoopActivity,
repeats: bool,
order: CFIndex,
callback: F,
) -> CFRetained<CFRunLoopObserver> {
// We use an `Arc` here to make sure that the reference-counting of the
// signal container is atomic (`Retained`/`CFRetained` would be valid
// alternatives too).
let callback = Arc::new(callback);
unsafe extern "C-unwind" fn retain<F>(info: *const c_void) -> *const c_void {
// SAFETY: The pointer was passed to `CFRunLoopObserverContext.info` below.
unsafe { Arc::increment_strong_count(info.cast::<F>()) };
info
}
unsafe extern "C-unwind" fn release<F>(info: *const c_void) {
// SAFETY: The pointer was passed to `CFRunLoopObserverContext.info` below.
unsafe { Arc::decrement_strong_count(info.cast::<F>()) };
}
unsafe extern "C-unwind" fn callout<F: Fn(&CFRunLoopObserver, CFRunLoopActivity)>(
observer: *mut CFRunLoopObserver,
activity: CFRunLoopActivity,
info: *mut c_void,
) {
// SAFETY: The observer is valid for at least the duration of the callback.
let observer = unsafe { &*observer };
// SAFETY: The pointer was passed to `CFRunLoopObserverContext.info` below.
let callback = unsafe { &*info.cast::<F>() };
// Call the provided closure.
callback(observer, activity);
}
// This is marked `mut` to match the signature of `CFRunLoopObserver::new`,
// but the information is copied, and not actually mutated.
let mut context = CFRunLoopObserverContext {
version: 0,
// This pointer is retained by CF on creation.
info: Arc::as_ptr(&callback) as *mut c_void,
retain: Some(retain::<F>),
release: Some(release::<F>),
copyDescription: None,
};
// SAFETY: The retain/release callbacks are thread-safe, and caller
// upholds that the main callback is used in a thread-safe manner.
//
// `F: 'static`, so extending the lifetime of the closure is fine.
unsafe {
CFRunLoopObserver::new(
kCFAllocatorDefault,
activities.0,
repeats,
order,
Some(callout::<F>),
&mut context,
)
}
.unwrap()
}
/// Create a new `CFRunLoopTimer`.
fn create_timer<F: Fn(&CFRunLoopTimer) + Send + Sync + 'static>(
fire_date: CFAbsoluteTime,
interval: CFTimeInterval,
order: CFIndex,
callback: F,
) -> CFRetained<CFRunLoopTimer> {
// SAFETY: The callback is `Send + Sync`.
unsafe { create_timer_unchecked(fire_date, interval, order, callback) }
}
/// Create a new `CFRunLoopTimer`, without enforcing the callback to be
/// thread-safe.
///
/// # Safety
///
/// The callback must be either `Send` + `Sync`, or the timer must only be
/// added to a run loop that runs on the current thread.
unsafe fn create_timer_unchecked<F: Fn(&CFRunLoopTimer) + 'static>(
fire_date: CFAbsoluteTime,
interval: CFTimeInterval,
order: CFIndex,
callback: F,
) -> CFRetained<CFRunLoopTimer> {
// We use an `Arc` here to make sure that the reference-counting of the
// signal container is atomic (`Retained`/`CFRetained` would be valid
// alternatives too).
let callback = Arc::new(callback);
unsafe extern "C-unwind" fn retain<F>(info: *const c_void) -> *const c_void {
// SAFETY: The pointer was passed to `CFRunLoopTimerContext.info` below.
unsafe { Arc::increment_strong_count(info.cast::<F>()) };
info
}
unsafe extern "C-unwind" fn release<F>(info: *const c_void) {
// SAFETY: The pointer was passed to `CFRunLoopTimerContext.info` below.
unsafe { Arc::decrement_strong_count(info.cast::<F>()) };
}
unsafe extern "C-unwind" fn callout<F: Fn(&CFRunLoopTimer)>(
timer: *mut CFRunLoopTimer,
info: *mut c_void,
) {
// SAFETY: The timer is valid for at least the duration of the callback.
let timer = unsafe { &*timer };
// SAFETY: The pointer was passed to `CFRunLoopTimerContext.info` below.
let callback = unsafe { &*info.cast::<F>() };
// Call the provided closure.
callback(timer);
}
// This is marked `mut` to match the signature of `CFRunLoopTimer::new`,
// but the information is copied, and not actually mutated.
let mut context = CFRunLoopTimerContext {
version: 0,
// This pointer is retained by CF on creation.
info: Arc::as_ptr(&callback) as *mut c_void,
retain: Some(retain::<F>),
release: Some(release::<F>),
copyDescription: None,
};
// SAFETY: The retain/release callbacks are thread-safe, and caller
// upholds that the main callback is used in a thread-safe manner.
//
// `F: 'static`, so extending the lifetime of the closure is fine.
unsafe {
CFRunLoopTimer::new(
kCFAllocatorDefault,
fire_date,
interval,
0, // Documentation says to pass 0 for future compat.
order,
Some(callout::<F>),
&mut context,
)
}
.unwrap()
}
/// Data received in source callbacks.
#[derive(Debug)]
#[allow(dead_code)]
enum SourceData<'a> {
Schedule {
rl: &'a CFRunLoop,
mode: &'a CFRunLoopMode,
},
Perform,
Cancel {
rl: &'a CFRunLoop,
mode: &'a CFRunLoopMode,
},
}
/// Create a new "version 0" `CFRunLoopSource`.
fn create_source<F: Fn(SourceData<'_>) + Send + Sync + 'static>(
order: CFIndex,
callback: F,
) -> CFRetained<CFRunLoopSource> {
// We use an `Arc` here to make sure that the reference-counting of the
// signal container is atomic (`Retained`/`CFRetained` would be valid
// alternatives too).
let callback = Arc::new(callback);
unsafe extern "C-unwind" fn retain<F>(info: *const c_void) -> *const c_void {
// SAFETY: The pointer was passed to `CFRunLoopSourceContext.info` below.
unsafe { Arc::increment_strong_count(info.cast::<F>()) };
info
}
unsafe extern "C-unwind" fn release<F>(info: *const c_void) {
// SAFETY: The pointer was passed to `CFRunLoopSourceContext.info` below.
unsafe { Arc::decrement_strong_count(info.cast::<F>()) };
}
// Pointer equality / hashing for the Arc.
#[allow(clippy::ptr_eq)]
extern "C-unwind" fn equal(info1: *const c_void, info2: *const c_void) -> u8 {
(info1 == info2) as u8
}
extern "C-unwind" fn hash(info: *const c_void) -> usize {
info as usize
}
unsafe extern "C-unwind" fn schedule<F: Fn(SourceData<'_>)>(
info: *mut c_void,
rl: *mut CFRunLoop,
mode: *const CFRunLoopMode,
) {
// SAFETY: The data is valid for at least the duration of the callback.
let rl = unsafe { &*rl };
let mode = unsafe { &*mode };
// SAFETY: The pointer was passed to `CFRunLoopSourceContext.info` below.
let signaller = unsafe { &*info.cast::<F>() };
(signaller)(SourceData::Schedule { rl, mode });
}
unsafe extern "C-unwind" fn cancel<F: Fn(SourceData<'_>)>(
info: *mut c_void,
rl: *mut CFRunLoop,
mode: *const CFRunLoopMode,
) {
// SAFETY: The data is valid for at least the duration of the callback.
let rl = unsafe { &*rl };
let mode = unsafe { &*mode };
// SAFETY: The pointer was passed to `CFRunLoopSourceContext.info` below.
let signaller = unsafe { &*info.cast::<F>() };
(signaller)(SourceData::Cancel { rl, mode });
}
unsafe extern "C-unwind" fn perform<F: Fn(SourceData<'_>)>(info: *mut c_void) {
// SAFETY: The pointer was passed to `CFRunLoopSourceContext.info` below.
let signaller = unsafe { &*info.cast::<F>() };
(signaller)(SourceData::Perform);
}
// This is marked `mut` to match the signature of `CFRunLoopSource::new`,
// but the information is copied, and not actually mutated.
let mut context = CFRunLoopSourceContext {
version: 0, // Version 0 source
// This pointer is retained by CF on creation.
info: Arc::as_ptr(&callback) as *mut c_void,
retain: Some(retain::<F>),
release: Some(release::<F>),
copyDescription: None,
equal: Some(equal),
hash: Some(hash),
schedule: Some(schedule::<F>),
cancel: Some(cancel::<F>),
perform: Some(perform::<F>),
};
// SAFETY: The retain/release callbacks are thread-safe, and F is marked
// with `Send + Sync`, so that is thread-safe too.
//
// `F: 'static`, so extending the lifetime of the closure is fine.
unsafe { CFRunLoopSource::new(kCFAllocatorDefault, order, &mut context) }.unwrap()
}
Structs§
- CFAllocator
- Apple’s documentation
- CFAllocator
Context - Apple’s documentation
- CFArray
CFArray
- This is the type of a reference to immutable CFArrays.
- CFArray
Call Backs CFArray
- Apple’s documentation
- CFArray
Into Iter CFArray
- A retained iterator over the items of an array.
- CFArray
Iter CFArray
- An iterator over retained objects of an array.
- CFArray
Iter Unchecked CFArray
- An iterator over raw items of an array.
- CFAttributed
String CFAttributedString
- Apple’s documentation
- CFBag
CFBag
- Apple’s documentation
- CFBag
Call Backs CFBag
- Apple’s documentation
- CFBinary
Heap CFBinaryHeap
- This is the type of a reference to CFBinaryHeaps.
- CFBinary
Heap Call Backs CFBinaryHeap
- Structure containing the callbacks for values of a CFBinaryHeap. Field: version The version number of the structure type being passed in as a parameter to the CFBinaryHeap creation functions. This structure is version 0. Field: retain The callback used to add a retain for the binary heap on values as they are put into the binary heap. This callback returns the value to use as the value in the binary heap, which is usually the value parameter passed to this callback, but may be a different value if a different value should be added to the binary heap. The binary heap’s allocator is passed as the first argument. Field: release The callback used to remove a retain previously added for the binary heap from values as they are removed from the binary heap. The binary heap’s allocator is passed as the first argument. Field: copyDescription The callback used to create a descriptive string representation of each value in the binary heap. This is used by the CFCopyDescription() function. Field: compare The callback used to compare values in the binary heap for equality in some operations.
- CFBinary
Heap Compare Context CFBinaryHeap
- Apple’s documentation
- CFBit
Vector CFBitVector
- Apple’s documentation
- CFBoolean
CFNumber
- Apple’s documentation
- CFBundle
CFBundle
- Apple’s documentation
- CFCalendar
CFCalendar
- Apple’s documentation
- CFCalendar
Unit CFCalendar
- Apple’s documentation
- CFCharacter
Set CFCharacterSet
- This is the type of a reference to immutable CFCharacterSets.
- CFCharacter
SetPredefined Set CFCharacterSet
- Type of the predefined CFCharacterSet selector values.
- CFComparison
Result - Apple’s documentation
- CFData
CFData
- Apple’s documentation
- CFData
Search Flags CFData
- Apple’s documentation
- CFDate
CFDate
- Apple’s documentation
- CFDate
Formatter CFDateFormatter
- Apple’s documentation
- CFDate
Formatter Style CFDateFormatter
- Apple’s documentation
- CFDictionary
CFDictionary
- This is the type of a reference to immutable CFDictionarys.
- CFDictionary
KeyCall Backs CFDictionary
- Apple’s documentation
- CFDictionary
Value Call Backs CFDictionary
- Structure containing the callbacks for values of a CFDictionary. Field: version The version number of the structure type being passed in as a parameter to the CFDictionary creation functions. This structure is version 0. Field: retain The callback used to add a retain for the dictionary on values as they are put into the dictionary. This callback returns the value to use as the value in the dictionary, which is usually the value parameter passed to this callback, but may be a different value if a different value should be added to the dictionary. The dictionary’s allocator is passed as the first argument. Field: release The callback used to remove a retain previously added for the dictionary from values as they are removed from the dictionary. The dictionary’s allocator is passed as the first argument. Field: copyDescription The callback used to create a descriptive string representation of each value in the dictionary. This is used by the CFCopyDescription() function. Field: equal The callback used to compare values in the dictionary for equality in some operations.
- CFError
CFError
- This is the type of a reference to CFErrors. CFErrorRef is toll-free bridged with NSError.
- CFFile
Descriptor CFFileDescriptor
- Apple’s documentation
- CFFile
Descriptor Context CFFileDescriptor
- Apple’s documentation
- CFFile
Security CFFileSecurity
- Apple’s documentation
- CFFile
Security Clear Options CFFileSecurity
- Apple’s documentation
- CFGregorian
Date CFDate
- Apple’s documentation
- CFGregorian
Unit Flags CFDate
- Apple’s documentation
- CFGregorian
Units CFDate
- Apple’s documentation
- CFIS
O8601 Date Format Options CFDateFormatter
- Apple’s documentation
- CFLocale
CFLocale
- Apple’s documentation
- CFLocale
Language Direction CFLocale
- Apple’s documentation
- CFMach
Port CFMachPort
- Apple’s documentation
- CFMach
Port Context CFMachPort
- Apple’s documentation
- CFMessage
Port CFMessagePort
- Apple’s documentation
- CFMessage
Port Context CFMessagePort
- Apple’s documentation
- CFMutable
Array CFArray
- This is the type of a reference to mutable CFArrays.
- CFMutable
Attributed String CFAttributedString
- Apple’s documentation
- CFMutable
Bag CFBag
- Apple’s documentation
- CFMutable
BitVector CFBitVector
- Apple’s documentation
- CFMutable
Character Set CFCharacterSet
- This is the type of a reference to mutable CFMutableCharacterSets.
- CFMutable
Data CFData
- Apple’s documentation
- CFMutable
Dictionary CFDictionary
- This is the type of a reference to mutable CFDictionarys.
- CFMutable
Set CFSet
- This is the type of a reference to mutable CFSets.
- CFMutable
String - Apple’s documentation
- CFNotification
Center CFNotificationCenter
- Apple’s documentation
- CFNotification
Suspension Behavior CFNotificationCenter
- Apple’s documentation
- CFNull
- Apple’s documentation
- CFNumber
CFNumber
- Apple’s documentation
- CFNumber
Formatter CFNumberFormatter
- Apple’s documentation
- CFNumber
Formatter Option Flags CFNumberFormatter
- Apple’s documentation
- CFNumber
Formatter PadPosition CFNumberFormatter
- Apple’s documentation
- CFNumber
Formatter Rounding Mode CFNumberFormatter
- Apple’s documentation
- CFNumber
Formatter Style CFNumberFormatter
- Apple’s documentation
- CFNumber
Type CFNumber
- Apple’s documentation
- CFPlug
In CFBundle
- Apple’s documentation
- CFPlug
InInstance CFPlugIn
- Apple’s documentation
- CFProperty
List Format CFPropertyList
- Apple’s documentation
- CFProperty
List Mutability Options CFPropertyList
- Apple’s documentation
- CFRange
- Apple’s documentation
- CFRead
Stream CFStream
- Apple’s documentation
- CFRetained
- A reference counted pointer type for CoreFoundation types.
- CFRun
Loop CFRunLoop
- Apple’s documentation
- CFRun
Loop Activity CFRunLoop
- Apple’s documentation
- CFRun
Loop Observer CFRunLoop
- Apple’s documentation
- CFRun
Loop Observer Context CFRunLoop
- Apple’s documentation
- CFRun
Loop RunResult CFRunLoop
- Apple’s documentation
- CFRun
Loop Source CFRunLoop
- Apple’s documentation
- CFRun
Loop Source Context CFRunLoop
- Apple’s documentation
- CFRun
Loop Source Context1 CFRunLoop
andlibc
- Apple’s documentation
- CFRun
Loop Timer CFRunLoop
- Apple’s documentation
- CFRun
Loop Timer Context CFRunLoop
- Apple’s documentation
- CFSet
CFSet
- This is the type of a reference to immutable CFSets.
- CFSet
Call Backs CFSet
- Structure containing the callbacks of a CFSet. Field: version The version number of the structure type being passed in as a parameter to the CFSet creation functions. This structure is version 0. Field: retain The callback used to add a retain for the set on values as they are put into the set. This callback returns the value to store in the set, which is usually the value parameter passed to this callback, but may be a different value if a different value should be stored in the set. The set’s allocator is passed as the first argument. Field: release The callback used to remove a retain previously added for the set from values as they are removed from the set. The set’s allocator is passed as the first argument. Field: copyDescription The callback used to create a descriptive string representation of each value in the set. This is used by the CFCopyDescription() function. Field: equal The callback used to compare values in the set for equality for some operations. Field: hash The callback used to compare values in the set for uniqueness for some operations.
- CFSocket
CFSocket
- Apple’s documentation
- CFSocket
Call Back Type CFSocket
- Apple’s documentation
- CFSocket
Context CFSocket
- Apple’s documentation
- CFSocket
Error CFSocket
- Apple’s documentation
- CFSocket
Signature CFData
andCFSocket
- Apple’s documentation
- CFStream
Client Context CFStream
- Apple’s documentation
- CFStream
Error CFStream
- Apple’s documentation
- CFStream
Error Domain CFStream
- Apple’s documentation
- CFStream
Event Type CFStream
- Apple’s documentation
- CFStream
Status CFStream
- Apple’s documentation
- CFString
- Apple’s documentation
- CFString
Built InEncodings CFString
- Apple’s documentation
- CFString
Compare Flags CFString
- Apple’s documentation
- CFString
Encodings CFStringEncodingExt
- Apple’s documentation
- CFString
Inline Buffer CFString
- Apple’s documentation
- CFString
Normalization Form CFString
- This is the type of Unicode normalization forms as described in Unicode Technical Report #15. To normalize for use with file system calls, use CFStringGetFileSystemRepresentation().
- CFString
Tokenizer CFStringTokenizer
- Apple’s documentation
- CFString
Tokenizer Token Type CFStringTokenizer
- Token type CFStringTokenizerGoToTokenAtIndex / CFStringTokenizerAdvanceToNextToken returns the type of current token.
- CFSwapped
Float32 CFByteOrder
- Apple’s documentation
- CFSwapped
Float64 CFByteOrder
- Apple’s documentation
- CFTime
Zone CFDate
- Apple’s documentation
- CFTime
Zone Name Style CFTimeZone
- Apple’s documentation
- CFTree
CFTree
- This is the type of a reference to CFTrees.
- CFTree
Context CFTree
- Structure containing user-specified data and callbacks for a CFTree. Field: version The version number of the structure type being passed in as a parameter to the CFTree creation function. This structure is version 0. Field: info A C pointer to a user-specified block of data. Field: retain The callback used to add a retain for the info field. If this parameter is not a pointer to a function of the correct prototype, the behavior is undefined. The value may be NULL. Field: release The calllback used to remove a retain previously added for the info field. If this parameter is not a pointer to a function of the correct prototype, the behavior is undefined. The value may be NULL. Field: copyDescription The callback used to provide a description of the info field.
- CFType
- An instance of a Core Foundation type.
- CFURL
CFURL
- Apple’s documentation
- CFURL
Bookmark Creation Options CFURL
- Apple’s documentation
- CFURL
Bookmark Resolution Options CFURL
- Apple’s documentation
- CFURL
Component Type CFURL
- Apple’s documentation
- CFURL
Enumerator CFURLEnumerator
- Apple’s documentation
- CFURL
Enumerator Options CFURLEnumerator
- Apple’s documentation
- CFURL
Enumerator Result CFURLEnumerator
- Apple’s documentation
- CFURL
Error Deprecated CFURLAccess
- Apple’s documentation
- CFURL
Path Style CFURL
- Apple’s documentation
- CFUUID
CFUUID
- Apple’s documentation
- CFUUID
Bytes CFUUID
- Apple’s documentation
- CFUser
Notification CFUserNotification
- Apple’s documentation
- CFWrite
Stream CFStream
- Apple’s documentation
- CFXML
Attribute Declaration Info CFXMLNode
- Apple’s documentation
- CFXML
Attribute List Declaration Info CFXMLNode
- Apple’s documentation
- CFXML
Document Info CFString
andCFURL
andCFXMLNode
- Apple’s documentation
- CFXML
Document Type Info CFURL
andCFXMLNode
- Apple’s documentation
- CFXML
Element Info CFArray
andCFDictionary
andCFXMLNode
- Apple’s documentation
- CFXML
Element Type Declaration Info CFXMLNode
- Apple’s documentation
- CFXML
Entity Info CFURL
andCFXMLNode
- Apple’s documentation
- CFXML
Entity Reference Info CFXMLNode
- Apple’s documentation
- CFXML
Entity Type Code CFXMLNode
- Apple’s documentation
- CFXML
ExternalID CFURL
andCFXMLNode
- Apple’s documentation
- CFXML
Node CFXMLNode
- Apple’s documentation
- CFXML
Node Type Code CFXMLNode
- Apple’s documentation
- CFXML
Notation Info CFURL
andCFXMLNode
- Apple’s documentation
- CFXML
Parser CFXMLParser
- Apple’s documentation
- CFXML
Parser Call Backs CFData
andCFURL
andCFXMLNode
andCFXMLParser
- Apple’s documentation
- CFXML
Parser Context CFXMLParser
- Apple’s documentation
- CFXML
Parser Options CFXMLParser
- Apple’s documentation
- CFXML
Parser Status Code CFXMLParser
- Apple’s documentation
- CFXML
Processing Instruction Info CFXMLNode
- Apple’s documentation
- CGAffine
Transform CFCGTypes
- Apple’s documentation
- CGAffine
Transform Components CFCGTypes
- Apple’s documentation
- CGPoint
CFCGTypes
- A point in a two-dimensional coordinate system.
- CGRect
CFCGTypes
- The location and dimensions of a rectangle.
- CGSize
CFCGTypes
- A two-dimensional size.
- CGVector
CFCGTypes
- Apple’s documentation
- IUnknownV
Tbl CFPlugInCOM
andCFUUID
- Apple’s documentation
Enums§
- CGRect
Edge CFCGTypes
- Apple’s documentation
Constants§
- kCFBundle
Executable ArchitectureAR M64 CFBundle
- Apple’s documentation
- kCFBundle
Executable Architecture I386 CFBundle
- Apple’s documentation
- kCFBundle
Executable ArchitecturePPC CFBundle
- Apple’s documentation
- kCFBundle
Executable ArchitecturePP C64 CFBundle
- Apple’s documentation
- kCFBundle
Executable Architecture X86_ 64 CFBundle
- Apple’s documentation
- kCFCalendar
Components Wrap CFCalendar
- Apple’s documentation
- kCFCore
Foundation Version Number10_ 0 - Apple’s documentation
- kCFCore
Foundation Version Number10_ 0_ 3 - Apple’s documentation
- kCFCore
Foundation Version Number10_ 1 - Apple’s documentation
- kCFCore
Foundation Version Number10_ 2 - Apple’s documentation
- kCFCore
Foundation Version Number10_ 3 - Apple’s documentation
- kCFCore
Foundation Version Number10_ 4 - Apple’s documentation
- kCFCore
Foundation Version Number10_ 5 - Apple’s documentation
- kCFCore
Foundation Version Number10_ 6 - Apple’s documentation
- kCFCore
Foundation Version Number10_ 7 - Apple’s documentation
- kCFCore
Foundation Version Number10_ 8 - Apple’s documentation
- kCFCore
Foundation Version Number10_ 9 - Apple’s documentation
- kCFCore
Foundation Version Number10_ 1_ 1 - Apple’s documentation
- kCFCore
Foundation Version Number10_ 1_ 2 - Apple’s documentation
- kCFCore
Foundation Version Number10_ 1_ 3 - Apple’s documentation
- kCFCore
Foundation Version Number10_ 1_ 4 - Apple’s documentation
- kCFCore
Foundation Version Number10_ 2_ 1 - Apple’s documentation
- kCFCore
Foundation Version Number10_ 2_ 2 - Apple’s documentation
- kCFCore
Foundation Version Number10_ 2_ 3 - Apple’s documentation
- kCFCore
Foundation Version Number10_ 2_ 4 - Apple’s documentation
- kCFCore
Foundation Version Number10_ 2_ 5 - Apple’s documentation
- kCFCore
Foundation Version Number10_ 2_ 6 - Apple’s documentation
- kCFCore
Foundation Version Number10_ 2_ 7 - Apple’s documentation
- kCFCore
Foundation Version Number10_ 2_ 8 - Apple’s documentation
- kCFCore
Foundation Version Number10_ 3_ 1 - Apple’s documentation
- kCFCore
Foundation Version Number10_ 3_ 2 - Apple’s documentation
- kCFCore
Foundation Version Number10_ 3_ 3 - Apple’s documentation
- kCFCore
Foundation Version Number10_ 3_ 4 - Apple’s documentation
- kCFCore
Foundation Version Number10_ 3_ 5 - Apple’s documentation
- kCFCore
Foundation Version Number10_ 3_ 6 - Apple’s documentation
- kCFCore
Foundation Version Number10_ 3_ 7 - Apple’s documentation
- kCFCore
Foundation Version Number10_ 3_ 8 - Apple’s documentation
- kCFCore
Foundation Version Number10_ 3_ 9 - Apple’s documentation
- kCFCore
Foundation Version Number10_ 4_ 1 - Apple’s documentation
- kCFCore
Foundation Version Number10_ 4_ 2 - Apple’s documentation
- kCFCore
Foundation Version Number10_ 4_ 3 - Apple’s documentation
- kCFCore
Foundation Version Number10_ 4_ 7 - Apple’s documentation
- kCFCore
Foundation Version Number10_ 4_ 8 - Apple’s documentation
- kCFCore
Foundation Version Number10_ 4_ 9 - Apple’s documentation
- kCFCore
Foundation Version Number10_ 4_ 4_ Intel - Apple’s documentation
- kCFCore
Foundation Version Number10_ 4_ 4_ PowerPC - Apple’s documentation
- kCFCore
Foundation Version Number10_ 4_ 5_ Intel - Apple’s documentation
- kCFCore
Foundation Version Number10_ 4_ 5_ PowerPC - Apple’s documentation
- kCFCore
Foundation Version Number10_ 4_ 6_ Intel - Apple’s documentation
- kCFCore
Foundation Version Number10_ 4_ 6_ PowerPC - Apple’s documentation
- kCFCore
Foundation Version Number10_ 4_ 10 - Apple’s documentation
- kCFCore
Foundation Version Number10_ 4_ 11 - Apple’s documentation
- kCFCore
Foundation Version Number10_ 5_ 1 - Apple’s documentation
- kCFCore
Foundation Version Number10_ 5_ 2 - Apple’s documentation
- kCFCore
Foundation Version Number10_ 5_ 3 - Apple’s documentation
- kCFCore
Foundation Version Number10_ 5_ 4 - Apple’s documentation
- kCFCore
Foundation Version Number10_ 5_ 5 - Apple’s documentation
- kCFCore
Foundation Version Number10_ 5_ 6 - Apple’s documentation
- kCFCore
Foundation Version Number10_ 5_ 7 - Apple’s documentation
- kCFCore
Foundation Version Number10_ 5_ 8 - Apple’s documentation
- kCFCore
Foundation Version Number10_ 6_ 1 - Apple’s documentation
- kCFCore
Foundation Version Number10_ 6_ 2 - Apple’s documentation
- kCFCore
Foundation Version Number10_ 6_ 3 - Apple’s documentation
- kCFCore
Foundation Version Number10_ 6_ 4 - Apple’s documentation
- kCFCore
Foundation Version Number10_ 6_ 5 - Apple’s documentation
- kCFCore
Foundation Version Number10_ 6_ 6 - Apple’s documentation
- kCFCore
Foundation Version Number10_ 6_ 7 - Apple’s documentation
- kCFCore
Foundation Version Number10_ 6_ 8 - Apple’s documentation
- kCFCore
Foundation Version Number10_ 7_ 1 - Apple’s documentation
- kCFCore
Foundation Version Number10_ 7_ 2 - Apple’s documentation
- kCFCore
Foundation Version Number10_ 7_ 3 - Apple’s documentation
- kCFCore
Foundation Version Number10_ 7_ 4 - Apple’s documentation
- kCFCore
Foundation Version Number10_ 7_ 5 - Apple’s documentation
- kCFCore
Foundation Version Number10_ 8_ 1 - Apple’s documentation
- kCFCore
Foundation Version Number10_ 8_ 2 - Apple’s documentation
- kCFCore
Foundation Version Number10_ 8_ 3 - Apple’s documentation
- kCFCore
Foundation Version Number10_ 8_ 4 - Apple’s documentation
- kCFCore
Foundation Version Number10_ 9_ 1 - Apple’s documentation
- kCFCore
Foundation Version Number10_ 9_ 2 - Apple’s documentation
- kCFCore
Foundation Version Number10_ 10 - Apple’s documentation
- kCFCore
Foundation Version Number10_ 11 - Apple’s documentation
- kCFCore
Foundation Version Number10_ 10_ 1 - Apple’s documentation
- kCFCore
Foundation Version Number10_ 10_ 2 - Apple’s documentation
- kCFCore
Foundation Version Number10_ 10_ 3 - Apple’s documentation
- kCFCore
Foundation Version Number10_ 10_ 4 - Apple’s documentation
- kCFCore
Foundation Version Number10_ 10_ 5 - Apple’s documentation
- kCFCore
Foundation Version Number10_ 10_ Max - Apple’s documentation
- kCFCore
Foundation Version Number10_ 11_ 1 - Apple’s documentation
- kCFCore
Foundation Version Number10_ 11_ 2 - Apple’s documentation
- kCFCore
Foundation Version Number10_ 11_ 3 - Apple’s documentation
- kCFCore
Foundation Version Number10_ 11_ 4 - Apple’s documentation
- kCFCore
Foundation Version Number10_ 11_ Max - Apple’s documentation
- kCFFile
Descriptor Read Call Back CFFileDescriptor
- Apple’s documentation
- kCFFile
Descriptor Write Call Back CFFileDescriptor
- Apple’s documentation
- kCFMessage
Port Became Invalid Error CFMessagePort
- Apple’s documentation
- kCFMessage
Port IsInvalid CFMessagePort
- Apple’s documentation
- kCFMessage
Port Receive Timeout CFMessagePort
- Apple’s documentation
- kCFMessage
Port Send Timeout CFMessagePort
- Apple’s documentation
- kCFMessage
Port Success CFMessagePort
- Apple’s documentation
- kCFMessage
Port Transport Error CFMessagePort
- Apple’s documentation
- kCFNotification
Deliver Immediately CFNotificationCenter
- Apple’s documentation
- kCFNotification
Post ToAll Sessions CFNotificationCenter
- Apple’s documentation
- kCFProperty
List Read Corrupt Error CFPropertyList
- Apple’s documentation
- kCFProperty
List Read Stream Error CFPropertyList
- Apple’s documentation
- kCFProperty
List Read Unknown Version Error CFPropertyList
- Apple’s documentation
- kCFProperty
List Write Stream Error CFPropertyList
- Apple’s documentation
- kCFSocket
Automatically Reenable Accept Call Back CFSocket
- Apple’s documentation
- kCFSocket
Automatically Reenable Data Call Back CFSocket
- Apple’s documentation
- kCFSocket
Automatically Reenable Read Call Back CFSocket
- Apple’s documentation
- kCFSocket
Automatically Reenable Write Call Back CFSocket
- Apple’s documentation
- kCFSocket
Close OnInvalidate CFSocket
- Apple’s documentation
- kCFSocket
Leave Errors CFSocket
- Apple’s documentation
- kCFString
Encoding Invalid Id CFString
- Apple’s documentation
- kCFString
Tokenizer Attribute Language CFStringTokenizer
- Attribute Specifier Use attribute specifier to tell tokenizer to prepare the specified attribute when it tokenizes the given string. The attribute value can be retrieved by calling CFStringTokenizerCopyCurrentTokenAttribute with one of the attribute option.
- kCFString
Tokenizer Attribute Latin Transcription CFStringTokenizer
- Attribute Specifier Use attribute specifier to tell tokenizer to prepare the specified attribute when it tokenizes the given string. The attribute value can be retrieved by calling CFStringTokenizerCopyCurrentTokenAttribute with one of the attribute option.
- kCFString
Tokenizer Unit Line Break CFStringTokenizer
- Tokenization Unit Use one of tokenization unit options with CFStringTokenizerCreate to specify how the string should be tokenized.
- kCFString
Tokenizer Unit Paragraph CFStringTokenizer
- Tokenization Unit Use one of tokenization unit options with CFStringTokenizerCreate to specify how the string should be tokenized.
- kCFString
Tokenizer Unit Sentence CFStringTokenizer
- Tokenization Unit Use one of tokenization unit options with CFStringTokenizerCreate to specify how the string should be tokenized.
- kCFString
Tokenizer Unit Word CFStringTokenizer
- Tokenization Unit Use one of tokenization unit options with CFStringTokenizerCreate to specify how the string should be tokenized.
- kCFString
Tokenizer Unit Word Boundary CFStringTokenizer
- Tokenization Unit Use one of tokenization unit options with CFStringTokenizerCreate to specify how the string should be tokenized.
- kCFUser
Notification Alternate Response CFUserNotification
- Apple’s documentation
- kCFUser
Notification Cancel Response CFUserNotification
- Apple’s documentation
- kCFUser
Notification Caution Alert Level CFUserNotification
- Apple’s documentation
- kCFUser
Notification Default Response CFUserNotification
- Apple’s documentation
- kCFUser
Notification NoDefault Button Flag CFUserNotification
- Apple’s documentation
- kCFUser
Notification Note Alert Level CFUserNotification
- Apple’s documentation
- kCFUser
Notification Other Response CFUserNotification
- Apple’s documentation
- kCFUser
Notification Plain Alert Level CFUserNotification
- Apple’s documentation
- kCFUser
Notification Stop Alert Level CFUserNotification
- Apple’s documentation
- kCFUser
Notification UseRadio Buttons Flag CFUserNotification
- Apple’s documentation
- kCFXML
Node Current Version CFXMLNode
- Apple’s documentation
Statics§
- kCFAbsolute
Time ⚠Interval Since1904 CFDate
- Apple’s documentation
- kCFAbsolute
Time ⚠Interval Since1970 CFDate
- Apple’s documentation
- kCFAllocator
Default ⚠ - Apple’s documentation
- kCFAllocator
Malloc ⚠ - Apple’s documentation
- kCFAllocator
Malloc ⚠Zone - Apple’s documentation
- kCFAllocator
Null ⚠ - Apple’s documentation
- kCFAllocator
System ⚠Default - Apple’s documentation
- kCFAllocator
UseContext ⚠ - Apple’s documentation
- kCFBoolean
False ⚠CFNumber
- Apple’s documentation
- kCFBoolean
True ⚠CFNumber
- Apple’s documentation
- kCFBuddhist
Calendar ⚠CFLocale
- Apple’s documentation
- kCFBundle
Development ⚠Region Key CFBundle
- Apple’s documentation
- kCFBundle
Executable ⚠Key CFBundle
- Apple’s documentation
- kCFBundle
Identifier ⚠Key CFBundle
- Apple’s documentation
- kCFBundle
Info ⚠Dictionary Version Key CFBundle
- Apple’s documentation
- kCFBundle
Localizations ⚠Key CFBundle
- Apple’s documentation
- kCFBundle
Name ⚠Key CFBundle
- Apple’s documentation
- kCFBundle
Version ⚠Key CFBundle
- Apple’s documentation
- kCFChinese
Calendar ⚠CFLocale
- Apple’s documentation
- kCFCopy
String ⚠BagCall Backs CFBag
- Apple’s documentation
- kCFCopy
String ⚠Dictionary KeyCall Backs CFDictionary
- Predefined CFDictionaryKeyCallBacks structure containing a set of callbacks appropriate for use when the keys of a CFDictionary are all CFStrings, which may be mutable and need to be copied in order to serve as constant keys for the values in the dictionary.
- kCFCopy
String ⚠SetCall Backs CFSet
- Predefined CFSetCallBacks structure containing a set of callbacks appropriate for use when the values in a CFSet should be copies of a CFString.
- kCFCore
Foundation ⚠Version Number - Apple’s documentation
- kCFDate
FormatterAM ⚠Symbol CFDateFormatter
- Apple’s documentation
- kCFDate
Formatter ⚠Calendar CFDateFormatter
- Apple’s documentation
- kCFDate
Formatter ⚠Calendar Name CFDateFormatter
- Apple’s documentation
- kCFDate
Formatter ⚠Default Date CFDateFormatter
- Apple’s documentation
- kCFDate
Formatter ⚠Default Format CFDateFormatter
- Apple’s documentation
- kCFDate
Formatter ⚠Does Relative Date Formatting Key CFDateFormatter
- Apple’s documentation
- kCFDate
Formatter ⚠EraSymbols CFDateFormatter
- Apple’s documentation
- kCFDate
Formatter ⚠Gregorian Start Date CFDateFormatter
- Apple’s documentation
- kCFDate
Formatter ⚠IsLenient CFDateFormatter
- Apple’s documentation
- kCFDate
Formatter ⚠Long EraSymbols CFDateFormatter
- Apple’s documentation
- kCFDate
Formatter ⚠Month Symbols CFDateFormatter
- Apple’s documentation
- kCFDate
FormatterPM ⚠Symbol CFDateFormatter
- Apple’s documentation
- kCFDate
Formatter ⚠Quarter Symbols CFDateFormatter
- Apple’s documentation
- kCFDate
Formatter ⚠Short Month Symbols CFDateFormatter
- Apple’s documentation
- kCFDate
Formatter ⚠Short Quarter Symbols CFDateFormatter
- Apple’s documentation
- kCFDate
Formatter ⚠Short Standalone Month Symbols CFDateFormatter
- Apple’s documentation
- kCFDate
Formatter ⚠Short Standalone Quarter Symbols CFDateFormatter
- Apple’s documentation
- kCFDate
Formatter ⚠Short Standalone Weekday Symbols CFDateFormatter
- Apple’s documentation
- kCFDate
Formatter ⚠Short Weekday Symbols CFDateFormatter
- Apple’s documentation
- kCFDate
Formatter ⚠Standalone Month Symbols CFDateFormatter
- Apple’s documentation
- kCFDate
Formatter ⚠Standalone Quarter Symbols CFDateFormatter
- Apple’s documentation
- kCFDate
Formatter ⚠Standalone Weekday Symbols CFDateFormatter
- Apple’s documentation
- kCFDate
Formatter ⚠Time Zone CFDateFormatter
- Apple’s documentation
- kCFDate
Formatter ⚠TwoDigit Start Date CFDateFormatter
- Apple’s documentation
- kCFDate
Formatter ⚠Very Short Month Symbols CFDateFormatter
- Apple’s documentation
- kCFDate
Formatter ⚠Very Short Standalone Month Symbols CFDateFormatter
- Apple’s documentation
- kCFDate
Formatter ⚠Very Short Standalone Weekday Symbols CFDateFormatter
- Apple’s documentation
- kCFDate
Formatter ⚠Very Short Weekday Symbols CFDateFormatter
- Apple’s documentation
- kCFDate
Formatter ⚠Weekday Symbols CFDateFormatter
- Apple’s documentation
- kCFError
Description ⚠Key CFError
- Apple’s documentation
- kCFError
Domain ⚠Cocoa CFError
- Apple’s documentation
- kCFError
Domain ⚠Mach CFError
- Apple’s documentation
- kCFError
DomainOS ⚠Status CFError
- Apple’s documentation
- kCFError
DomainPOSIX ⚠CFError
- Apple’s documentation
- kCFError
File ⚠Path Key CFError
- Apple’s documentation
- kCFError
Localized ⚠Description Key CFError
- Apple’s documentation
- kCFError
Localized ⚠Failure Key CFError
- Apple’s documentation
- kCFError
Localized ⚠Failure Reason Key CFError
- Apple’s documentation
- kCFError
Localized ⚠Recovery Suggestion Key CFError
- Apple’s documentation
- kCFErrorURL
Key ⚠CFError
- Apple’s documentation
- kCFError
Underlying ⚠Error Key CFError
- Apple’s documentation
- kCFGregorian
Calendar ⚠CFLocale
- Apple’s documentation
- kCFHebrew
Calendar ⚠CFLocale
- Apple’s documentation
- kCFIS
O8601 ⚠Calendar CFLocale
- Apple’s documentation
- kCFIndian
Calendar ⚠CFLocale
- Apple’s documentation
- kCFIslamic
Calendar ⚠CFLocale
- Apple’s documentation
- kCFIslamic
Civil ⚠Calendar CFLocale
- Apple’s documentation
- kCFIslamic
Tabular ⚠Calendar CFLocale
- Apple’s documentation
- kCFIslamic
UmmAl ⚠Qura Calendar CFLocale
- Apple’s documentation
- kCFJapanese
Calendar ⚠CFLocale
- Apple’s documentation
- kCFLocale
Alternate ⚠Quotation Begin Delimiter Key CFLocale
- Apple’s documentation
- kCFLocale
Alternate ⚠Quotation EndDelimiter Key CFLocale
- Apple’s documentation
- kCFLocale
Calendar ⚠CFLocale
- Apple’s documentation
- kCFLocale
Calendar ⚠Identifier CFLocale
- Apple’s documentation
- kCFLocale
Collation ⚠Identifier CFLocale
- Apple’s documentation
- kCFLocale
Collator ⚠Identifier CFLocale
- Apple’s documentation
- kCFLocale
Country ⚠Code CFLocale
- Apple’s documentation
- kCFLocale
Currency ⚠Code CFLocale
- Apple’s documentation
- kCFLocale
Currency ⚠Symbol CFLocale
- Apple’s documentation
- kCFLocale
Current ⚠Locale DidChange Notification CFLocale
andCFNotificationCenter
- Apple’s documentation
- kCFLocale
Decimal ⚠Separator CFLocale
- Apple’s documentation
- kCFLocale
Exemplar ⚠Character Set CFLocale
- Apple’s documentation
- kCFLocale
Grouping ⚠Separator CFLocale
- Apple’s documentation
- kCFLocale
Identifier ⚠CFLocale
- Apple’s documentation
- kCFLocale
Language ⚠Code CFLocale
- Apple’s documentation
- kCFLocale
Measurement ⚠System CFLocale
- Apple’s documentation
- kCFLocale
Quotation ⚠Begin Delimiter Key CFLocale
- Apple’s documentation
- kCFLocale
Quotation ⚠EndDelimiter Key CFLocale
- Apple’s documentation
- kCFLocale
Script ⚠Code CFLocale
- Apple’s documentation
- kCFLocale
Uses ⚠Metric System CFLocale
- Apple’s documentation
- kCFLocale
Variant ⚠Code CFLocale
- Apple’s documentation
- kCFNot
Found - Apple’s documentation
- kCFNull⚠
- Apple’s documentation
- kCFNumber
Formatter ⚠Always Show Decimal Separator CFNumberFormatter
- Apple’s documentation
- kCFNumber
Formatter ⚠Currency Code CFNumberFormatter
- Apple’s documentation
- kCFNumber
Formatter ⚠Currency Decimal Separator CFNumberFormatter
- Apple’s documentation
- kCFNumber
Formatter ⚠Currency Grouping Separator CFNumberFormatter
- Apple’s documentation
- kCFNumber
Formatter ⚠Currency Symbol CFNumberFormatter
- Apple’s documentation
- kCFNumber
Formatter ⚠Decimal Separator CFNumberFormatter
- Apple’s documentation
- kCFNumber
Formatter ⚠Default Format CFNumberFormatter
- Apple’s documentation
- kCFNumber
Formatter ⚠Exponent Symbol CFNumberFormatter
- Apple’s documentation
- kCFNumber
Formatter ⚠Format Width CFNumberFormatter
- Apple’s documentation
- kCFNumber
Formatter ⚠Grouping Separator CFNumberFormatter
- Apple’s documentation
- kCFNumber
Formatter ⚠Grouping Size CFNumberFormatter
- Apple’s documentation
- kCFNumber
Formatter ⚠Infinity Symbol CFNumberFormatter
- Apple’s documentation
- kCFNumber
Formatter ⚠International Currency Symbol CFNumberFormatter
- Apple’s documentation
- kCFNumber
Formatter ⚠IsLenient CFNumberFormatter
- Apple’s documentation
- kCFNumber
Formatter ⚠MaxFraction Digits CFNumberFormatter
- Apple’s documentation
- kCFNumber
Formatter ⚠MaxInteger Digits CFNumberFormatter
- Apple’s documentation
- kCFNumber
Formatter ⚠MaxSignificant Digits CFNumberFormatter
- Apple’s documentation
- kCFNumber
Formatter ⚠MinFraction Digits CFNumberFormatter
- Apple’s documentation
- kCFNumber
Formatter ⚠MinGrouping Digits CFNumberFormatter
- Apple’s documentation
- kCFNumber
Formatter ⚠MinInteger Digits CFNumberFormatter
- Apple’s documentation
- kCFNumber
Formatter ⚠MinSignificant Digits CFNumberFormatter
- Apple’s documentation
- kCFNumber
Formatter ⚠Minus Sign CFNumberFormatter
- Apple’s documentation
- kCFNumber
Formatter ⚠Multiplier CFNumberFormatter
- Apple’s documentation
- kCFNumber
Formatter ⚠NaNSymbol CFNumberFormatter
- Apple’s documentation
- kCFNumber
Formatter ⚠Negative Prefix CFNumberFormatter
- Apple’s documentation
- kCFNumber
Formatter ⚠Negative Suffix CFNumberFormatter
- Apple’s documentation
- kCFNumber
Formatter ⚠Padding Character CFNumberFormatter
- Apple’s documentation
- kCFNumber
Formatter ⚠Padding Position CFNumberFormatter
- Apple’s documentation
- kCFNumber
Formatter ⚠PerMill Symbol CFNumberFormatter
- Apple’s documentation
- kCFNumber
Formatter ⚠Percent Symbol CFNumberFormatter
- Apple’s documentation
- kCFNumber
Formatter ⚠Plus Sign CFNumberFormatter
- Apple’s documentation
- kCFNumber
Formatter ⚠Positive Prefix CFNumberFormatter
- Apple’s documentation
- kCFNumber
Formatter ⚠Positive Suffix CFNumberFormatter
- Apple’s documentation
- kCFNumber
Formatter ⚠Rounding Increment CFNumberFormatter
- Apple’s documentation
- kCFNumber
Formatter ⚠Rounding Mode CFNumberFormatter
- Apple’s documentation
- kCFNumber
Formatter ⚠Secondary Grouping Size CFNumberFormatter
- Apple’s documentation
- kCFNumber
Formatter ⚠UseGrouping Separator CFNumberFormatter
- Apple’s documentation
- kCFNumber
Formatter ⚠UseSignificant Digits CFNumberFormatter
- Apple’s documentation
- kCFNumber
Formatter ⚠Zero Symbol CFNumberFormatter
- Apple’s documentation
- kCFNumber
NaN ⚠CFNumber
- Apple’s documentation
- kCFNumber
Negative ⚠Infinity CFNumber
- Apple’s documentation
- kCFNumber
Positive ⚠Infinity CFNumber
- Apple’s documentation
- kCFPersian
Calendar ⚠CFLocale
- Apple’s documentation
- kCFPlug
InDynamic ⚠Register Function Key CFPlugIn
- Apple’s documentation
- kCFPlug
InDynamic ⚠Registration Key CFPlugIn
- Apple’s documentation
- kCFPlug
InFactories ⚠Key CFPlugIn
- Apple’s documentation
- kCFPlug
InTypes ⚠Key CFPlugIn
- Apple’s documentation
- kCFPlug
InUnload ⚠Function Key CFPlugIn
- Apple’s documentation
- kCFPreferences
AnyApplication ⚠CFPreferences
- Apple’s documentation
- kCFPreferences
AnyHost ⚠CFPreferences
- Apple’s documentation
- kCFPreferences
AnyUser ⚠CFPreferences
- Apple’s documentation
- kCFPreferences
Current ⚠Application CFPreferences
- Apple’s documentation
- kCFPreferences
Current ⚠Host CFPreferences
- Apple’s documentation
- kCFPreferences
Current ⚠User CFPreferences
- Apple’s documentation
- kCFRepublic
OfChina ⚠Calendar CFLocale
- Apple’s documentation
- kCFRun
Loop ⚠Common Modes CFRunLoop
- Apple’s documentation
- kCFRun
Loop ⚠Default Mode CFRunLoop
- Apple’s documentation
- kCFSocket
Command ⚠Key CFSocket
- Apple’s documentation
- kCFSocket
Error ⚠Key CFSocket
- Apple’s documentation
- kCFSocket
Name ⚠Key CFSocket
- Apple’s documentation
- kCFSocket
Register ⚠Command CFSocket
- Apple’s documentation
- kCFSocket
Result ⚠Key CFSocket
- Apple’s documentation
- kCFSocket
Retrieve ⚠Command CFSocket
- Apple’s documentation
- kCFSocket
Value ⚠Key CFSocket
- Apple’s documentation
- kCFStream
Error ⚠DomainSOCKS CFStream
- Apple’s documentation
- kCFStream
Error ⚠DomainSSL CFStream
- Apple’s documentation
- kCFStream
Property ⚠Append ToFile CFStream
- Apple’s documentation
- kCFStream
Property ⚠Data Written CFStream
- Apple’s documentation
- kCFStream
Property ⚠File Current Offset CFStream
- Apple’s documentation
- kCFStream
PropertySOCKS ⚠Password CFStream
- Apple’s documentation
- kCFStream
PropertySOCKS ⚠Proxy CFStream
- Apple’s documentation
- kCFStream
PropertySOCKS ⚠Proxy Host CFStream
- Apple’s documentation
- kCFStream
PropertySOCKS ⚠Proxy Port CFStream
- Apple’s documentation
- kCFStream
PropertySOCKS ⚠User CFStream
- Apple’s documentation
- kCFStream
PropertySOCKS ⚠Version CFStream
- Apple’s documentation
- kCFStream
Property ⚠Should Close Native Socket CFStream
- Apple’s documentation
- kCFStream
Property ⚠Socket Native Handle CFStream
- Apple’s documentation
- kCFStream
Property ⚠Socket Remote Host Name CFStream
- Apple’s documentation
- kCFStream
Property ⚠Socket Remote Port Number CFStream
- Apple’s documentation
- kCFStream
Property ⚠Socket Security Level CFStream
- Apple’s documentation
- kCFStream
SocketSOCKS ⚠Version4 CFStream
- Apple’s documentation
- kCFStream
SocketSOCKS ⚠Version5 CFStream
- Apple’s documentation
- kCFStream
Socket ⚠Security Level NegotiatedSSL CFStream
- Apple’s documentation
- kCFStream
Socket ⚠Security Level None CFStream
- Apple’s documentation
- kCFStream
Socket ⚠Security LevelSS Lv2 CFStream
- Apple’s documentation
- kCFStream
Socket ⚠Security LevelSS Lv3 CFStream
- Apple’s documentation
- kCFStream
Socket ⚠Security LevelTL Sv1 CFStream
- Apple’s documentation
- kCFString
Binary ⚠Heap Call Backs CFBinaryHeap
- Predefined CFBinaryHeapCallBacks structure containing a set of callbacks appropriate for use when the values in a CFBinaryHeap are all CFString types.
- kCFString
Transform ⚠Fullwidth Halfwidth CFString
- Apple’s documentation
- kCFString
Transform ⚠Hiragana Katakana CFString
- Apple’s documentation
- kCFString
Transform ⚠Latin Arabic CFString
- Apple’s documentation
- kCFString
Transform ⚠Latin Cyrillic CFString
- Apple’s documentation
- kCFString
Transform ⚠Latin Greek CFString
- Apple’s documentation
- kCFString
Transform ⚠Latin Hangul CFString
- Apple’s documentation
- kCFString
Transform ⚠Latin Hebrew CFString
- Apple’s documentation
- kCFString
Transform ⚠Latin Hiragana CFString
- Apple’s documentation
- kCFString
Transform ⚠Latin Katakana CFString
- Apple’s documentation
- kCFString
Transform ⚠Latin Thai CFString
- Apple’s documentation
- kCFString
Transform ⚠Mandarin Latin CFString
- Apple’s documentation
- kCFString
Transform ⚠Strip Combining Marks CFString
- Apple’s documentation
- kCFString
Transform ⚠Strip Diacritics CFString
- Apple’s documentation
- kCFString
Transform ⚠ToLatin CFString
- Apple’s documentation
- kCFString
Transform ⚠ToUnicode Name CFString
- Apple’s documentation
- kCFString
Transform ⚠ToXML Hex CFString
- Apple’s documentation
- kCFTime
Zone ⚠System Time Zone DidChange Notification CFTimeZone
andCFNotificationCenter
- Apple’s documentation
- kCFType
Array ⚠Call Backs CFArray
- Predefined CFArrayCallBacks structure containing a set of callbacks appropriate for use when the values in a CFArray are all CFTypes.
- kCFType
BagCall ⚠Backs CFBag
- Apple’s documentation
- kCFType
Dictionary ⚠KeyCall Backs CFDictionary
- Predefined CFDictionaryKeyCallBacks structure containing a set of callbacks appropriate for use when the keys of a CFDictionary are all CFTypes.
- kCFType
Dictionary ⚠Value Call Backs CFDictionary
- Predefined CFDictionaryValueCallBacks structure containing a set of callbacks appropriate for use when the values in a CFDictionary are all CFTypes.
- kCFType
SetCall ⚠Backs CFSet
- Predefined CFSetCallBacks structure containing a set of callbacks appropriate for use when the values in a CFSet are all CFTypes.
- kCFURL
Added ⚠ToDirectory Date Key CFURL
- Apple’s documentation
- kCFURL
Application ⚠IsScriptable Key CFURL
- Apple’s documentation
- kCFURL
Attribute ⚠Modification Date Key CFURL
- Apple’s documentation
- kCFURL
Canonical ⚠Path Key CFURL
- Apple’s documentation
- kCFURL
Content ⚠Access Date Key CFURL
- Apple’s documentation
- kCFURL
Content ⚠Modification Date Key CFURL
- Apple’s documentation
- kCFURL
Creation ⚠Date Key CFURL
- Apple’s documentation
- kCFURL
Custom ⚠Icon Key CFURL
- Apple’s documentation
- kCFURL
Directory ⚠Entry Count Key CFURL
- Apple’s documentation
- kCFURL
Document ⚠Identifier Key CFURL
- Apple’s documentation
- kCFURL
Effective ⚠Icon Key CFURL
- Apple’s documentation
- kCFURL
File ⚠Allocated Size Key CFURL
- Apple’s documentation
- kCFURL
File ⚠Content Identifier Key CFURL
- Apple’s documentation
- kCFURL
File ⚠Directory Contents CFURLAccess
- Apple’s documentation
- kCFURL
File ⚠Exists CFURLAccess
- Apple’s documentation
- kCFURL
File ⚠Identifier Key CFURL
- Apple’s documentation
- kCFURL
File ⚠Last Modification Time CFURLAccess
- Apple’s documentation
- kCFURL
File ⚠Length CFURLAccess
- Apple’s documentation
- kCFURL
File ⚠OwnerID CFURLAccess
- Apple’s documentation
- kCFURL
FilePOSIX ⚠Mode CFURLAccess
- Apple’s documentation
- kCFURL
File ⚠Protection Complete CFURL
- Apple’s documentation
- kCFURL
File ⚠Protection Complete Unless Open CFURL
- Apple’s documentation
- kCFURL
File ⚠Protection Complete Until First User Authentication CFURL
- Apple’s documentation
- kCFURL
File ⚠Protection Complete When User Inactive CFURL
- Apple’s documentation
- kCFURL
File ⚠Protection Key CFURL
- Apple’s documentation
- kCFURL
File ⚠Protection None CFURL
- Apple’s documentation
- kCFURL
File ⚠Resource Identifier Key CFURL
- Apple’s documentation
- kCFURL
File ⚠Resource Type Block Special CFURL
- Apple’s documentation
- kCFURL
File ⚠Resource Type Character Special CFURL
- Apple’s documentation
- kCFURL
File ⚠Resource Type Directory CFURL
- Apple’s documentation
- kCFURL
File ⚠Resource Type Key CFURL
- Apple’s documentation
- kCFURL
File ⚠Resource Type Named Pipe CFURL
- Apple’s documentation
- kCFURL
File ⚠Resource Type Regular CFURL
- Apple’s documentation
- kCFURL
File ⚠Resource Type Socket CFURL
- Apple’s documentation
- kCFURL
File ⚠Resource Type Symbolic Link CFURL
- Apple’s documentation
- kCFURL
File ⚠Resource Type Unknown CFURL
- Apple’s documentation
- kCFURL
File ⚠Security Key CFURL
- Apple’s documentation
- kCFURL
File ⚠Size Key CFURL
- Apple’s documentation
- kCFURL
Generation ⚠Identifier Key CFURL
- Apple’s documentation
- kCFURLHTTP
Status ⚠Code CFURLAccess
- Apple’s documentation
- kCFURLHTTP
Status ⚠Line CFURLAccess
- Apple’s documentation
- kCFURL
HasHidden ⚠Extension Key CFURL
- Apple’s documentation
- kCFURL
IsAlias ⚠File Key CFURL
- Apple’s documentation
- kCFURL
IsApplication ⚠Key CFURL
- Apple’s documentation
- kCFURL
IsDirectory ⚠Key CFURL
- Apple’s documentation
- kCFURL
IsExcluded ⚠From Backup Key CFURL
- Apple’s documentation
- kCFURL
IsExecutable ⚠Key CFURL
- Apple’s documentation
- kCFURL
IsHidden ⚠Key CFURL
- Apple’s documentation
- kCFURL
IsMount ⚠Trigger Key CFURL
- Apple’s documentation
- kCFURL
IsPackage ⚠Key CFURL
- Apple’s documentation
- kCFURL
IsPurgeable ⚠Key CFURL
- Apple’s documentation
- kCFURL
IsReadable ⚠Key CFURL
- Apple’s documentation
- kCFURL
IsRegular ⚠File Key CFURL
- Apple’s documentation
- kCFURL
IsSparse ⚠Key CFURL
- Apple’s documentation
- kCFURL
IsSymbolic ⚠Link Key CFURL
- Apple’s documentation
- kCFURL
IsSystem ⚠Immutable Key CFURL
- Apple’s documentation
- kCFURL
IsUbiquitous ⚠Item Key CFURL
- Apple’s documentation
- kCFURL
IsUser ⚠Immutable Key CFURL
- Apple’s documentation
- kCFURL
IsVolume ⚠Key CFURL
- Apple’s documentation
- kCFURL
IsWritable ⚠Key CFURL
- Apple’s documentation
- kCFURL
Keys ⚠OfUnset Values Key CFURL
- Apple’s documentation
- kCFURL
Label ⚠Color Key CFURL
- Apple’s documentation
- kCFURL
Label ⚠Number Key CFURL
- Apple’s documentation
- kCFURL
Link ⚠Count Key CFURL
- Apple’s documentation
- kCFURL
Localized ⚠Label Key CFURL
- Apple’s documentation
- kCFURL
Localized ⚠Name Key CFURL
- Apple’s documentation
- kCFURL
Localized ⚠Type Description Key CFURL
- Apple’s documentation
- kCFURL
MayHave ⚠Extended Attributes Key CFURL
- Apple’s documentation
- kCFURL
MayShare ⚠File Content Key CFURL
- Apple’s documentation
- kCFURL
Name ⚠Key CFURL
- Apple’s documentation
- kCFURL
Parent ⚠DirectoryURL Key CFURL
- Apple’s documentation
- kCFURL
Path ⚠Key CFURL
- Apple’s documentation
- kCFURL
PreferredIO ⚠Block Size Key CFURL
- Apple’s documentation
- kCFURL
Quarantine ⚠Properties Key CFURL
- Apple’s documentation
- kCFURL
TagNames ⚠Key CFURL
- Apple’s documentation
- kCFURL
Total ⚠File Allocated Size Key CFURL
- Apple’s documentation
- kCFURL
Total ⚠File Size Key CFURL
- Apple’s documentation
- kCFURL
Type ⚠Identifier Key CFURL
- Apple’s documentation
- kCFURL
Ubiquitous ⚠Item Downloading Error Key CFURL
- Apple’s documentation
- kCFURL
Ubiquitous ⚠Item Downloading Status Current CFURL
- Apple’s documentation
- kCFURL
Ubiquitous ⚠Item Downloading Status Downloaded CFURL
- Apple’s documentation
- kCFURL
Ubiquitous ⚠Item Downloading Status Key CFURL
- Apple’s documentation
- kCFURL
Ubiquitous ⚠Item Downloading Status NotDownloaded CFURL
- Apple’s documentation
- kCFURL
Ubiquitous ⚠Item HasUnresolved Conflicts Key CFURL
- Apple’s documentation
- kCFURL
Ubiquitous ⚠Item IsDownloaded Key CFURL
- Apple’s documentation
- kCFURL
Ubiquitous ⚠Item IsDownloading Key CFURL
- Apple’s documentation
- kCFURL
Ubiquitous ⚠Item IsExcluded From Sync Key CFURL
- Apple’s documentation
- kCFURL
Ubiquitous ⚠Item IsUploaded Key CFURL
- Apple’s documentation
- kCFURL
Ubiquitous ⚠Item IsUploading Key CFURL
- Apple’s documentation
- kCFURL
Ubiquitous ⚠Item Percent Downloaded Key CFURL
- Apple’s documentation
- kCFURL
Ubiquitous ⚠Item Percent Uploaded Key CFURL
- Apple’s documentation
- kCFURL
Ubiquitous ⚠Item Uploading Error Key CFURL
- Apple’s documentation
- kCFURL
Volume ⚠Available Capacity ForImportant Usage Key CFURL
- Apple’s documentation
- kCFURL
Volume ⚠Available Capacity ForOpportunistic Usage Key CFURL
- Apple’s documentation
- kCFURL
Volume ⚠Available Capacity Key CFURL
- Apple’s documentation
- kCFURL
Volume ⚠Creation Date Key CFURL
- Apple’s documentation
- kCFURL
Volume ⚠Identifier Key CFURL
- Apple’s documentation
- kCFURL
Volume ⚠IsAutomounted Key CFURL
- Apple’s documentation
- kCFURL
Volume ⚠IsBrowsable Key CFURL
- Apple’s documentation
- kCFURL
Volume ⚠IsEjectable Key CFURL
- Apple’s documentation
- kCFURL
Volume ⚠IsEncrypted Key CFURL
- Apple’s documentation
- kCFURL
Volume ⚠IsInternal Key CFURL
- Apple’s documentation
- kCFURL
Volume ⚠IsJournaling Key CFURL
- Apple’s documentation
- kCFURL
Volume ⚠IsLocal Key CFURL
- Apple’s documentation
- kCFURL
Volume ⚠IsRead Only Key CFURL
- Apple’s documentation
- kCFURL
Volume ⚠IsRemovable Key CFURL
- Apple’s documentation
- kCFURL
Volume ⚠IsRoot File System Key CFURL
- Apple’s documentation
- kCFURL
Volume ⚠Localized Format Description Key CFURL
- Apple’s documentation
- kCFURL
Volume ⚠Localized Name Key CFURL
- Apple’s documentation
- kCFURL
Volume ⚠Maximum File Size Key CFURL
- Apple’s documentation
- kCFURL
Volume ⚠Mount From Location Key CFURL
- Apple’s documentation
- kCFURL
Volume ⚠Name Key CFURL
- Apple’s documentation
- kCFURL
Volume ⚠Resource Count Key CFURL
- Apple’s documentation
- kCFURL
Volume ⚠Subtype Key CFURL
- Apple’s documentation
- kCFURL
Volume ⚠Supports Access Permissions Key CFURL
- Apple’s documentation
- kCFURL
Volume ⚠Supports Advisory File Locking Key CFURL
- Apple’s documentation
- kCFURL
Volume ⚠Supports Case Preserved Names Key CFURL
- Apple’s documentation
- kCFURL
Volume ⚠Supports Case Sensitive Names Key CFURL
- Apple’s documentation
- kCFURL
Volume ⚠Supports Compression Key CFURL
- Apple’s documentation
- kCFURL
Volume ⚠Supports Exclusive Renaming Key CFURL
- Apple’s documentation
- kCFURL
Volume ⚠Supports Extended Security Key CFURL
- Apple’s documentation
- kCFURL
Volume ⚠Supports File Cloning Key CFURL
- Apple’s documentation
- kCFURL
Volume ⚠Supports File Protection Key CFURL
- Apple’s documentation
- kCFURL
Volume ⚠Supports Hard Links Key CFURL
- Apple’s documentation
- kCFURL
Volume ⚠Supports Immutable Files Key CFURL
- Apple’s documentation
- kCFURL
Volume ⚠Supports Journaling Key CFURL
- Apple’s documentation
- kCFURL
Volume ⚠Supports PersistentI DsKey CFURL
- Apple’s documentation
- kCFURL
Volume ⚠Supports Renaming Key CFURL
- Apple’s documentation
- kCFURL
Volume ⚠Supports Root Directory Dates Key CFURL
- Apple’s documentation
- kCFURL
Volume ⚠Supports Sparse Files Key CFURL
- Apple’s documentation
- kCFURL
Volume ⚠Supports Swap Renaming Key CFURL
- Apple’s documentation
- kCFURL
Volume ⚠Supports Symbolic Links Key CFURL
- Apple’s documentation
- kCFURL
Volume ⚠Supports Volume Sizes Key CFURL
- Apple’s documentation
- kCFURL
Volume ⚠Supports Zero Runs Key CFURL
- Apple’s documentation
- kCFURL
Volume ⚠Total Capacity Key CFURL
- Apple’s documentation
- kCFURL
Volume ⚠Type Name Key CFURL
- Apple’s documentation
- kCFURL
VolumeURL ⚠ForRemounting Key CFURL
- Apple’s documentation
- kCFURL
VolumeURL ⚠Key CFURL
- Apple’s documentation
- kCFURL
VolumeUUID ⚠String Key CFURL
- Apple’s documentation
- kCFUser
Notification ⚠Alert Header Key CFUserNotification
- Apple’s documentation
- kCFUser
Notification ⚠Alert Message Key CFUserNotification
- Apple’s documentation
- kCFUser
Notification ⚠Alert TopMost Key CFUserNotification
- Apple’s documentation
- kCFUser
Notification ⚠Alternate Button Title Key CFUserNotification
- Apple’s documentation
- kCFUser
Notification ⚠Check BoxTitles Key CFUserNotification
- Apple’s documentation
- kCFUser
Notification ⚠Default Button Title Key CFUserNotification
- Apple’s documentation
- kCFUser
Notification ⚠IconURL Key CFUserNotification
- Apple’s documentation
- kCFUser
Notification ⚠Keyboard Types Key CFUserNotification
- Apple’s documentation
- kCFUser
Notification ⚠LocalizationURL Key CFUserNotification
- Apple’s documentation
- kCFUser
Notification ⚠Other Button Title Key CFUserNotification
- Apple’s documentation
- kCFUser
Notification ⚠PopUp Selection Key CFUserNotification
- Apple’s documentation
- kCFUser
Notification ⚠PopUp Titles Key CFUserNotification
- Apple’s documentation
- kCFUser
Notification ⚠Progress Indicator Value Key CFUserNotification
- Apple’s documentation
- kCFUser
Notification ⚠SoundURL Key CFUserNotification
- Apple’s documentation
- kCFUser
Notification ⚠Text Field Titles Key CFUserNotification
- Apple’s documentation
- kCFUser
Notification ⚠Text Field Values Key CFUserNotification
- Apple’s documentation
- kCFXML
Tree ⚠Error Description CFXMLParser
- Apple’s documentation
- kCFXML
Tree ⚠Error Line Number CFXMLParser
- Apple’s documentation
- kCFXML
Tree ⚠Error Location CFXMLParser
- Apple’s documentation
- kCFXML
Tree ⚠Error Status Code CFXMLParser
- Apple’s documentation
Traits§
- Concrete
Type - A concrete CoreFoundation type.
- Type
- A CoreFoundation-like type.
Functions§
- CFAbsolute
Time ⚠AddGregorian Units Deprecated CFDate
- CFAbsolute
Time GetCurrent CFDate
- CFAbsolute
Time ⚠GetDay OfWeek Deprecated CFDate
- CFAbsolute
Time ⚠GetDay OfYear Deprecated CFDate
- CFAbsolute
Time ⚠GetDifference AsGregorian Units Deprecated CFDate
- CFAbsolute
Time ⚠GetGregorian Date Deprecated CFDate
- CFAbsolute
Time ⚠GetWeek OfYear Deprecated CFDate
- CFAllocator
Allocate Deprecated - CFAllocator
Allocate Bytes Deprecated - CFAllocator
Allocate ⚠Typed Deprecated - CFAllocator
Create ⚠Deprecated - CFAllocator
Deallocate ⚠Deprecated - CFAllocator
GetContext ⚠Deprecated - CFAllocator
GetDefault Deprecated - CFAllocator
GetPreferred Size ForSize Deprecated - CFAllocator
Reallocate ⚠Deprecated - CFAllocator
Reallocate ⚠Bytes Deprecated - CFAllocator
Reallocate ⚠Typed Deprecated - CFAllocator
SetDefault Deprecated - CFArray
Append ⚠Array Deprecated CFArray
- CFArray
Append ⚠Value Deprecated CFArray
- CFArray
Apply ⚠Function Deprecated CFArray
- CFArrayB
Search ⚠Values Deprecated CFArray
- CFArray
Contains ⚠Value Deprecated CFArray
- CFArray
Create ⚠Deprecated CFArray
- CFArray
Create ⚠Copy Deprecated CFArray
- CFArray
Create ⚠Mutable Deprecated CFArray
- CFArray
Create ⚠Mutable Copy Deprecated CFArray
- CFArray
Exchange ⚠Values AtIndices Deprecated CFArray
- CFArray
GetCount Deprecated CFArray
- CFArray
GetCount ⚠OfValue Deprecated CFArray
- CFArray
GetFirst ⚠Index OfValue Deprecated CFArray
- CFArray
GetLast ⚠Index OfValue Deprecated CFArray
- CFArray
GetValue ⚠AtIndex Deprecated CFArray
- CFArray
GetValues ⚠Deprecated CFArray
- CFArray
Insert ⚠Value AtIndex Deprecated CFArray
- CFArray
Remove AllValues Deprecated CFArray
- CFArray
Remove ⚠Value AtIndex Deprecated CFArray
- CFArray
Replace ⚠Values Deprecated CFArray
- CFArray
SetValue ⚠AtIndex Deprecated CFArray
- CFArray
Sort ⚠Values Deprecated CFArray
- CFAttributed
String Begin Editing Deprecated CFAttributedString
- CFAttributed
String ⚠Create Deprecated CFAttributedString
andCFDictionary
- CFAttributed
String Create Copy Deprecated CFAttributedString
- CFAttributed
String Create Mutable Deprecated CFAttributedString
- CFAttributed
String Create Mutable Copy Deprecated CFAttributedString
- CFAttributed
String ⚠Create With Substring Deprecated CFAttributedString
- CFAttributed
String EndEditing Deprecated CFAttributedString
- CFAttributed
String ⚠GetAttribute Deprecated CFAttributedString
- CFAttributed
String ⚠GetAttribute AndLongest Effective Range Deprecated CFAttributedString
- CFAttributed
String ⚠GetAttributes Deprecated CFAttributedString
andCFDictionary
- CFAttributed
String ⚠GetAttributes AndLongest Effective Range Deprecated CFAttributedString
andCFDictionary
- CFAttributed
String ⚠GetBidi Levels AndResolved Directions Deprecated CFAttributedString
- CFAttributed
String GetLength Deprecated CFAttributedString
- CFAttributed
String GetMutable String Deprecated CFAttributedString
- CFAttributed
String GetString Deprecated CFAttributedString
- CFAttributed
String ⚠Remove Attribute Deprecated CFAttributedString
- CFAttributed
String ⚠Replace Attributed String Deprecated CFAttributedString
- CFAttributed
String ⚠Replace String Deprecated CFAttributedString
- CFAttributed
String ⚠SetAttribute Deprecated CFAttributedString
- CFAttributed
String ⚠SetAttributes Deprecated CFAttributedString
andCFDictionary
- CFBag
AddValue ⚠Deprecated CFBag
- CFBag
Apply ⚠Function Deprecated CFBag
- CFBag
Contains ⚠Value Deprecated CFBag
- CFBag
Create ⚠Deprecated CFBag
- CFBag
Create ⚠Copy Deprecated CFBag
- CFBag
Create ⚠Mutable Deprecated CFBag
- CFBag
Create ⚠Mutable Copy Deprecated CFBag
- CFBag
GetCount ⚠Deprecated CFBag
- CFBag
GetCount ⚠OfValue Deprecated CFBag
- CFBag
GetValue ⚠Deprecated CFBag
- CFBag
GetValue ⚠IfPresent Deprecated CFBag
- CFBag
GetValues ⚠Deprecated CFBag
- CFBag
Remove ⚠AllValues Deprecated CFBag
- CFBag
Remove ⚠Value Deprecated CFBag
- CFBag
Replace ⚠Value Deprecated CFBag
- CFBag
SetValue ⚠Deprecated CFBag
- CFBinary
Heap ⚠AddValue Deprecated CFBinaryHeap
- CFBinary
Heap ⚠Apply Function Deprecated CFBinaryHeap
- CFBinary
Heap ⚠Contains Value Deprecated CFBinaryHeap
- CFBinary
Heap ⚠Create Deprecated CFBinaryHeap
- CFBinary
Heap ⚠Create Copy Deprecated CFBinaryHeap
- CFBinary
Heap ⚠GetCount Deprecated CFBinaryHeap
- CFBinary
Heap ⚠GetCount OfValue Deprecated CFBinaryHeap
- CFBinary
Heap ⚠GetMinimum Deprecated CFBinaryHeap
- CFBinary
Heap ⚠GetMinimum IfPresent Deprecated CFBinaryHeap
- CFBinary
Heap ⚠GetValues Deprecated CFBinaryHeap
- CFBinary
Heap ⚠Remove AllValues Deprecated CFBinaryHeap
- CFBinary
Heap ⚠Remove Minimum Value Deprecated CFBinaryHeap
- CFBit
Vector ⚠Contains Bit Deprecated CFBitVector
- CFBit
Vector ⚠Create Deprecated CFBitVector
- CFBit
Vector ⚠Create Copy Deprecated CFBitVector
- CFBit
Vector ⚠Create Mutable Deprecated CFBitVector
- CFBit
Vector ⚠Create Mutable Copy Deprecated CFBitVector
- CFBit
Vector ⚠Flip BitAt Index Deprecated CFBitVector
- CFBit
Vector ⚠Flip Bits Deprecated CFBitVector
- CFBit
Vector ⚠GetBit AtIndex Deprecated CFBitVector
- CFBit
Vector ⚠GetBits Deprecated CFBitVector
- CFBit
Vector ⚠GetCount Deprecated CFBitVector
- CFBit
Vector ⚠GetCount OfBit Deprecated CFBitVector
- CFBit
Vector ⚠GetFirst Index OfBit Deprecated CFBitVector
- CFBit
Vector ⚠GetLast Index OfBit Deprecated CFBitVector
- CFBit
Vector ⚠SetAll Bits Deprecated CFBitVector
- CFBit
Vector ⚠SetBit AtIndex Deprecated CFBitVector
- CFBit
Vector ⚠SetBits Deprecated CFBitVector
- CFBit
Vector ⚠SetCount Deprecated CFBitVector
- CFBoolean
GetValue Deprecated CFNumber
- CFBundle
Close ⚠Bundle Resource Map Deprecated CFBundle
- CFBundle
Copy Auxiliary ExecutableURL Deprecated CFBundle
andCFURL
- CFBundle
Copy Built InPlug InsURL Deprecated CFBundle
andCFURL
- CFBundle
Copy Bundle Localizations Deprecated CFArray
andCFBundle
- CFBundle
Copy BundleURL Deprecated CFBundle
andCFURL
- CFBundle
Copy Executable Architectures Deprecated CFArray
andCFBundle
- CFBundle
Copy Executable Architectures ForURL Deprecated CFArray
andCFBundle
andCFURL
- CFBundle
Copy ExecutableURL Deprecated CFBundle
andCFURL
- CFBundle
Copy Info Dictionary ForURL Deprecated CFBundle
andCFDictionary
andCFURL
- CFBundle
Copy Info Dictionary InDirectory Deprecated CFBundle
andCFDictionary
andCFURL
- CFBundle
Copy ⚠Localizations ForPreferences Deprecated CFArray
andCFBundle
- CFBundle
Copy Localizations ForURL Deprecated CFArray
andCFBundle
andCFURL
- CFBundle
Copy Localized String Deprecated CFBundle
- CFBundle
Copy ⚠Localized String ForLocalizations Deprecated CFArray
andCFBundle
- CFBundle
Copy ⚠Preferred Localizations From Array Deprecated CFArray
andCFBundle
- CFBundle
Copy Private FrameworksURL Deprecated CFBundle
andCFURL
- CFBundle
Copy ResourceURL Deprecated CFBundle
andCFURL
- CFBundle
Copy ResourceURL ForLocalization Deprecated CFBundle
andCFURL
- CFBundle
Copy ResourceURL InDirectory Deprecated CFBundle
andCFURL
- CFBundle
Copy ResourceUR LsOf Type Deprecated CFArray
andCFBundle
- CFBundle
Copy ResourceUR LsOf Type ForLocalization Deprecated CFArray
andCFBundle
- CFBundle
Copy ResourceUR LsOf Type InDirectory Deprecated CFArray
andCFBundle
andCFURL
- CFBundle
Copy Resources DirectoryURL Deprecated CFBundle
andCFURL
- CFBundle
Copy Shared FrameworksURL Deprecated CFBundle
andCFURL
- CFBundle
Copy Shared SupportURL Deprecated CFBundle
andCFURL
- CFBundle
Copy Support Files DirectoryURL Deprecated CFBundle
andCFURL
- CFBundle
Create Deprecated CFBundle
andCFURL
- CFBundle
Create Bundles From Directory Deprecated CFArray
andCFBundle
andCFURL
- CFBundle
GetAll ⚠Bundles Deprecated CFArray
andCFBundle
- CFBundle
GetBundle With Identifier Deprecated CFBundle
- CFBundle
GetData Pointer ForName Deprecated CFBundle
- CFBundle
GetData ⚠Pointers ForNames Deprecated CFBundle
andCFArray
- CFBundle
GetDevelopment Region Deprecated CFBundle
- CFBundle
GetFunction Pointer ForName Deprecated CFBundle
- CFBundle
GetFunction ⚠Pointers ForNames Deprecated CFBundle
andCFArray
- CFBundle
GetIdentifier Deprecated CFBundle
- CFBundle
GetInfo Dictionary Deprecated CFBundle
andCFDictionary
- CFBundle
GetLocal Info Dictionary Deprecated CFBundle
andCFDictionary
- CFBundle
GetMain Bundle Deprecated CFBundle
- CFBundle
GetPackage ⚠Info Deprecated CFBundle
- CFBundle
GetPackage ⚠Info InDirectory Deprecated CFBundle
andCFURL
- CFBundle
GetPlug In Deprecated CFBundle
- CFBundle
GetValue ForInfo Dictionary Key Deprecated CFBundle
- CFBundle
GetVersion Number Deprecated CFBundle
- CFBundle
IsArchitecture Loadable Deprecated CFBundle
andlibc
- CFBundle
IsExecutable Loadable Deprecated CFBundle
- CFBundle
IsExecutable Loadable ForURL Deprecated CFBundle
andCFURL
- CFBundle
IsExecutable Loaded Deprecated CFBundle
- CFBundle
Load ⚠Executable Deprecated CFBundle
- CFBundle
Load ⚠Executable AndReturn Error Deprecated CFBundle
andCFError
- CFBundle
Open ⚠Bundle Resource Files Deprecated CFBundle
- CFBundle
Open ⚠Bundle Resource Map Deprecated CFBundle
- CFBundle
Preflight ⚠Executable Deprecated CFBundle
andCFError
- CFBundle
Unload ⚠Executable Deprecated CFBundle
- CFCalendar
Copy Current Deprecated CFCalendar
- CFCalendar
Copy Locale Deprecated CFCalendar
andCFLocale
- CFCalendar
Copy Time Zone Deprecated CFCalendar
andCFDate
- CFCalendar
Create With Identifier Deprecated CFCalendar
andCFLocale
- CFCalendar
GetFirst Weekday Deprecated CFCalendar
- CFCalendar
GetIdentifier Deprecated CFCalendar
andCFLocale
- CFCalendar
GetMaximum Range OfUnit Deprecated CFCalendar
- CFCalendar
GetMinimum Days InFirst Week Deprecated CFCalendar
- CFCalendar
GetMinimum Range OfUnit Deprecated CFCalendar
- CFCalendar
GetOrdinality OfUnit Deprecated CFCalendar
andCFDate
- CFCalendar
GetRange OfUnit Deprecated CFCalendar
andCFDate
- CFCalendar
GetTime ⚠Range OfUnit Deprecated CFCalendar
andCFDate
- CFCalendar
SetFirst Weekday Deprecated CFCalendar
- CFCalendar
SetLocale ⚠Deprecated CFCalendar
andCFLocale
- CFCalendar
SetMinimum Days InFirst Week Deprecated CFCalendar
- CFCalendar
SetTime Zone Deprecated CFCalendar
andCFDate
- CFCharacter
SetAdd ⚠Characters InRange Deprecated CFCharacterSet
- CFCharacter
SetAdd ⚠Characters InString Deprecated CFCharacterSet
- CFCharacter
SetCreate ⚠Bitmap Representation Deprecated CFCharacterSet
andCFData
- CFCharacter
SetCreate ⚠Copy Deprecated CFCharacterSet
- CFCharacter
SetCreate ⚠Inverted Set Deprecated CFCharacterSet
- CFCharacter
SetCreate ⚠Mutable Deprecated CFCharacterSet
- CFCharacter
SetCreate ⚠Mutable Copy Deprecated CFCharacterSet
- CFCharacter
SetCreate ⚠With Bitmap Representation Deprecated CFCharacterSet
andCFData
- CFCharacter
SetCreate ⚠With Characters InRange Deprecated CFCharacterSet
- CFCharacter
SetCreate ⚠With Characters InString Deprecated CFCharacterSet
- CFCharacter
SetGet ⚠Predefined Deprecated CFCharacterSet
- CFCharacter
SetHas ⚠Member InPlane Deprecated CFCharacterSet
- CFCharacter
SetIntersect ⚠Deprecated CFCharacterSet
- CFCharacter
SetInvert ⚠Deprecated CFCharacterSet
- CFCharacter
SetIs ⚠Character Member Deprecated CFCharacterSet
- CFCharacter
SetIs ⚠Long Character Member Deprecated CFCharacterSet
- CFCharacter
SetIs ⚠Superset OfSet Deprecated CFCharacterSet
- CFCharacter
SetRemove ⚠Characters InRange Deprecated CFCharacterSet
- CFCharacter
SetRemove ⚠Characters InString Deprecated CFCharacterSet
- CFCharacter
SetUnion ⚠Deprecated CFCharacterSet
- CFCopy
Description - CFCopy
Home DirectoryURL CFURL
andCFUtilities
- CFCopy
TypeID Description - CFData
Append ⚠Bytes Deprecated CFData
- CFData
Create ⚠Deprecated CFData
- CFData
Create Copy Deprecated CFData
- CFData
Create Mutable Deprecated CFData
- CFData
Create ⚠Mutable Copy Deprecated CFData
- CFData
Create ⚠With Bytes NoCopy Deprecated CFData
- CFData
Delete Bytes Deprecated CFData
- CFData
Find ⚠Deprecated CFData
- CFData
GetByte Ptr Deprecated CFData
- CFData
GetBytes ⚠Deprecated CFData
- CFData
GetLength Deprecated CFData
- CFData
GetMutable Byte Ptr Deprecated CFData
- CFData
Increase Length Deprecated CFData
- CFData
Replace ⚠Bytes Deprecated CFData
- CFData
SetLength Deprecated CFData
- CFDate
Compare ⚠Deprecated CFDate
- CFDate
Create Deprecated CFDate
- CFDate
Formatter ⚠Copy Property Deprecated CFDateFormatter
- CFDate
Formatter ⚠Create Deprecated CFDateFormatter
andCFLocale
- CFDate
Formatter ⚠Create Date Format From Template Deprecated CFDateFormatter
andCFLocale
- CFDate
Formatter ⚠Create Date From String Deprecated CFDate
andCFDateFormatter
- CFDate
Formatter ⚠CreateIS O8601 Formatter Deprecated CFDateFormatter
- CFDate
Formatter ⚠Create String With Absolute Time Deprecated CFDate
andCFDateFormatter
- CFDate
Formatter ⚠Create String With Date Deprecated CFDate
andCFDateFormatter
- CFDate
Formatter ⚠GetAbsolute Time From String Deprecated CFDate
andCFDateFormatter
- CFDate
Formatter ⚠GetDate Style Deprecated CFDateFormatter
- CFDate
Formatter ⚠GetFormat Deprecated CFDateFormatter
- CFDate
Formatter ⚠GetLocale Deprecated CFDateFormatter
andCFLocale
- CFDate
Formatter ⚠GetTime Style Deprecated CFDateFormatter
- CFDate
Formatter ⚠SetFormat Deprecated CFDateFormatter
- CFDate
Formatter ⚠SetProperty Deprecated CFDateFormatter
- CFDate
GetAbsolute Time Deprecated CFDate
- CFDate
GetTime Interval Since Date Deprecated CFDate
- CFDictionary
AddValue ⚠Deprecated CFDictionary
- CFDictionary
Apply ⚠Function Deprecated CFDictionary
- CFDictionary
Contains ⚠Key Deprecated CFDictionary
- CFDictionary
Contains ⚠Value Deprecated CFDictionary
- CFDictionary
Create ⚠Deprecated CFDictionary
- CFDictionary
Create Copy Deprecated CFDictionary
- CFDictionary
Create ⚠Mutable Deprecated CFDictionary
- CFDictionary
Create ⚠Mutable Copy Deprecated CFDictionary
- CFDictionary
GetCount Deprecated CFDictionary
- CFDictionary
GetCount ⚠OfKey Deprecated CFDictionary
- CFDictionary
GetCount ⚠OfValue Deprecated CFDictionary
- CFDictionary
GetKeys ⚠AndValues Deprecated CFDictionary
- CFDictionary
GetValue ⚠Deprecated CFDictionary
- CFDictionary
GetValue ⚠IfPresent Deprecated CFDictionary
- CFDictionary
Remove AllValues Deprecated CFDictionary
- CFDictionary
Remove ⚠Value Deprecated CFDictionary
- CFDictionary
Replace ⚠Value Deprecated CFDictionary
- CFDictionary
SetValue ⚠Deprecated CFDictionary
- CFEqual
- CFError
Copy Description Deprecated CFError
- CFError
Copy Failure Reason Deprecated CFError
- CFError
Copy Recovery Suggestion Deprecated CFError
- CFError
Copy User Info Deprecated CFDictionary
andCFError
- CFError
Create ⚠Deprecated CFDictionary
andCFError
- CFError
Create ⚠With User Info Keys AndValues Deprecated CFError
- CFError
GetCode Deprecated CFError
- CFError
GetDomain Deprecated CFError
- CFFile
Descriptor ⚠Create Deprecated CFFileDescriptor
- CFFile
Descriptor Create RunLoop Source Deprecated CFFileDescriptor
andCFRunLoop
- CFFile
Descriptor Disable Call Backs Deprecated CFFileDescriptor
- CFFile
Descriptor Enable Call Backs Deprecated CFFileDescriptor
- CFFile
Descriptor ⚠GetContext Deprecated CFFileDescriptor
- CFFile
Descriptor GetNative Descriptor Deprecated CFFileDescriptor
- CFFile
Descriptor Invalidate Deprecated CFFileDescriptor
- CFFile
Descriptor IsValid Deprecated CFFileDescriptor
- CFFile
Security Clear Properties Deprecated CFFileSecurity
- CFFile
Security ⚠Copy GroupUUID Deprecated CFFileSecurity
andCFUUID
- CFFile
Security ⚠Copy OwnerUUID Deprecated CFFileSecurity
andCFUUID
- CFFile
Security Create Deprecated CFFileSecurity
- CFFile
Security Create Copy Deprecated CFFileSecurity
- CFFile
Security ⚠GetGroup Deprecated CFFileSecurity
andlibc
- CFFile
Security ⚠GetMode Deprecated CFFileSecurity
andlibc
- CFFile
Security ⚠GetOwner Deprecated CFFileSecurity
andlibc
- CFFile
Security SetGroup Deprecated CFFileSecurity
andlibc
- CFFile
Security SetGroupUUID Deprecated CFFileSecurity
andCFUUID
- CFFile
Security SetMode Deprecated CFFileSecurity
andlibc
- CFFile
Security SetOwner Deprecated CFFileSecurity
andlibc
- CFFile
Security SetOwnerUUID Deprecated CFFileSecurity
andCFUUID
- CFGet
Allocator - CFGet
Retain Count - CFGet
TypeID - CFGregorian
Date ⚠GetAbsolute Time Deprecated CFDate
- CFGregorian
Date ⚠IsValid Deprecated CFDate
- CFHash
- CFLocale
Copy Available Locale Identifiers Deprecated CFArray
andCFLocale
- CFLocale
Copy CommonISO Currency Codes Deprecated CFArray
andCFLocale
- CFLocale
Copy Current Deprecated CFLocale
- CFLocale
Copy Display Name ForProperty Value Deprecated CFLocale
- CFLocale
CopyISO Country Codes Deprecated CFArray
andCFLocale
- CFLocale
CopyISO Currency Codes Deprecated CFArray
andCFLocale
- CFLocale
CopyISO Language Codes Deprecated CFArray
andCFLocale
- CFLocale
Copy Preferred Languages Deprecated CFArray
andCFLocale
- CFLocale
Create Deprecated CFLocale
- CFLocale
Create Canonical Language Identifier From String Deprecated CFLocale
- CFLocale
Create Canonical Locale Identifier From Script Manager Codes Deprecated CFLocale
- CFLocale
Create Canonical Locale Identifier From String Deprecated CFLocale
- CFLocale
Create Components From Locale Identifier Deprecated CFDictionary
andCFLocale
- CFLocale
Create Copy Deprecated CFLocale
- CFLocale
Create ⚠Locale Identifier From Components Deprecated CFDictionary
andCFLocale
- CFLocale
Create Locale Identifier From Windows Locale Code Deprecated CFLocale
- CFLocale
GetIdentifier Deprecated CFLocale
- CFLocale
GetLanguage Character Direction Deprecated CFLocale
- CFLocale
GetLanguage Line Direction Deprecated CFLocale
- CFLocale
GetSystem Deprecated CFLocale
- CFLocale
GetValue Deprecated CFLocale
- CFLocale
GetWindows Locale Code From Locale Identifier Deprecated CFLocale
- CFMach
Port ⚠Create Deprecated CFMachPort
- CFMach
Port Create RunLoop Source Deprecated CFMachPort
andCFRunLoop
- CFMach
Port ⚠Create With Port Deprecated CFMachPort
andlibc
- CFMach
Port ⚠GetContext Deprecated CFMachPort
- CFMach
Port GetInvalidation Call Back Deprecated CFMachPort
- CFMach
Port GetPort Deprecated CFMachPort
andlibc
- CFMach
Port Invalidate Deprecated CFMachPort
- CFMach
Port IsValid Deprecated CFMachPort
- CFMach
Port ⚠SetInvalidation Call Back Deprecated CFMachPort
- CFMessage
Port ⚠Create Local Deprecated CFData
andCFMessagePort
- CFMessage
Port Create Remote Deprecated CFMessagePort
- CFMessage
Port Create RunLoop Source Deprecated CFMessagePort
andCFRunLoop
- CFMessage
Port ⚠GetContext Deprecated CFMessagePort
- CFMessage
Port GetInvalidation Call Back Deprecated CFMessagePort
- CFMessage
Port GetName Deprecated CFMessagePort
- CFMessage
Port Invalidate Deprecated CFMessagePort
- CFMessage
Port IsRemote Deprecated CFMessagePort
- CFMessage
Port IsValid Deprecated CFMessagePort
- CFMessage
Port ⚠Send Request Deprecated CFData
andCFDate
andCFMessagePort
- CFMessage
Port ⚠SetDispatch Queue Deprecated CFMessagePort
anddispatch2
- CFMessage
Port ⚠SetInvalidation Call Back Deprecated CFMessagePort
- CFMessage
Port SetName Deprecated CFMessagePort
- CFNotification
Center ⚠AddObserver Deprecated CFNotificationCenter
andCFDictionary
- CFNotification
Center GetDarwin Notify Center Deprecated CFNotificationCenter
- CFNotification
Center GetDistributed Center Deprecated CFNotificationCenter
- CFNotification
Center GetLocal Center Deprecated CFNotificationCenter
- CFNotification
Center ⚠Post Notification Deprecated CFDictionary
andCFNotificationCenter
- CFNotification
Center ⚠Post Notification With Options Deprecated CFNotificationCenter
andCFDictionary
- CFNotification
Center ⚠Remove Every Observer Deprecated CFNotificationCenter
- CFNotification
Center ⚠Remove Observer Deprecated CFNotificationCenter
- CFNumber
Compare ⚠Deprecated CFNumber
- CFNumber
Create ⚠Deprecated CFNumber
- CFNumber
Formatter ⚠Copy Property Deprecated CFNumberFormatter
- CFNumber
Formatter ⚠Create Deprecated CFLocale
andCFNumberFormatter
- CFNumber
Formatter ⚠Create Number From String Deprecated CFNumber
andCFNumberFormatter
- CFNumber
Formatter ⚠Create String With Number Deprecated CFNumber
andCFNumberFormatter
- CFNumber
Formatter ⚠Create String With Value Deprecated CFNumber
andCFNumberFormatter
- CFNumber
Formatter ⚠GetDecimal Info ForCurrency Code Deprecated CFNumberFormatter
- CFNumber
Formatter ⚠GetFormat Deprecated CFNumberFormatter
- CFNumber
Formatter ⚠GetLocale Deprecated CFLocale
andCFNumberFormatter
- CFNumber
Formatter ⚠GetStyle Deprecated CFNumberFormatter
- CFNumber
Formatter ⚠GetValue From String Deprecated CFNumber
andCFNumberFormatter
- CFNumber
Formatter ⚠SetFormat Deprecated CFNumberFormatter
- CFNumber
Formatter ⚠SetProperty Deprecated CFNumberFormatter
- CFNumber
GetByte Size Deprecated CFNumber
- CFNumber
GetType Deprecated CFNumber
- CFNumber
GetValue ⚠Deprecated CFNumber
- CFNumber
IsFloat Type Deprecated CFNumber
- CFPlug
InAdd Instance ForFactory Deprecated CFPlugIn
andCFUUID
- CFPlug
InCreate Deprecated CFBundle
andCFPlugIn
andCFURL
- CFPlug
InFind Factories ForPlug InType Deprecated CFArray
andCFPlugIn
andCFUUID
- CFPlug
InFind Factories ForPlug InType InPlug In Deprecated CFArray
andCFBundle
andCFPlugIn
andCFUUID
- CFPlug
InGet Bundle Deprecated CFBundle
andCFPlugIn
- CFPlug
InInstance Create Deprecated CFPlugIn
andCFUUID
- CFPlug
InInstance ⚠Create With Instance Data Size Deprecated CFPlugIn
- CFPlug
InInstance GetFactory Name Deprecated CFPlugIn
- CFPlug
InInstance GetInstance Data Deprecated CFPlugIn
- CFPlug
InInstance ⚠GetInterface Function Table Deprecated CFPlugIn
- CFPlug
InIs Load OnDemand Deprecated CFBundle
andCFPlugIn
- CFPlug
InRegister Factory Function Deprecated CFPlugIn
andCFUUID
- CFPlug
InRegister Factory Function ByName Deprecated CFBundle
andCFPlugIn
andCFUUID
- CFPlug
InRegister Plug InType Deprecated CFPlugIn
andCFUUID
- CFPlug
InRemove Instance ForFactory Deprecated CFPlugIn
andCFUUID
- CFPlug
InSet Load OnDemand Deprecated CFBundle
andCFPlugIn
- CFPlug
InUnregister Factory Deprecated CFPlugIn
andCFUUID
- CFPlug
InUnregister Plug InType Deprecated CFPlugIn
andCFUUID
- CFPreferences
AddSuite Preferences ToApp CFPreferences
- CFPreferences
AppSynchronize CFPreferences
- CFPreferences
AppValue IsForced CFPreferences
- CFPreferences
Copy AppValue CFPreferences
- CFPreferences
Copy ⚠Application List Deprecated CFArray
andCFPreferences
- CFPreferences
Copy KeyList CFArray
andCFPreferences
- CFPreferences
Copy Multiple CFArray
andCFDictionary
andCFPreferences
- CFPreferences
Copy Value CFPreferences
- CFPreferences
GetApp ⚠Boolean Value CFPreferences
- CFPreferences
GetApp ⚠Integer Value CFPreferences
- CFPreferences
Remove Suite Preferences From App CFPreferences
- CFPreferences
SetApp ⚠Value CFPreferences
- CFPreferences
SetMultiple ⚠CFArray
andCFDictionary
andCFPreferences
- CFPreferences
SetValue ⚠CFPreferences
- CFPreferences
Synchronize ⚠CFPreferences
- CFProperty
List ⚠Create Data CFData
andCFError
andCFPropertyList
- CFProperty
List ⚠Create Deep Copy CFPropertyList
- CFProperty
List ⚠Create From Stream Deprecated CFPropertyList
andCFStream
- CFProperty
List ⚠Create FromXML Data Deprecated CFData
andCFPropertyList
- CFProperty
List ⚠Create With Data CFData
andCFError
andCFPropertyList
- CFProperty
List ⚠Create With Stream CFError
andCFPropertyList
andCFStream
- CFProperty
List ⚠CreateXML Data Deprecated CFData
andCFPropertyList
- CFProperty
List ⚠IsValid CFPropertyList
- CFProperty
List ⚠Write CFError
andCFStream
andCFPropertyList
- CFProperty
List ⚠Write ToStream Deprecated CFPropertyList
andCFStream
- CFRead
Stream Close Deprecated CFStream
- CFRead
Stream ⚠Copy Dispatch Queue Deprecated CFStream
anddispatch2
- CFRead
Stream Copy Error Deprecated CFError
andCFStream
- CFRead
Stream Copy Property Deprecated CFStream
- CFRead
Stream ⚠Create With Bytes NoCopy Deprecated CFStream
- CFRead
Stream Create With File Deprecated CFStream
andCFURL
- CFRead
Stream ⚠GetBuffer Deprecated CFStream
- CFRead
Stream GetError Deprecated CFStream
- CFRead
Stream GetStatus Deprecated CFStream
- CFRead
Stream HasBytes Available Deprecated CFStream
- CFRead
Stream Open Deprecated CFStream
- CFRead
Stream ⚠Read Deprecated CFStream
- CFRead
Stream Schedule With RunLoop Deprecated CFRunLoop
andCFStream
- CFRead
Stream ⚠SetClient Deprecated CFStream
- CFRead
Stream ⚠SetDispatch Queue Deprecated CFStream
anddispatch2
- CFRead
Stream ⚠SetProperty Deprecated CFStream
- CFRead
Stream Unschedule From RunLoop Deprecated CFRunLoop
andCFStream
- CFRun
Loop AddCommon Mode Deprecated CFRunLoop
- CFRun
Loop AddObserver Deprecated CFRunLoop
- CFRun
Loop AddSource Deprecated CFRunLoop
- CFRun
Loop AddTimer Deprecated CFRunLoop
- CFRun
Loop Contains Observer Deprecated CFRunLoop
- CFRun
Loop Contains Source Deprecated CFRunLoop
- CFRun
Loop Contains Timer Deprecated CFRunLoop
- CFRun
Loop Copy AllModes Deprecated CFArray
andCFRunLoop
- CFRun
Loop Copy Current Mode Deprecated CFRunLoop
- CFRun
Loop GetCurrent Deprecated CFRunLoop
- CFRun
Loop GetMain Deprecated CFRunLoop
- CFRun
Loop GetNext Timer Fire Date Deprecated CFDate
andCFRunLoop
- CFRun
Loop IsWaiting Deprecated CFRunLoop
- CFRun
Loop ⚠Observer Create Deprecated CFRunLoop
- CFRun
Loop ⚠Observer Create With Handler Deprecated CFRunLoop
andblock2
- CFRun
Loop Observer Does Repeat Deprecated CFRunLoop
- CFRun
Loop Observer GetActivities Deprecated CFRunLoop
- CFRun
Loop ⚠Observer GetContext Deprecated CFRunLoop
- CFRun
Loop Observer GetOrder Deprecated CFRunLoop
- CFRun
Loop Observer Invalidate Deprecated CFRunLoop
- CFRun
Loop Observer IsValid Deprecated CFRunLoop
- CFRun
Loop ⚠Perform Block Deprecated CFRunLoop
andblock2
- CFRun
Loop Remove Observer Deprecated CFRunLoop
- CFRun
Loop Remove Source Deprecated CFRunLoop
- CFRun
Loop Remove Timer Deprecated CFRunLoop
- CFRun
Loop Run Deprecated CFRunLoop
- CFRun
Loop RunIn Mode Deprecated CFDate
andCFRunLoop
- CFRun
Loop ⚠Source Create Deprecated CFRunLoop
- CFRun
Loop ⚠Source GetContext Deprecated CFRunLoop
- CFRun
Loop Source GetOrder Deprecated CFRunLoop
- CFRun
Loop Source Invalidate Deprecated CFRunLoop
- CFRun
Loop Source IsValid Deprecated CFRunLoop
- CFRun
Loop Source Signal Deprecated CFRunLoop
- CFRun
Loop Stop Deprecated CFRunLoop
- CFRun
Loop ⚠Timer Create Deprecated CFDate
andCFRunLoop
- CFRun
Loop ⚠Timer Create With Handler Deprecated CFDate
andCFRunLoop
andblock2
- CFRun
Loop Timer Does Repeat Deprecated CFRunLoop
- CFRun
Loop ⚠Timer GetContext Deprecated CFRunLoop
- CFRun
Loop Timer GetInterval Deprecated CFDate
andCFRunLoop
- CFRun
Loop Timer GetNext Fire Date Deprecated CFDate
andCFRunLoop
- CFRun
Loop Timer GetOrder Deprecated CFRunLoop
- CFRun
Loop Timer GetTolerance Deprecated CFDate
andCFRunLoop
- CFRun
Loop Timer Invalidate Deprecated CFRunLoop
- CFRun
Loop Timer IsValid Deprecated CFRunLoop
- CFRun
Loop Timer SetNext Fire Date Deprecated CFDate
andCFRunLoop
- CFRun
Loop ⚠Timer SetTolerance Deprecated CFRunLoop
andCFDate
- CFRun
Loop Wake Up Deprecated CFRunLoop
- CFSet
AddValue ⚠Deprecated CFSet
- CFSet
Apply ⚠Function Deprecated CFSet
- CFSet
Contains ⚠Value Deprecated CFSet
- CFSet
Create ⚠Deprecated CFSet
- CFSet
Create Copy Deprecated CFSet
- CFSet
Create ⚠Mutable Deprecated CFSet
- CFSet
Create ⚠Mutable Copy Deprecated CFSet
- CFSet
GetCount Deprecated CFSet
- CFSet
GetCount ⚠OfValue Deprecated CFSet
- CFSet
GetValue ⚠Deprecated CFSet
- CFSet
GetValue ⚠IfPresent Deprecated CFSet
- CFSet
GetValues ⚠Deprecated CFSet
- CFSet
Remove AllValues Deprecated CFSet
- CFSet
Remove ⚠Value Deprecated CFSet
- CFSet
Replace ⚠Value Deprecated CFSet
- CFSet
SetValue ⚠Deprecated CFSet
- CFShow
CFString
- CFShow
Str CFString
- CFSocket
Connect ToAddress Deprecated CFData
andCFDate
andCFSocket
- CFSocket
Copy Address Deprecated CFData
andCFSocket
- CFSocket
Copy Peer Address Deprecated CFData
andCFSocket
- CFSocket
Copy ⚠Registered Socket Signature Deprecated CFData
andCFDate
andCFSocket
- CFSocket
Copy ⚠Registered Value Deprecated CFData
andCFDate
andCFSocket
- CFSocket
Create ⚠Deprecated CFData
andCFSocket
- CFSocket
Create ⚠Connected ToSocket Signature Deprecated CFData
andCFDate
andCFSocket
- CFSocket
Create RunLoop Source Deprecated CFRunLoop
andCFSocket
- CFSocket
Create ⚠With Native Deprecated CFData
andCFSocket
- CFSocket
Create ⚠With Socket Signature Deprecated CFData
andCFSocket
- CFSocket
Disable Call Backs Deprecated CFSocket
- CFSocket
Enable Call Backs Deprecated CFSocket
- CFSocket
GetContext ⚠Deprecated CFSocket
- CFSocket
GetDefault Name Registry Port Number Deprecated CFSocket
- CFSocket
GetNative Deprecated CFSocket
- CFSocket
GetSocket Flags Deprecated CFSocket
- CFSocket
Invalidate Deprecated CFSocket
- CFSocket
IsValid Deprecated CFSocket
- CFSocket
Register ⚠Socket Signature Deprecated CFData
andCFDate
andCFSocket
- CFSocket
Register ⚠Value Deprecated CFData
andCFDate
andCFSocket
- CFSocket
Send Data Deprecated CFData
andCFDate
andCFSocket
- CFSocket
SetAddress Deprecated CFData
andCFSocket
- CFSocket
SetDefault Name Registry Port Number Deprecated CFSocket
- CFSocket
SetSocket Flags Deprecated CFSocket
- CFSocket
Unregister ⚠Deprecated CFData
andCFDate
andCFSocket
- CFStream
Create ⚠Bound Pair CFStream
- CFStream
Create ⚠Pair With Peer Socket Signature Deprecated CFData
andCFSocket
andCFStream
- CFStream
Create ⚠Pair With Socket Deprecated CFStream
andCFSocket
- CFStream
Create ⚠Pair With Socket ToHost Deprecated CFStream
- CFString
Append Deprecated CFString
- CFString
AppendC ⚠String Deprecated CFString
- CFString
Append ⚠Characters Deprecated CFString
- CFString
Append ⚠Pascal String Deprecated CFString
- CFString
Capitalize Deprecated CFLocale
andCFString
- CFString
Compare Deprecated CFString
- CFString
Compare ⚠With Options Deprecated CFString
- CFString
Compare ⚠With Options AndLocale Deprecated CFString
andCFLocale
- CFString
Convert Encoding ToIANA Char SetName Deprecated CFString
- CFString
Convert Encoding ToNS String Encoding Deprecated CFString
- CFString
Convert Encoding ToWindows Codepage Deprecated CFString
- CFString
ConvertIANA Char SetName ToEncoding Deprecated CFString
- CFString
ConvertNS String Encoding ToEncoding Deprecated CFString
- CFString
Convert Windows Codepage ToEncoding Deprecated CFString
- CFString
Create Array BySeparating Strings Deprecated CFArray
andCFString
- CFString
Create ⚠Array With Find Results Deprecated CFArray
andCFString
- CFString
Create ⚠ByCombining Strings Deprecated CFArray
andCFString
- CFString
Create Copy Deprecated CFString
- CFString
Create External Representation Deprecated CFData
andCFString
- CFString
Create From External Representation Deprecated CFData
andCFString
- CFString
Create Mutable Deprecated CFString
- CFString
Create Mutable Copy Deprecated CFString
- CFString
Create ⚠Mutable With External Characters NoCopy Deprecated CFString
- CFString
Create ⚠With Bytes Deprecated CFString
- CFString
Create ⚠With Bytes NoCopy Deprecated CFString
- CFString
Create ⚠WithC String Deprecated CFString
- CFString
Create ⚠WithC String NoCopy Deprecated CFString
- CFString
Create ⚠With Characters Deprecated CFString
- CFString
Create ⚠With Characters NoCopy Deprecated CFString
- CFString
Create ⚠With File System Representation Deprecated CFString
- CFString
Create ⚠With Pascal String Deprecated CFString
- CFString
Create ⚠With Pascal String NoCopy Deprecated CFString
- CFString
Create ⚠With Substring Deprecated CFString
- CFString
Delete ⚠Deprecated CFString
- CFString
Find Deprecated CFString
- CFString
Find ⚠AndReplace Deprecated CFString
- CFString
Find ⚠Character From Set Deprecated CFCharacterSet
andCFString
- CFString
Find ⚠With Options Deprecated CFString
- CFString
Find ⚠With Options AndLocale Deprecated CFLocale
andCFString
- CFString
Fold Deprecated CFLocale
andCFString
- CFString
GetBytes ⚠Deprecated CFString
- CFString
GetC ⚠String Deprecated CFString
- CFString
GetC String Ptr Deprecated CFString
- CFString
GetCharacter ⚠AtIndex Deprecated CFString
- CFString
GetCharacters ⚠Deprecated CFString
- CFString
GetCharacters Ptr Deprecated CFString
- CFString
GetDouble Value Deprecated CFString
- CFString
GetFastest Encoding Deprecated CFString
- CFString
GetFile ⚠System Representation Deprecated CFString
- CFString
GetHyphenation ⚠Location Before Index Deprecated CFString
andCFLocale
- CFString
GetInt Value Deprecated CFString
- CFString
GetLength Deprecated CFString
- CFString
GetLine ⚠Bounds Deprecated CFString
- CFString
GetList OfAvailable Encodings Deprecated CFString
- CFString
GetMaximum Size ForEncoding Deprecated CFString
- CFString
GetMaximum Size OfFile System Representation Deprecated CFString
- CFString
GetMost Compatible MacString Encoding Deprecated CFString
- CFString
GetName OfEncoding Deprecated CFString
- CFString
GetParagraph ⚠Bounds Deprecated CFString
- CFString
GetPascal ⚠String Deprecated CFString
- CFString
GetPascal String Ptr Deprecated CFString
- CFString
GetRange ⚠OfComposed Characters AtIndex Deprecated CFString
- CFString
GetSmallest Encoding Deprecated CFString
- CFString
GetSystem Encoding Deprecated CFString
- CFString
HasPrefix Deprecated CFString
- CFString
HasSuffix Deprecated CFString
- CFString
Insert ⚠Deprecated CFString
- CFString
IsEncoding Available Deprecated CFString
- CFString
IsHyphenation Available ForLocale Deprecated CFLocale
andCFString
- CFString
Lowercase Deprecated CFLocale
andCFString
- CFString
Normalize ⚠Deprecated CFString
- CFString
Pad ⚠Deprecated CFString
- CFString
Replace ⚠Deprecated CFString
- CFString
Replace All Deprecated CFString
- CFString
SetExternal ⚠Characters NoCopy Deprecated CFString
- CFString
Tokenizer ⚠Advance ToNext Token Deprecated CFStringTokenizer
- CFString
Tokenizer ⚠Copy Best String Language Deprecated CFStringTokenizer
- CFString
Tokenizer ⚠Copy Current Token Attribute Deprecated CFStringTokenizer
- CFString
Tokenizer ⚠Create Deprecated CFLocale
andCFStringTokenizer
- CFString
Tokenizer ⚠GetCurrent SubTokens Deprecated CFStringTokenizer
andCFArray
- CFString
Tokenizer ⚠GetCurrent Token Range Deprecated CFStringTokenizer
- CFString
Tokenizer ⚠GoTo Token AtIndex Deprecated CFStringTokenizer
- CFString
Tokenizer ⚠SetString Deprecated CFStringTokenizer
- CFString
Transform ⚠Deprecated CFString
- CFString
Trim Deprecated CFString
- CFString
Trim Whitespace Deprecated CFString
- CFString
Uppercase Deprecated CFLocale
andCFString
- CFTime
Zone Copy Abbreviation Deprecated CFDate
andCFTimeZone
- CFTime
Zone Copy Abbreviation Dictionary Deprecated CFDictionary
andCFTimeZone
- CFTime
Zone Copy Default Deprecated CFDate
andCFTimeZone
- CFTime
Zone Copy Known Names Deprecated CFArray
andCFTimeZone
- CFTime
Zone Copy Localized Name Deprecated CFDate
andCFLocale
andCFTimeZone
- CFTime
Zone Copy System Deprecated CFDate
andCFTimeZone
- CFTime
Zone ⚠Create Deprecated CFData
andCFDate
andCFTimeZone
- CFTime
Zone Create With Name Deprecated CFDate
andCFTimeZone
- CFTime
Zone Create With Time Interval FromGMT Deprecated CFDate
andCFTimeZone
- CFTime
Zone GetData Deprecated CFData
andCFDate
andCFTimeZone
- CFTime
Zone GetDaylight Saving Time Offset Deprecated CFDate
andCFTimeZone
- CFTime
Zone GetName Deprecated CFDate
andCFTimeZone
- CFTime
Zone GetNext Daylight Saving Time Transition Deprecated CFDate
andCFTimeZone
- CFTime
Zone GetSeconds FromGMT Deprecated CFDate
andCFTimeZone
- CFTime
Zone IsDaylight Saving Time Deprecated CFDate
andCFTimeZone
- CFTime
Zone ⚠Reset System Deprecated CFTimeZone
- CFTime
Zone ⚠SetAbbreviation Dictionary Deprecated CFTimeZone
andCFDictionary
- CFTime
Zone SetDefault Deprecated CFDate
andCFTimeZone
- CFTree
Append ⚠Child Deprecated CFTree
- CFTree
Apply ⚠Function ToChildren Deprecated CFTree
- CFTree
Create ⚠Deprecated CFTree
- CFTree
Find ⚠Root Deprecated CFTree
- CFTree
GetChild ⚠AtIndex Deprecated CFTree
- CFTree
GetChild ⚠Count Deprecated CFTree
- CFTree
GetChildren ⚠Deprecated CFTree
- CFTree
GetContext ⚠Deprecated CFTree
- CFTree
GetFirst ⚠Child Deprecated CFTree
- CFTree
GetNext ⚠Sibling Deprecated CFTree
- CFTree
GetParent ⚠Deprecated CFTree
- CFTree
Insert ⚠Sibling Deprecated CFTree
- CFTree
Prepend ⚠Child Deprecated CFTree
- CFTree
Remove ⚠Deprecated CFTree
- CFTree
Remove ⚠AllChildren Deprecated CFTree
- CFTree
SetContext ⚠Deprecated CFTree
- CFTree
Sort ⚠Children Deprecated CFTree
- CFURL
CanBe Decomposed Deprecated CFURL
- CFURL
Clear Resource Property Cache Deprecated CFURL
- CFURL
Clear Resource Property Cache ForKey Deprecated CFURL
- CFURL
Copy AbsoluteURL Deprecated CFURL
- CFURL
Copy File System Path Deprecated CFURL
- CFURL
Copy Fragment Deprecated CFURL
- CFURL
Copy Host Name Deprecated CFURL
- CFURL
Copy Last Path Component Deprecated CFURL
- CFURL
Copy NetLocation Deprecated CFURL
- CFURL
Copy Parameter String Deprecated CFURL
- CFURL
Copy Password Deprecated CFURL
- CFURL
Copy Path Deprecated CFURL
- CFURL
Copy Path Extension Deprecated CFURL
- CFURL
Copy Query String Deprecated CFURL
- CFURL
Copy ⚠Resource Properties ForKeys Deprecated CFArray
andCFDictionary
andCFError
andCFURL
- CFURL
Copy ⚠Resource Property ForKey Deprecated CFError
andCFURL
- CFURL
Copy Resource Specifier Deprecated CFURL
- CFURL
Copy Scheme Deprecated CFURL
- CFURL
Copy ⚠Strict Path Deprecated CFURL
- CFURL
Copy User Name Deprecated CFURL
- CFURL
Create ⚠AbsoluteURL With Bytes Deprecated CFString
andCFURL
- CFURL
Create ⚠Bookmark Data Deprecated CFArray
andCFData
andCFError
andCFURL
- CFURL
Create ⚠Bookmark Data From Alias Record Deprecated CFData
andCFURL
- CFURL
Create ⚠Bookmark Data From File Deprecated CFData
andCFError
andCFURL
- CFURL
Create ⚠ByResolving Bookmark Data Deprecated CFArray
andCFData
andCFError
andCFURL
- CFURL
Create Copy Appending Path Component Deprecated CFURL
- CFURL
Create Copy Appending Path Extension Deprecated CFURL
- CFURL
Create Copy Deleting Last Path Component Deprecated CFURL
- CFURL
Create Copy Deleting Path Extension Deprecated CFURL
- CFURL
Create Data Deprecated CFData
andCFString
andCFURL
- CFURL
Create ⚠Data AndProperties From Resource Deprecated CFArray
andCFData
andCFDictionary
andCFURL
andCFURLAccess
- CFURL
Create ⚠File PathURL Deprecated CFError
andCFURL
- CFURL
Create ⚠File ReferenceURL Deprecated CFError
andCFURL
- CFURL
Create ⚠From File System Representation Deprecated CFURL
- CFURL
Create ⚠From File System Representation Relative ToBase Deprecated CFURL
- CFURL
Create ⚠Property From Resource Deprecated CFURL
andCFURLAccess
- CFURL
Create ⚠Resource Properties ForKeys From Bookmark Data Deprecated CFArray
andCFData
andCFDictionary
andCFURL
- CFURL
Create ⚠Resource Property ForKey From Bookmark Data Deprecated CFData
andCFURL
- CFURL
Create ⚠String ByAdding Percent Escapes Deprecated CFString
andCFURL
- CFURL
Create String ByReplacing Percent Escapes Deprecated CFURL
- CFURL
Create ⚠String ByReplacing Percent Escapes Using Encoding Deprecated CFString
andCFURL
- CFURL
Create ⚠With Bytes Deprecated CFString
andCFURL
- CFURL
Create With File System Path Deprecated CFURL
- CFURL
Create With File System Path Relative ToBase Deprecated CFURL
- CFURL
Create With String Deprecated CFURL
- CFURL
Destroy ⚠Resource Deprecated CFURL
andCFURLAccess
- CFURL
Enumerator ⚠Create ForDirectoryURL Deprecated CFArray
andCFURL
andCFURLEnumerator
- CFURL
Enumerator ⚠Create ForMounted Volumes Deprecated CFArray
andCFURLEnumerator
- CFURL
Enumerator ⚠GetDescendent Level Deprecated CFURLEnumerator
- CFURL
Enumerator ⚠GetNextURL Deprecated CFError
andCFURL
andCFURLEnumerator
- CFURL
Enumerator ⚠GetSource DidChange Deprecated CFURLEnumerator
- CFURL
Enumerator ⚠Skip Descendents Deprecated CFURLEnumerator
- CFURL
GetBaseURL Deprecated CFURL
- CFURL
GetByte ⚠Range ForComponent Deprecated CFURL
- CFURL
GetBytes ⚠Deprecated CFURL
- CFURL
GetFile ⚠System Representation Deprecated CFURL
- CFURL
GetPort Number Deprecated CFURL
- CFURL
GetString Deprecated CFURL
- CFURL
HasDirectory Path Deprecated CFURL
- CFURL
IsFile ReferenceURL Deprecated CFURL
- CFURL
Resource ⚠IsReachable Deprecated CFError
andCFURL
- CFURL
SetResource ⚠Properties ForKeys Deprecated CFDictionary
andCFError
andCFURL
- CFURL
SetResource ⚠Property ForKey Deprecated CFError
andCFURL
- CFURL
SetTemporary Resource Property ForKey Deprecated CFURL
- CFURL
Start ⚠Accessing Security Scoped Resource Deprecated CFURL
- CFURL
Stop ⚠Accessing Security Scoped Resource Deprecated CFURL
- CFURL
Write ⚠Bookmark Data ToFile Deprecated CFData
andCFError
andCFURL
- CFURL
Write ⚠Data AndProperties ToResource Deprecated CFData
andCFDictionary
andCFURL
andCFURLAccess
- CFUUID
Create Deprecated CFUUID
- CFUUID
Create From String Deprecated CFUUID
- CFUUID
Create FromUUID Bytes Deprecated CFUUID
- CFUUID
Create String Deprecated CFUUID
- CFUUID
Create With Bytes Deprecated CFUUID
- CFUUID
GetConstantUUID With Bytes Deprecated CFUUID
- CFUUID
GetUUID Bytes Deprecated CFUUID
- CFUser
Notification Cancel Deprecated CFUserNotification
- CFUser
Notification ⚠Create Deprecated CFDate
andCFDictionary
andCFUserNotification
- CFUser
Notification ⚠Create RunLoop Source Deprecated CFRunLoop
andCFUserNotification
- CFUser
Notification ⚠Display Alert Deprecated CFDate
andCFURL
andCFUserNotification
- CFUser
Notification Display Notice Deprecated CFDate
andCFURL
andCFUserNotification
- CFUser
Notification GetResponse Dictionary Deprecated CFDictionary
andCFUserNotification
- CFUser
Notification ⚠GetResponse Value Deprecated CFUserNotification
- CFUser
Notification ⚠Receive Response Deprecated CFUserNotification
andCFDate
- CFUser
Notification ⚠Update Deprecated CFDate
andCFDictionary
andCFUserNotification
- CFWrite
Stream CanAccept Bytes Deprecated CFStream
- CFWrite
Stream Close Deprecated CFStream
- CFWrite
Stream ⚠Copy Dispatch Queue Deprecated CFStream
anddispatch2
- CFWrite
Stream Copy Error Deprecated CFError
andCFStream
- CFWrite
Stream Copy Property Deprecated CFStream
- CFWrite
Stream Create With Allocated Buffers Deprecated CFStream
- CFWrite
Stream ⚠Create With Buffer Deprecated CFStream
- CFWrite
Stream Create With File Deprecated CFStream
andCFURL
- CFWrite
Stream GetError Deprecated CFStream
- CFWrite
Stream GetStatus Deprecated CFStream
- CFWrite
Stream Open Deprecated CFStream
- CFWrite
Stream Schedule With RunLoop Deprecated CFRunLoop
andCFStream
- CFWrite
Stream ⚠SetClient Deprecated CFStream
- CFWrite
Stream ⚠SetDispatch Queue Deprecated CFStream
anddispatch2
- CFWrite
Stream ⚠SetProperty Deprecated CFStream
- CFWrite
Stream Unschedule From RunLoop Deprecated CFRunLoop
andCFStream
- CFWrite
Stream ⚠Write Deprecated CFStream
- CFXML
Create ⚠String ByEscaping Entities CFDictionary
andCFXMLParser
- CFXML
Create ⚠String ByUnescaping Entities CFDictionary
andCFXMLParser
- CFXML
Node ⚠Create Deprecated CFXMLNode
- CFXML
Node ⚠Create Copy Deprecated CFXMLNode
- CFXML
Node ⚠GetInfo Ptr Deprecated CFXMLNode
- CFXML
Node ⚠GetString Deprecated CFXMLNode
- CFXML
Node ⚠GetType Code Deprecated CFXMLNode
- CFXML
Node ⚠GetVersion Deprecated CFXMLNode
- CFXML
Parser ⚠Abort Deprecated CFXMLParser
- CFXML
Parser ⚠Copy Error Description Deprecated CFXMLParser
- CFXML
Parser ⚠Create Deprecated CFData
andCFURL
andCFXMLNode
andCFXMLParser
- CFXML
Parser ⚠Create With Data FromURL Deprecated CFData
andCFURL
andCFXMLNode
andCFXMLParser
- CFXML
Parser ⚠GetCall Backs Deprecated CFData
andCFURL
andCFXMLNode
andCFXMLParser
- CFXML
Parser ⚠GetContext Deprecated CFXMLParser
- CFXML
Parser ⚠GetDocument Deprecated CFXMLParser
- CFXML
Parser ⚠GetLine Number Deprecated CFXMLParser
- CFXML
Parser ⚠GetLocation Deprecated CFXMLParser
- CFXML
Parser ⚠GetSourceURL Deprecated CFURL
andCFXMLParser
- CFXML
Parser ⚠GetStatus Code Deprecated CFXMLParser
- CFXML
Parser ⚠Parse Deprecated CFXMLParser
- CFXML
Tree ⚠Create From Data Deprecated CFData
andCFTree
andCFURL
andCFXMLNode
andCFXMLParser
- CFXML
Tree ⚠Create From Data With Error Deprecated CFData
andCFDictionary
andCFTree
andCFURL
andCFXMLNode
andCFXMLParser
- CFXML
Tree ⚠Create With Data FromURL Deprecated CFTree
andCFURL
andCFXMLNode
andCFXMLParser
- CFXML
Tree ⚠Create With Node Deprecated CFTree
andCFXMLNode
- CFXML
Tree ⚠CreateXML Data Deprecated CFData
andCFTree
andCFXMLNode
andCFXMLParser
- CFXML
Tree ⚠GetNode Deprecated CFTree
andCFXMLNode
Type Aliases§
- CFAbsolute
Time CFDate
- Apple’s documentation
- CFAllocator
Allocate Call Back - Apple’s documentation
- CFAllocator
Copy Description Call Back - Apple’s documentation
- CFAllocator
Deallocate Call Back - Apple’s documentation
- CFAllocator
Preferred Size Call Back - Apple’s documentation
- CFAllocator
Reallocate Call Back - Apple’s documentation
- CFAllocator
Release Call Back - Apple’s documentation
- CFAllocator
Retain Call Back - Apple’s documentation
- CFAllocator
TypeID - Apple’s documentation
- CFArray
Applier Function CFArray
- Type of the callback function used by the apply functions of CFArrays.
- CFArray
Copy Description Call Back CFArray
- Apple’s documentation
- CFArray
Equal Call Back CFArray
- Apple’s documentation
- CFArray
Release Call Back CFArray
- Apple’s documentation
- CFArray
Retain Call Back CFArray
- Structure containing the callbacks of a CFArray. Field: version The version number of the structure type being passed in as a parameter to the CFArray creation functions. This structure is version 0. Field: retain The callback used to add a retain for the array on values as they are put into the array. This callback returns the value to store in the array, which is usually the value parameter passed to this callback, but may be a different value if a different value should be stored in the array. The array’s allocator is passed as the first argument. Field: release The callback used to remove a retain previously added for the array from values as they are removed from the array. The array’s allocator is passed as the first argument. Field: copyDescription The callback used to create a descriptive string representation of each value in the array. This is used by the CFCopyDescription() function. Field: equal The callback used to compare values in the array for equality for some operations.
- CFBag
Applier Function CFBag
- Apple’s documentation
- CFBag
Copy Description Call Back CFBag
- Apple’s documentation
- CFBag
Equal Call Back CFBag
- Apple’s documentation
- CFBag
Hash Call Back CFBag
- Apple’s documentation
- CFBag
Release Call Back CFBag
- Apple’s documentation
- CFBag
Retain Call Back CFBag
- Apple’s documentation
- CFBinary
Heap Applier Function CFBinaryHeap
- Type of the callback function used by the apply functions of CFBinaryHeap.
- CFBit
CFBitVector
- Apple’s documentation
- CFBundle
RefNum CFBundle
- Apple’s documentation
- CFByte
Order CFByteOrder
- Apple’s documentation
- CFCalendar
Identifier CFLocale
- Apple’s documentation
- CFComparator
Function - Apple’s documentation
- CFDate
Formatter Key CFDateFormatter
- Apple’s documentation
- CFDictionary
Applier Function CFDictionary
- Type of the callback function used by the apply functions of CFDictionarys.
- CFDictionary
Copy Description Call Back CFDictionary
- Apple’s documentation
- CFDictionary
Equal Call Back CFDictionary
- Apple’s documentation
- CFDictionary
Hash Call Back CFDictionary
- Apple’s documentation
- CFDictionary
Release Call Back CFDictionary
- Apple’s documentation
- CFDictionary
Retain Call Back CFDictionary
- Structure containing the callbacks for keys of a CFDictionary. Field: version The version number of the structure type being passed in as a parameter to the CFDictionary creation functions. This structure is version 0. Field: retain The callback used to add a retain for the dictionary on keys as they are used to put values into the dictionary. This callback returns the value to use as the key in the dictionary, which is usually the value parameter passed to this callback, but may be a different value if a different value should be used as the key. The dictionary’s allocator is passed as the first argument. Field: release The callback used to remove a retain previously added for the dictionary from keys as their values are removed from the dictionary. The dictionary’s allocator is passed as the first argument. Field: copyDescription The callback used to create a descriptive string representation of each key in the dictionary. This is used by the CFCopyDescription() function. Field: equal The callback used to compare keys in the dictionary for equality. Field: hash The callback used to compute a hash code for keys as they are used to access, add, or remove values in the dictionary.
- CFError
Domain CFError
- Apple’s documentation
- CFFile
Descriptor Call Back CFFileDescriptor
- Apple’s documentation
- CFFile
Descriptor Native Descriptor CFFileDescriptor
- Apple’s documentation
- CFHash
Code - Apple’s documentation
- CFIndex
- Apple’s documentation
- CFLocale
Identifier CFLocale
- Apple’s documentation
- CFLocale
Key CFLocale
- Apple’s documentation
- CFMach
Port Call Back CFMachPort
- Apple’s documentation
- CFMach
Port Invalidation Call Back CFMachPort
- Apple’s documentation
- CFMessage
Port Call Back CFData
andCFMessagePort
- Apple’s documentation
- CFMessage
Port Invalidation Call Back CFMessagePort
- Apple’s documentation
- CFNotification
Callback CFDictionary
andCFNotificationCenter
- Apple’s documentation
- CFNotification
Name CFNotificationCenter
- Apple’s documentation
- CFNumber
Formatter Key CFNumberFormatter
- Apple’s documentation
- CFOption
Flags - Apple’s documentation
- CFPlug
InDynamic Register Function CFBundle
andCFPlugIn
- Apple’s documentation
- CFPlug
InFactory Function CFPlugIn
andCFUUID
- Apple’s documentation
- CFPlug
InInstance Deallocate Instance Data Function CFPlugIn
- Apple’s documentation
- CFPlug
InInstance GetInterface Function CFPlugIn
- Apple’s documentation
- CFPlug
InUnload Function CFBundle
andCFPlugIn
- Apple’s documentation
- CFProperty
List - Apple’s documentation
- CFRead
Stream Client Call Back CFStream
- Apple’s documentation
- CFRun
Loop Mode CFRunLoop
- Apple’s documentation
- CFRun
Loop Observer Call Back CFRunLoop
- Apple’s documentation
- CFRun
Loop Timer Call Back CFRunLoop
- Apple’s documentation
- CFSet
Applier Function CFSet
- Type of the callback function used by the apply functions of CFSets.
- CFSet
Copy Description Call Back CFSet
- Type of the callback function used by CFSets for describing values.
- CFSet
Equal Call Back CFSet
- Type of the callback function used by CFSets for comparing values.
- CFSet
Hash Call Back CFSet
- Type of the callback function used by CFSets for hashing values.
- CFSet
Release Call Back CFSet
- Type of the callback function used by CFSets for releasing a retain on values.
- CFSet
Retain Call Back CFSet
- Type of the callback function used by CFSets for retaining values.
- CFSocket
Call Back CFData
andCFSocket
- Apple’s documentation
- CFSocket
Native Handle CFSocket
- Apple’s documentation
- CFStream
Property Key CFStream
- Apple’s documentation
- CFString
Encoding CFString
- Apple’s documentation
- CFTime
Interval CFDate
- Apple’s documentation
- CFTree
Applier Function CFTree
- Type of the callback function used by the apply functions of CFTree.
- CFTree
Copy Description Call Back CFTree
- Type of the callback function used to provide a description of the user-specified info parameter.
- CFTree
Release Call Back CFTree
- Type of the callback function used to remove a retain previously added to the user-specified info parameter.
- CFTree
Retain Call Back CFTree
- Type of the callback function used to add a retain to the user-specified info parameter. This callback may returns the value to use whenever the info parameter is retained, which is usually the value parameter passed to this callback, but may be a different value if a different value should be used.
- CFTypeID
- Apple’s documentation
- CFURL
Bookmark File Creation Options CFURL
- Apple’s documentation
- CFUser
Notification Call Back CFUserNotification
- Apple’s documentation
- CFWrite
Stream Client Call Back CFStream
- Apple’s documentation
- CFXML
Parser AddChild Call Back CFXMLParser
- Apple’s documentation
- CFXML
Parser Copy Description Call Back CFXMLParser
- Apple’s documentation
- CFXML
Parser CreateXML Structure Call Back CFXMLNode
andCFXMLParser
- Apple’s documentation
- CFXML
Parser EndXML Structure Call Back CFXMLParser
- Apple’s documentation
- CFXML
Parser Handle Error Call Back CFXMLParser
- Apple’s documentation
- CFXML
Parser Release Call Back CFXMLParser
- Apple’s documentation
- CFXML
Parser Resolve External Entity Call Back CFData
andCFURL
andCFXMLNode
andCFXMLParser
- Apple’s documentation
- CFXML
Parser Retain Call Back CFXMLParser
- Apple’s documentation
- CFXML
Tree CFTree
andCFXMLNode
- Apple’s documentation
- CGFloat
CFCGTypes
- The basic type for all floating-point values.
- HRESULT
CFPlugInCOM
- Apple’s documentation
- LPVOID
CFPlugInCOM
- Apple’s documentation
- REFIID
CFPlugInCOM
andCFUUID
- Apple’s documentation
- ULONG
CFPlugInCOM
- Apple’s documentation