文書   >   Swift 標準ライブラリ   >   Basic Behaviors   >   Hashable
プロトコル
Hashable
整数ハッシュ値を生成するために Hasher にハッシュできる型。
宣言
概観
Hashable プロトコルに準拠する任意の型をセットで使用することも、辞書キーとして使用することもできます。標準ライブラリ内の多くの型は Hashable に準拠しています。それらは、文字列、整数、浮動小数点、およびブール値、そしてセットさえもデフォルトでハッシュ値を提供します。独自のカスタム型も hashable (ハッシュ可能な値) にすることができます。関連した値を持たない列挙型を定義すると、自動的に Hashable に準拠するようになり、単一の hashValue プロパティを追加することによって、他のカスタム型に Hashable への準拠を追加できます。
型の hashValue プロパティによって提供されるハッシュ値は、等しく比較される任意の 2 つのインスタンスで同じ整数です。つまり、同じ型の a と b の 2 つのインスタンスの場合、a == b の場合、a.hashValue == b.hashValue です。 逆の場合は true ではありません。等しいハッシュ値を持つ 2 つのインスタンスが必ずしも互いに等しいとは限りません。
ハッシュ値は、プログラムの異なる実行間で等しくなることは保証されていません。将来の実行で使用するためにハッシュ値は保存しないでください。
Hashable プロトコルに準拠する
セットで独自のカスタム型を使用するか、辞書のキー型として使用するには、Hashable への準拠を型に追加します。Hashable プロトコルは Equatable プロトコルから継承しているため、そのプロトコルの要件も満たさなければなりません。
カスタム型の Hashable および Equatable 要件は、型の元々の宣言に Hashable への準拠を宣言し、型が以下の基準を満たす場合、コンパイラによって自動的に合成されます。
- 構造体 (struct) の場合、その格納されているすべてのプロパティは Hashable に準拠していなければなりません。
- 列挙型 (enum) の場合、関連するすべての値は Hashable に準拠していなければなりません。(関連した値のない列挙型 (enum) は、宣言がなかったとしても Hashable への準拠を持ちます。)
型の Hashable への準拠をカスタマイズするには、上記の基準を満たさない型で Hashable を採用するか、または既存の型を Hashable に準拠させるために、カスタム型に hashValue プロパティを実装して下さい。あなたの型が Hashable と Equatable プロトコルのセマンティック (意味的) な要件を満たしているかどうかを確認するには、型の Equatable 準拠をカスタマイズして一致させることをお勧めします。
例として、ボタンのグリッド内の位置を記述する GridPoint 型を考えてみましょう。GridPoint 型の最初の宣言は以下のとおりです。
/// A point in an x-y coordinate system.
struct GridPoint {
var x: Int
var y: Int
}
ユーザーが既にタップしたグリッドポイントのセットを作成したいとします。GridPoint 型はまだハッシュ可能 (hashable) ではないため、セットの Element 型として使用することはできません。 Hashable 準拠を追加するには、== 演算子関数と hashValue プロパティを指定して下さい。
extension GridPoint: Hashable { var hashValue: Int { return x.hashValue ^ y.hashValue &* 16777619 } static func == (lhs: GridPoint, rhs: GridPoint) -> Bool { return lhs.x == rhs.x && lhs.y == rhs.y } }
この例の hashValue プロパティは、グリッドポイントの x プロパティのハッシュ値と y プロパティのハッシュ値に素数の定数を掛け合わせて組み合わせたものです。
上の例は単純な型の非常に良いハッシュ関数です。カスタム型のハッシュ関数を作成する場合は、その型より成るデータの種類に適したハッシュアルゴリズムを選択します。セットと辞書のパフォーマンスは、関連する要素とキーの型それぞれの衝突を最小限に抑えるハッシュ値に依存します。
GridPoint が Hashable プロトコルに準拠したので、以前にタップしたグリッドポイントのセットを作成できます。
var tappedPoints: Set = [GridPoint(x: 2, y: 3), GridPoint(x: 4, y: 1)]
let nextTap = GridPoint(x: 0, y: 1)
if tappedPoints.contains(nextTap) {
print("Already tapped at (\(nextTap.x), \(nextTap.y)).")
} else {
tappedPoints.insert(nextTap)
print("New tap detected at (\(nextTap.x), \(nextTap.y)).")
}
// Prints "New tap detected at (0, 1).")
トピックス
ハッシュ値の提供
ハッシュ値。
必須。 デフォルトの実装が提供されます。
関連
以下からの継承
以下による継承
- BinaryInteger
- FloatingPoint
- ReferenceConvertible
- StringProtocol
以下により採用
- ABAddressBook
- ABGroup
- ABMultiValue
- ABMutableMultiValue
- ABNewPersonViewController
- ABPeoplePickerNavigation
Controller - ABPeoplePickerView
- ABPerson
- ABPersonView
- ABPersonViewController
- ABRecord
- ABSearchElement
- ABUnknownPersonView
Controller - ACAccount
- ACAccountCredential
- ACAccountStore
- ACAccountType
- ADBannerView
- ADClient
- ADInterstitialAd
- AffineTransform
- ALAsset
- ALAssetRepresentation
- ALAssetsFilter
- ALAssetsGroup
- ALAssetsLibrary
- AMAction
- AMAppleScriptAction
- AMBundleAction
- AMShellScriptAction
- AMWorkflow
- AMWorkflowController
- AMWorkflowView
- AMWorkspace
- AnyHashable
- AnyKeyPath
- ARAnchor
- ARCamera
- ARConfiguration
- ARConfiguration.VideoFormat
- ARDirectionalLightEstimate
- ARFaceAnchor
- ARFaceAnchor.BlendShapeLocation
- ARFaceGeometry
- ARFaceTrackingConfiguration
- ARFrame
- ARHitTestResult
- ARImageAnchor
- ARLightEstimate
- AROrientationTracking
Configuration - ARPlaneAnchor
- ARPlaneGeometry
- ARPointCloud
- ARReferenceImage
- ARSCNFaceGeometry
- ARSCNPlaneGeometry
- ARSCNView
- ARSession
- ARSKView
- ARWorldTrackingConfiguration
- ASIdentifierManager
- AUAudioUnit
- AUAudioUnitBus
- AUAudioUnitBusArray
- AUAudioUnitPreset
- AUAudioUnitV2Bridge
- AUAudioUnitViewConfiguration
- AUGenericView
- AUPannerView
- AUParameter
- AUParameterGroup
- AUParameterNode
- AUParameterTree
- AUViewController
- AVAggregateAssetDownloadTask
- AVAsset
- AVAssetCache
- AVAssetDownloadedAsset
EvictionPriority - AVAssetDownloadStorage
ManagementPolicy - AVAssetDownloadStorageManager
- AVAssetDownloadTask
- AVAssetDownloadURLSession
- AVAssetExportSession
- AVAssetImageGenerator
- AVAssetImageGenerator
ApertureMode - AVAssetReader
- AVAssetReaderAudioMixOutput
- AVAssetReaderOutput
- AVAssetReaderOutput
MetadataAdaptor - AVAssetReaderSample
ReferenceOutput - AVAssetReaderTrackOutput
- AVAssetReaderVideo
CompositionOutput - AVAssetResourceLoader
- AVAssetResourceLoadingContent
InformationRequest - AVAssetResourceLoadingDataRequest
- AVAssetResourceLoadingRequest
- AVAssetResourceRenewalRequest
- AVAssetTrack
- AVAssetTrack.AssociationType
- AVAssetTrackGroup
- AVAssetTrackSegment
- AVAssetWriter
- AVAssetWriterInput
- AVAssetWriterInputGroup
- AVAssetWriterInputMediaData
Location - AVAssetWriterInputMetadata
Adaptor - AVAssetWriterInputPass
Description - AVAssetWriterInputPixelBuffer
Adaptor - AVAsynchronousCIImage
FilteringRequest - AVAsynchronousVideo
CompositionRequest - AVAudioBuffer
- AVAudioChannelLayout
- AVAudioCompressedBuffer
- AVAudioConnectionPoint
- AVAudioConverter
- AVAudioEngine
- AVAudioEnvironmentDistance
AttenuationParameters - AVAudioEnvironmentNode
- AVAudioEnvironmentReverb
Parameters - AVAudioFile
- AVAudioFormat
- AVAudioInputNode
- AVAudioIONode
- AVAudioMix
- AVAudioMixerNode
- AVAudioMixingDestination
- AVAudioMixInputParameters
- AVAudioNode
- AVAudioOutputNode
- AVAudioPCMBuffer
- AVAudioPlayer
- AVAudioPlayerNode
- AVAudioRecorder
- AVAudioSequencer
- AVAudioSession
- AVAudioSessionChannel
Description - AVAudioSessionDataSource
Description - AVAudioSessionPortDescription
- AVAudioSessionRoute
Description - AVAudioTime
- AVAudioTimePitchAlgorithm
- AVAudioUnit
- AVAudioUnitComponent
- AVAudioUnitComponentManager
- AVAudioUnitDelay
- AVAudioUnitDistortion
- AVAudioUnitEffect
- AVAudioUnitEQ
- AVAudioUnitEQFilterParameters
- AVAudioUnitGenerator
- AVAudioUnitMIDIInstrument
- AVAudioUnitReverb
- AVAudioUnitSampler
- AVAudioUnitTimeEffect
- AVAudioUnitTimePitch
- AVAudioUnitVarispeed
- AVCameraCalibrationData
- AVCaptureAudioChannel
- AVCaptureAudioDataOutput
- AVCaptureAudioFileOutput
- AVCaptureAudioPreviewOutput
- AVCaptureAutoExposure
BracketedStillImageSettings - AVCaptureBracketedStillImage
Settings - AVCaptureConnection
- AVCaptureDataOutput
Synchronizer - AVCaptureDepthDataOutput
- AVCaptureDevice
- AVCaptureDevice.DeviceType
- AVCaptureDevice.Discovery
Session - AVCaptureDevice.Format
- AVCaptureDevice.InputSource
- AVCaptureDevice.System
PressureState - AVCaptureDevice.System
PressureState.Level - AVCaptureDeviceInput
- AVCaptureFileOutput
- AVCaptureInput
- AVCaptureInput.Port
- AVCaptureManualExposure
BracketedStillImageSettings - AVCaptureMetadataInput
- AVCaptureMetadataOutput
- AVCaptureMovieFileOutput
- AVCaptureOutput
- AVCapturePhoto
- AVCapturePhotoBracketSettings
- AVCapturePhotoOutput
- AVCapturePhotoSettings
- AVCaptureResolvedPhoto
Settings - AVCaptureScreenInput
- AVCaptureSession
- AVCaptureSession.Preset
- AVCaptureStillImageOutput
- AVCaptureSynchronizedData
- AVCaptureSynchronizedData
Collection - AVCaptureSynchronizedDepth
Data - AVCaptureSynchronizedMetadata
ObjectData - AVCaptureSynchronizedSample
BufferData - AVCaptureVideoDataOutput
- AVCaptureVideoPreviewLayer
- AVCaptureView
- AVComposition
- AVCompositionTrack
- AVCompositionTrackSegment
- AVContentKeyRequest
- AVContentKeyRequestRetry
Reason - AVContentKeyResponse
- AVContentKeySession
- AVContentKeySystem
- AVContentProposal
- AVContentProposalView
Controller - AVDateRangeMetadataGroup
- AVDepthData
- AVDisplayCriteria
- AVDisplayManager
- AVFileType
- AVFragmentedAsset
- AVFragmentedAssetMinder
- AVFragmentedAssetTrack
- AVFragmentedMovie
- AVFragmentedMovieMinder
- AVFragmentedMovieTrack
- AVFrameRateRange
- AVInterstitialTimeRange
- AVLayerVideoGravity
- AVMediaCharacteristic
- AVMediaDataStorage
- AVMediaSelection
- AVMediaSelectionGroup
- AVMediaSelectionOption
- AVMediaType
- AVMetadataExtraAttributeKey
- AVMetadataFaceObject
- AVMetadataFormat
- AVMetadataGroup
- AVMetadataIdentifier
- AVMetadataItem
- AVMetadataItemFilter
- AVMetadataItemValueRequest
- AVMetadataKey
- AVMetadataKeySpace
- AVMetadataMachineReadableCode
Object - AVMetadataObject
- AVMetadataObject.ObjectType
- AVMIDIPlayer
- AVMovie
- AVMovieTrack
- AVMusicTrack
- AVMutableAssetDownloadStorage
ManagementPolicy - AVMutableAudioMix
- AVMutableAudioMixInput
Parameters - AVMutableComposition
- AVMutableCompositionTrack
- AVMutableDateRangeMetadata
Group - AVMutableMediaSelection
- AVMutableMetadataItem
- AVMutableMovie
- AVMutableMovieTrack
- AVMutableTimedMetadataGroup
- AVMutableVideoComposition
- AVMutableVideoComposition
Instruction - AVMutableVideoComposition
LayerInstruction - AVNavigationMarkersGroup
- AVOutputSettingsAssistant
- AVOutputSettingsPreset
- AVPersistableContentKey
Request - AVPictureInPictureController
- AVPlayer
- AVPlayer.WaitingReason
- AVPlayerItem
- AVPlayerItemAccessLog
- AVPlayerItemAccessLogEvent
- AVPlayerItemErrorLog
- AVPlayerItemErrorLogEvent
- AVPlayerItemLegibleOutput
- AVPlayerItemLegibleOutputText
StylingResolution - AVPlayerItemMediaData
Collector - AVPlayerItemMetadataCollector
- AVPlayerItemMetadataOutput
- AVPlayerItemOutput
- AVPlayerItemTrack
- AVPlayerItemVideoOutput
- AVPlayerLayer
- AVPlayerLooper
- AVPlayerMediaSelection
Criteria - AVPlayerView
- AVPlayerViewController
- AVQueuePlayer
- AVRouteDetector
- AVRoutePickerView
- AVSampleBufferAudioRenderer
- AVSampleBufferDisplayLayer
- AVSampleBufferGenerator
- AVSampleBufferRender
Synchronizer - AVSampleBufferRequest
- AVSampleCursor
- AVSpeechSynthesisVoice
- AVSpeechSynthesizer
- AVSpeechUtterance
- AVSynchronizedLayer
- AVTextStyleRule
- AVTimedMetadataGroup
- AVURLAsset
- AVVideoApertureMode
- AVVideoCodecType
- AVVideoComposition
- AVVideoCompositionCore
AnimationTool - AVVideoCompositionInstruction
- AVVideoCompositionLayer
Instruction - AVVideoCompositionRender
Context - BCChatAction
- BCChatAction.Parameter
- BCChatButton
- BlockOperation
- Bool
- Bundle
- ByteCountFormatter
- CAAnimation
- CAAnimationGroup
- CABasicAnimation
- CABTLEMIDIWindowController
- CABTMIDICentralViewController
- CABTMIDILocalPeripheralView
Controller - CachedURLResponse
- CAConstraint
- CAConstraintLayoutManager
- CADisplayLink
- CAEAGLLayer
- CAEmitterCell
- CAEmitterLayer
- CAGradientLayer
- CAInterAppAudioSwitcherView
- CAInterAppAudioTransportView
- CAInterDeviceAudioView
Controller - CAKeyframeAnimation
- CALayer
- Calendar
- CAMediaTimingFunction
- CAMetalLayer
- CANetworkBrowserWindow
Controller - CAOpenGLLayer
- CAPropertyAnimation
- CARemoteLayerClient
- CARemoteLayerServer
- CARenderer
- CAReplicatorLayer
- CAScrollLayer
- CAShapeLayer
- CASpringAnimation
- CATextLayer
- CATiledLayer
- CATransaction
- CATransformLayer
- CATransition
- CAValueFunction
- CBATTRequest
- CBAttribute
- CBCentral
- CBCentralManager
- CBCharacteristic
- CBDescriptor
- CBGroupIdentity
- CBIdentity
- CBIdentityAuthority
- CBIdentityPicker
- CBL2CAPChannel
- CBManager
- CBMutableCharacteristic
- CBMutableDescriptor
- CBMutableService
- CBPeer
- CBPeripheral
- CBPeripheralManager
- CBService
- CBUserIdentity
- CBUUID
- CFCalendarIdentifier
- CFDateFormatterKey
- CFLocaleIdentifier
- CFLocaleKey
- CFNotificationName
- CFNumberFormatterKey
- CFRunLoopMode
- CFStreamPropertyKey
- CGFloat
- Character
- CharacterSet
- CIAztecCodeDescriptor
- CIBarcodeDescriptor
- CIBlendKernel
- CIColor
- CIColorKernel
- CIContext
- CIDataMatrixCodeDescriptor
- CIDetector
- CIFaceFeature
- CIFeature
- CIFilter
- CIFilterGenerator
- CIFilterShape
- CIImage
- CIImageAccumulator
- CIImageProcessorKernel
- CIKernel
- CIPDF417CodeDescriptor
- CIPlugIn
- CIQRCodeDescriptor
- CIQRCodeFeature
- CIRectangleFeature
- CIRenderDestination
- CIRenderInfo
- CIRenderTask
- CISampler
- CITextFeature
- CIVector
- CIWarpKernel
- CKAcceptSharesOperation
- CKAsset
- CKContainer
- CKDatabase
- CKDatabaseNotification
- CKDatabaseOperation
- CKDatabaseSubscription
- CKDiscoverAllContacts
Operation - CKDiscoverAllUserIdentities
Operation - CKDiscoveredUserInfo
- CKDiscoverUserIdentities
Operation - CKDiscoverUserInfosOperation
- CKFetchDatabaseChanges
Operation - CKFetchNotificationChanges
Operation - CKFetchRecordChangesOperation
- CKFetchRecordsOperation
- CKFetchRecordZoneChanges
Operation - CKFetchRecordZoneChanges
Options - CKFetchRecordZonesOperation
- CKFetchShareMetadataOperation
- CKFetchShareParticipants
Operation - CKFetchSubscriptionsOperation
- CKFetchWebAuthTokenOperation
- CKLocationSortDescriptor
- CKMarkNotificationsRead
Operation - CKModifyBadgeOperation
- CKModifyRecordsOperation
- CKModifyRecordZonesOperation
- CKModifySubscriptions
Operation - CKNotification
- CKNotificationID
- CKNotificationInfo
- CKOperation
- CKOperationConfiguration
- CKOperationGroup
- CKQuery
- CKQueryCursor
- CKQueryNotification
- CKQueryOperation
- CKQuerySubscription
- CKRecord
- CKRecordID
- CKRecordZone
- CKRecordZoneID
- CKRecordZoneNotification
- CKRecordZoneSubscription
- CKReference
- CKServerChangeToken
- CKShare
- CKShareMetadata
- CKShareParticipant
- CKSubscription
- CKUserIdentity
- CKUserIdentityLookupInfo
- CLBeacon
- CLBeaconRegion
- CLCircularRegion
- CLFloor
- CLGeocoder
- CLHeading
- CLKComplication
- CLKComplicationServer
- CLKComplicationTemplate
- CLKComplicationTemplate
CircularSmallRingImage - CLKComplicationTemplate
CircularSmallRingText - CLKComplicationTemplate
CircularSmallSimpleImage - CLKComplicationTemplate
CircularSmallSimpleText - CLKComplicationTemplate
CircularSmallStackImage - CLKComplicationTemplate
CircularSmallStackText - CLKComplicationTemplate
ExtraLargeColumnsText - CLKComplicationTemplateExtra
LargeRingImage - CLKComplicationTemplateExtra
LargeRingText - CLKComplicationTemplateExtra
LargeSimpleImage - CLKComplicationTemplateExtra
LargeSimpleText - CLKComplicationTemplateExtra
LargeStackImage - CLKComplicationTemplateExtra
LargeStackText - CLKComplicationTemplate
ModularLargeColumns - CLKComplicationTemplate
ModularLargeStandardBody - CLKComplicationTemplate
ModularLargeTable - CLKComplicationTemplate
ModularLargeTallBody - CLKComplicationTemplate
ModularSmallColumnsText - CLKComplicationTemplate
ModularSmallRingImage - CLKComplicationTemplate
ModularSmallRingText - CLKComplicationTemplate
ModularSmallSimpleImage - CLKComplicationTemplate
ModularSmallSimpleText - CLKComplicationTemplate
ModularSmallStackImage - CLKComplicationTemplate
ModularSmallStackText - CLKComplicationTemplate
UtilitarianLargeFlat - CLKComplicationTemplate
UtilitarianSmallFlat - CLKComplicationTemplate
UtilitarianSmallRingImage - CLKComplicationTemplate
UtilitarianSmallRingText - CLKComplicationTemplate
UtilitarianSmallSquare - CLKComplicationTimelineEntry
- CLKDateTextProvider
- CLKImageProvider
- CLKRelativeDateTextProvider
- CLKSimpleTextProvider
- CLKTextProvider
- CLKTimeIntervalTextProvider
- CLKTimeTextProvider
- CLLocation
- CLLocationManager
- ClosedRangeIndex
- CLPlacemark
- CLRegion
- CLSActivity
- CLSActivityItem
- CLSBinaryItem
- CLSContext
- CLSContextTopic
- CLSDataStore
- CLSErrorUserInfoKey
- CLSObject
- CLSPredicateKeyPath
- CLSQuantityItem
- CLSScoreItem
- CLVisit
- CMAccelerometerData
- CMAltimeter
- CMAltitudeData
- CMAttitude
- CMDeviceMotion
- CMGyroData
- CMLogItem
- CMMagnetometerData
- CMMotionActivity
- CMMotionActivityManager
- CMMotionManager
- CMPedometer
- CMPedometerData
- CMPedometerEvent
- CMRecordedAccelerometerData
- CMSensorDataList
- CMSensorRecorder
- CMStepCounter
- CNContact
- CNContactFetchRequest
- CNContactFormatter
- CNContactPicker
- CNContactPickerViewController
- CNContactProperty
- CNContactRelation
- CNContactStore
- CNContactsUserDefaults
- CNContactVCardSerialization
- CNContactViewController
- CNContainer
- CNGroup
- CNInstantMessageAddress
- CNLabeledValue
- CNMutableContact
- CNMutableGroup
- CNMutablePostalAddress
- CNPhoneNumber
- CNPostalAddress
- CNPostalAddressFormatter
- CNSaveRequest
- CNSocialProfile
- CocoaError.Code
- CodingUserInfoKey
- CSCustomAttributeKey
- CSIndexExtensionRequest
Handler - CSLocalizedString
- CSPerson
- CSSearchableIndex
- CSSearchableItem
- CSSearchableItemAttributeSet
- CSSearchQuery
- CTCall
- CTCallCenter
- CTCarrier
- CTCellularData
- CTSubscriber
- CTSubscriberInfo
- CTTelephonyNetworkInfo
- CWChannel
- CWConfiguration
- CWInterface
- CWMutableConfiguration
- CWMutableNetworkProfile
- CWNetwork
- CWNetworkProfile
- CWWiFiClient
- CXAction
- CXAnswerCallAction
- CXCall
- CXCallAction
- CXCallController
- CXCallDirectoryExtension
Context - CXCallDirectoryManager
- CXCallDirectoryProvider
- CXCallObserver
- CXCallUpdate
- CXEndCallAction
- CXHandle
- CXPlayDTMFCallAction
- CXProvider
- CXProviderConfiguration
- CXSetGroupCallAction
- CXSetHeldCallAction
- CXSetMutedCallAction
- CXStartCallAction
- CXTransaction
- Data
- DateComponents
- DateComponentsFormatter
- DateFormatter
- DateInterval
- DateIntervalFormatter
- DCDevice
- Decimal
- Dictionary.Index
- Dimension
- DispatchGroup
- DispatchIO
- DispatchObject
- DispatchQueue
- DispatchSemaphore
- DispatchSource
- DistributedNotificationCenter
- DistributedNotificationCenter
.CenterType - DOMAbstractView
- DOMAttr
- DOMBlob
- DOMCDATASection
- DOMCharacterData
- DOMComment
- DOMCounter
- DOMCSSCharsetRule
- DOMCSSFontFaceRule
- DOMCSSImportRule
- DOMCSSMediaRule
- DOMCSSPageRule
- DOMCSSPrimitiveValue
- DOMCSSRule
- DOMCSSRuleList
- DOMCSSStyleDeclaration
- DOMCSSStyleRule
- DOMCSSStyleSheet
- DOMCSSUnknownRule
- DOMCSSValue
- DOMCSSValueList
- DOMDocument
- DOMDocumentFragment
- DOMDocumentType
- DOMElement
- DOMEntity
- DOMEntityReference
- DOMEvent
- DOMFile
- DOMFileList
- DOMHTMLAnchorElement
- DOMHTMLAppletElement
- DOMHTMLAreaElement
- DOMHTMLBaseElement
- DOMHTMLBaseFontElement
- DOMHTMLBodyElement
- DOMHTMLBRElement
- DOMHTMLButtonElement
- DOMHTMLCollection
- DOMHTMLDirectoryElement
- DOMHTMLDivElement
- DOMHTMLDListElement
- DOMHTMLDocument
- DOMHTMLElement
- DOMHTMLEmbedElement
- DOMHTMLFieldSetElement
- DOMHTMLFontElement
- DOMHTMLFormElement
- DOMHTMLFrameElement
- DOMHTMLFrameSetElement
- DOMHTMLHeadElement
- DOMHTMLHeadingElement
- DOMHTMLHRElement
- DOMHTMLHtmlElement
- DOMHTMLIFrameElement
- DOMHTMLImageElement
- DOMHTMLInputElement
- DOMHTMLLabelElement
- DOMHTMLLegendElement
- DOMHTMLLIElement
- DOMHTMLLinkElement
- DOMHTMLMapElement
- DOMHTMLMarqueeElement
- DOMHTMLMenuElement
- DOMHTMLMetaElement
- DOMHTMLModElement
- DOMHTMLObjectElement
- DOMHTMLOListElement
- DOMHTMLOptGroupElement
- DOMHTMLOptionElement
- DOMHTMLOptionsCollection
- DOMHTMLParagraphElement
- DOMHTMLParamElement
- DOMHTMLPreElement
- DOMHTMLQuoteElement
- DOMHTMLScriptElement
- DOMHTMLSelectElement
- DOMHTMLStyleElement
- DOMHTMLTableCaptionElement
- DOMHTMLTableCellElement
- DOMHTMLTableColElement
- DOMHTMLTableElement
- DOMHTMLTableRowElement
- DOMHTMLTableSectionElement
- DOMHTMLTextAreaElement
- DOMHTMLTitleElement
- DOMHTMLUListElement
- DOMImplementation
- DOMKeyboardEvent
- DOMMediaList
- DOMMouseEvent
- DOMMutationEvent
- DOMNamedNodeMap
- DOMNode
- DOMNodeIterator
- DOMNodeList
- DOMObject
- DOMOverflowEvent
- DOMProcessingInstruction
- DOMProgressEvent
- DOMRange
- DOMRect
- DOMRGBColor
- DOMStyleSheet
- DOMStyleSheetList
- DOMText
- DOMTreeWalker
- DOMUIEvent
- DOMWheelEvent
- DOMXPathExpression
- DOMXPathResult
- Double
- EAAccessory
- EAAccessoryManager
- EAGLContext
- EAGLSharegroup
- EASession
- EAWiFiUnconfiguredAccessory
- EAWiFiUnconfiguredAccessory
Browser - EKAlarm
- EKCalendar
- EKCalendarChooser
- EKCalendarItem
- EKEvent
- EKEventEditViewController
- EKEventStore
- EKEventViewController
- EKObject
- EKParticipant
- EKRecurrenceDayOfWeek
- EKRecurrenceEnd
- EKRecurrenceRule
- EKReminder
- EKSource
- EKStructuredLocation
- EnergyFormatter
- FIFinderSync
- FIFinderSyncController
- FileAttributeKey
- FileAttributeType
- FileHandle
- FileManager
- FileManager.Directory
Enumerator - FileProtectionType
- FileWrapper
- FlattenBidirectional
CollectionIndex - FlattenCollectionIndex
- Float
- Float80
- Formatter
- FPUIActionExtensionContext
- FPUIActionExtensionView
Controller - GCController
- GCControllerAxisInput
- GCControllerButtonInput
- GCControllerDirectionPad
- GCControllerElement
- GCEventViewController
- GCExtendedGamepad
- GCExtendedGamepadSnapshot
- GCGamepad
- GCGamepadSnapshot
- GCMicroGamepad
- GCMicroGamepadSnapshot
- GCMotion
- GKAchievement
- GKAchievementChallenge
- GKAchievementDescription
- GKAchievementViewController
- GKAgent
- GKAgent2D
- GKAgent3D
- GKARC4RandomSource
- GKBasePlayer
- GKBehavior
- GKBillowNoiseSource
- GKChallenge
- GKChallengeEventHandler
- GKChallengesViewController
- GKCheckerboardNoiseSource
- GKCircleObstacle
- GKCloudPlayer
- GKCoherentNoiseSource
- GKComponent
- GKComponentSystem
- GKCompositeBehavior
- GKConstantNoiseSource
- GKCylindersNoiseSource
- GKDecisionNode
- GKDecisionTree
- GKDialogController
- GKEntity
- GKFriendRequestComposeView
Controller - GKGameCenterViewController
- GKGameSession
- GKGameSessionSharingView
Controller - GKGaussianDistribution
- GKGoal
- GKGraph
- GKGraphNode
- GKGraphNode2D
- GKGraphNode3D
- GKGridGraph
- GKGridGraphNode
- GKInvite
- GKLeaderboard
- GKLeaderboardSet
- GKLeaderboardViewController
- GKLinearCongruentialRandom
Source - GKLocalPlayer
- GKMatch
- GKMatchmaker
- GKMatchmakerViewController
- GKMatchRequest
- GKMersenneTwisterRandomSource
- GKMeshGraph
- GKMinmaxStrategist
- GKMonteCarloStrategist
- GKNoise
- GKNoiseMap
- GKNoiseSource
- GKNotificationBanner
- GKNSPredicateRule
- GKObstacle
- GKObstacleGraph
- GKOctree
- GKOctreeNode
- GKPath
- GKPerlinNoiseSource
- GKPlayer
- GKPolygonObstacle
- GKQuadtree
- GKQuadtreeNode
- GKRandomDistribution
- GKRandomSource
- GKRidgedNoiseSource
- GKRTree
- GKRule
- GKRuleSystem
- GKSavedGame
- GKScene
- GKSCNNodeComponent
- GKScore
- GKScoreChallenge
- GKSession
- GKShuffledDistribution
- GKSKNodeComponent
- GKSphereObstacle
- GKSpheresNoiseSource
- GKState
- GKStateMachine
- GKTurnBasedEventHandler
- GKTurnBasedExchange
- GKTurnBasedExchangeReply
- GKTurnBasedMatch
- GKTurnBasedMatchmakerView
Controller - GKTurnBasedParticipant
- GKVoiceChat
- GKVoiceChatService
- GKVoronoiNoiseSource
- GLKBaseEffect
- GLKEffectProperty
- GLKEffectPropertyFog
- GLKEffectPropertyLight
- GLKEffectPropertyMaterial
- GLKEffectPropertyTexture
- GLKEffectPropertyTransform
- GLKMesh
- GLKMeshBuffer
- GLKMeshBufferAllocator
- GLKReflectionMapEffect
- GLKSkyboxEffect
- GLKSubmesh
- GLKTextureInfo
- GLKTextureLoader
- GLKView
- GLKViewController
- HKActivityRingView
- HKActivitySummary
- HKActivitySummaryQuery
- HKActivitySummaryType
- HKAnchoredObjectQuery
- HKBiologicalSexObject
- HKBloodTypeObject
- HKCategorySample
- HKCategoryType
- HKCategoryTypeIdentifier
- HKCDADocument
- HKCDADocumentSample
- HKCharacteristicType
- HKCharacteristicType
Identifier - HKCorrelation
- HKCorrelationQuery
- HKCorrelationType
- HKCorrelationTypeIdentifier
- HKDeletedObject
- HKDevice
- HKDocumentQuery
- HKDocumentSample
- HKDocumentType
- HKDocumentTypeIdentifier
- HKFitzpatrickSkinTypeObject
- HKHealthStore
- HKObject
- HKObjectType
- HKObserverQuery
- HKQuantity
- HKQuantitySample
- HKQuantityType
- HKQuantityTypeIdentifier
- HKQuery
- HKQueryAnchor
- HKSample
- HKSampleQuery
- HKSampleType
- HKSeriesBuilder
- HKSeriesSample
- HKSeriesType
- HKSource
- HKSourceQuery
- HKSourceRevision
- HKStatistics
- HKStatisticsCollection
- HKStatisticsCollectionQuery
- HKStatisticsQuery
- HKUnit
- HKWheelchairUseObject
- HKWorkout
- HKWorkoutConfiguration
- HKWorkoutEvent
- HKWorkoutRoute
- HKWorkoutRouteBuilder
- HKWorkoutRouteQuery
- HKWorkoutSession
- HKWorkoutType
- HMAccessControl
- HMAccessory
- HMAccessoryBrowser
- HMAccessoryCategory
- HMAccessoryProfile
- HMAccessorySetupPayload
- HMAction
- HMActionSet
- HMCalendarEvent
- HMCameraAudioControl
- HMCameraControl
- HMCameraProfile
- HMCameraSettingsControl
- HMCameraSnapshot
- HMCameraSnapshotControl
- HMCameraSource
- HMCameraStream
- HMCameraStreamControl
- HMCameraView
- HMCharacteristic
- HMCharacteristicEvent
- HMCharacteristicMetadata
- HMCharacteristicThreshold
RangeEvent - HMCharacteristicWriteAction
- HMDurationEvent
- HMEvent
- HMEventTrigger
- HMHome
- HMHomeAccessControl
- HMHomeManager
- HMLocationEvent
- HMMutableCalendarEvent
- HMMutableCharacteristicEvent
- HMMutableCharacteristic
ThresholdRangeEvent - HMMutableDurationEvent
- HMMutableLocationEvent
- HMMutablePresenceEvent
- HMMutableSignificantTimeEvent
- HMNumberRange
- HMPresenceEvent
- HMRoom
- HMService
- HMServiceGroup
- HMSignificantEvent
- HMSignificantTimeEvent
- HMTimeEvent
- HMTimerTrigger
- HMTrigger
- HMUser
- HMZone
- Host
- HTTPCookie
- HTTPCookiePropertyKey
- HTTPCookieStorage
- HTTPURLResponse
- IKCameraDeviceView
- IKDeviceBrowserView
- IKFilterBrowserPanel
- IKFilterBrowserView
- IKFilterUIView
- IKImageBrowserCell
- IKImageBrowserView
- IKImageEditPanel
- IKImageView
- IKPictureTaker
- IKSaveOptions
- IKScannerDeviceView
- IKSlideshow
- ILMessageFilterExtension
- ILMessageFilterExtension
Context - ILMessageFilterQueryRequest
- ILMessageFilterQueryResponse
- ILNetworkResponse
- IMKCandidates
- IMKInputController
- IMKServer
- INAccountTypeResolutionResult
- INActivateCarSignalIntent
- INActivateCarSignalIntent
Response - INAddTasksIntent
- INAddTasksIntentResponse
- INAppendToNoteIntent
- INAppendToNoteIntentResponse
- INBalanceAmount
- INBalanceTypeResolutionResult
- INBillDetails
- INBillPayee
- INBillPayeeResolutionResult
- INBillTypeResolutionResult
- INBookRestaurantReservation
Intent - INBookRestaurantReservation
IntentResponse - INBooleanResolutionResult
- INCallDestinationType
ResolutionResult - INCallRecord
- INCallRecordTypeOptions
ResolutionResult - INCallRecordTypeResolution
Result - INCancelRideIntent
- INCancelRideIntentResponse
- INCancelWorkoutIntent
- INCancelWorkoutIntentResponse
- INCarAirCirculationMode
ResolutionResult - INCarAudioSourceResolution
Result - INCarDefrosterResolution
Result - INCarSeatResolutionResult
- INCarSignalOptionsResolution
Result - INCreateNoteIntent
- INCreateNoteIntentResponse
- INCreateTaskListIntent
- INCreateTaskListIntent
Response - INCurrencyAmount
- INCurrencyAmountResolution
Result - INDateComponentsRange
- INDateComponentsRange
ResolutionResult - INDateComponentsResolution
Result - INDateSearchTypeResolution
Result - IndexPath
- INDoubleResolutionResult
- INEndWorkoutIntent
- INEndWorkoutIntentResponse
- INExtension
- INGetAvailableRestaurant
ReservationBookingDefaults
Intent - INGetAvailableRestaurant
ReservationBookingDefaults
IntentResponse - INGetAvailableRestaurant
ReservationBookingsIntent - INGetAvailableRestaurant
ReservationBookingsIntent
Response - INGetCarLockStatusIntent
- INGetCarLockStatusIntent
Response - INGetCarPowerLevelStatus
Intent - INGetCarPowerLevelStatus
IntentResponse - INGetRestaurantGuestIntent
- INGetRestaurantGuestIntent
Response - INGetRideStatusIntent
- INGetRideStatusIntentResponse
- INGetUserCurrentRestaurant
ReservationBookingsIntent - INGetUserCurrentRestaurant
ReservationBookingsIntent
Response - INGetVisualCodeIntent
- INGetVisualCodeIntentResponse
- INImage
- INImageNoteContent
- INIntegerResolutionResult
- INIntent
- INIntentResolutionResult
- INIntentResponse
- INInteraction
- INListRideOptionsIntent
- INListRideOptionsIntent
Response - INLocationSearchType
ResolutionResult - INMessage
- INMessageAttributeOptions
ResolutionResult - INMessageAttributeResolution
Result - INNote
- INNotebookItemTypeResolution
Result - INNoteContent
- INNoteContentResolutionResult
- INNoteContentTypeResolution
Result - INNoteResolutionResult
- INParameter
- INPauseWorkoutIntent
- INPauseWorkoutIntentResponse
- INPayBillIntent
- INPayBillIntentResponse
- INPaymentAccount
- INPaymentAccountResolution
Result - INPaymentAmount
- INPaymentAmountResolution
Result - INPaymentMethod
- INPaymentRecord
- INPaymentStatusResolution
Result - INPerson
- INPersonHandle
- INPersonHandleLabel
- INPersonRelationship
- INPersonResolutionResult
- INPlacemarkResolutionResult
- INPreferences
- INPriceRange
- InputStream
- INRadioTypeResolutionResult
- INRecurrenceRule
- INRelativeReferenceResolution
Result - INRelativeSettingResolution
Result - INRequestPaymentCurrency
AmountResolutionResult - INRequestPaymentIntent
- INRequestPaymentIntent
Response - INRequestPaymentPayer
ResolutionResult - INRequestRideIntent
- INRequestRideIntentResponse
- INRestaurant
- INRestaurantGuest
- INRestaurantGuestDisplay
Preferences - INRestaurantGuestResolution
Result - INRestaurantOffer
- INRestaurantReservation
Booking - INRestaurantReservationUser
Booking - INRestaurantResolutionResult
- INResumeWorkoutIntent
- INResumeWorkoutIntentResponse
- INRideCompletionStatus
- INRideDriver
- INRideFareLineItem
- INRideOption
- INRidePartySizeOption
- INRideStatus
- INRideVehicle
- INSaveProfileInCarIntent
- INSaveProfileInCarIntent
Response - INSearchCallHistoryIntent
- INSearchCallHistoryIntent
Response - INSearchForAccountsIntent
- INSearchForAccountsIntentResponse
- INSearchForBillsIntent
- INSearchForBillsIntent
Response - INSearchForMessagesIntent
- INSearchForMessagesIntent
Response - INSearchForNotebookItemsIntent
- INSearchForNotebookItemsIntent
Response - INSearchForPhotosIntent
- INSearchForPhotosIntentResponse
- INSendMessageIntent
- INSendMessageIntent
Response - INSendMessageRecipient
ResolutionResult - INSendPaymentCurrencyAmount
ResolutionResult - INSendPaymentIntent
- INSendPaymentIntentResponse
- INSendPaymentPayeeResolution
Result - INSendRideFeedbackIntent
- INSendRideFeedbackIntent
Response - INSetAudioSourceInCarIntent
- INSetAudioSourceInCarIntent
Response - INSetCarLockStatusIntent
- INSetCarLockStatusIntent
Response - INSetClimateSettingsInCarIntent
- INSetClimateSettingsInCarIntent
Response - INSetDefrosterSettingsInCarIntent
- INSetDefrosterSettingsInCarIntent
Response - INSetMessageAttributeIntent
- INSetMessageAttributeIntent
Response - INSetProfileInCarIntent
- INSetProfileInCarIntent
Response - INSetRadioStationIntent
- INSetRadioStationIntent
Response - INSetSeatSettingsInCarIntent
- INSetSeatSettingsInCarIntent
Response - INSetTaskAttributeIntent
- INSetTaskAttributeIntent
Response - INSpatialEventTrigger
- INSpatialEventTrigger
ResolutionResult - INSpeakableString
- INSpeakableString
ResolutionResult - INStartAudioCallIntent
- INStartAudioCallIntent
Response - INStartPhotoPlaybackIntent
- INStartPhotoPlaybackIntent
Response - INStartVideoCallIntent
- INStartVideoCallIntentResponse
- INStartWorkoutIntent
- INStartWorkoutIntentResponse
- INStringResolutionResult
- Int
- Int16
- Int32
- Int64
- Int8
- INTask
- INTaskList
- INTaskListResolutionResult
- INTaskResolutionResult
- INTaskStatusResolutionResult
- INTemperatureResolutionResult
- INTemporalEventTrigger
- INTemporalEventTrigger
ResolutionResult - INTermsAndConditions
- INTextNoteContent
- INTransferMoneyIntent
- INTransferMoneyIntentResponse
- INVisualCodeTypeResolution
Result - INVocabulary
- INWorkoutGoalUnitType
ResolutionResult - INWorkoutLocationType
ResolutionResult - INWorkoutNameIdentifier
- IOBluetoothAccessibility
IgnoredImageCell - IOBluetoothAccessibility
IgnoredTextFieldCell - IOBluetoothDevice
- IOBluetoothDeviceInquiry
- IOBluetoothDevicePair
- IOBluetoothDeviceSelector
Controller - IOBluetoothHandsFree
- IOBluetoothHandsFreeAudioGateway
- IOBluetoothHandsFreeDevice
- IOBluetoothHostController
- IOBluetoothL2CAPChannel
- IOBluetoothOBEXSession
- IOBluetoothObject
- IOBluetoothObjectPush
UIController - IOBluetoothPairingController
- IOBluetoothPasskeyDisplay
- IOBluetoothRFCOMMChannel
- IOBluetoothSDPDataElement
- IOBluetoothSDPService
Attribute - IOBluetoothSDPServiceRecord
- IOBluetoothSDPUUID
- IOBluetoothServiceBrowser
Controller - IOBluetoothUserNotification
- IOSurface
- IOSurfacePropertyKey
- ISO8601DateFormatter
- JSContext
- JSManagedValue
- JSONSerialization
- JSValue
- JSVirtualMachine
- LAContext
- LazyDropWhileIndex
- LazyPrefixWhileIndex
- LengthFormatter
- Locale
- MassFormatter
- MCAdvertiserAssistant
- MCBrowserViewController
- MCNearbyServiceAdvertiser
- MCNearbyServiceBrowser
- MCPeerID
- MCSession
- MDLAnimatedMatrix4x4
- MDLAnimatedQuaternionArray
- MDLAnimatedScalar
- MDLAnimatedScalarArray
- MDLAnimatedValue
- MDLAnimatedVector2
- MDLAnimatedVector3
- MDLAnimatedVector3Array
- MDLAnimatedVector4
- MDLAnimationBindComponent
- MDLAreaLight
- MDLAsset
- MDLBundleAssetResolver
- MDLCamera
- MDLCheckerboardTexture
- MDLColorSwatchTexture
- MDLLight
- MDLLightProbe
- MDLMaterial
- MDLMaterialProperty
- MDLMaterialPropertyConnection
- MDLMaterialPropertyGraph
- MDLMaterialPropertyNode
- MDLMatrix4x4Array
- MDLMesh
- MDLMeshBufferData
- MDLMeshBufferDataAllocator
- MDLMeshBufferMap
- MDLMeshBufferZoneDefault
- MDLNoiseTexture
- MDLNormalMapTexture
- MDLObject
- MDLObjectContainer
- MDLPackedJointAnimation
- MDLPathAssetResolver
- MDLPhotometricLight
- MDLPhysicallyPlausibleLight
- MDLPhysicallyPlausible
ScatteringFunction - MDLRelativeAssetResolver
- MDLScatteringFunction
- MDLSkeleton
- MDLSkyCubeTexture
- MDLStereoscopicCamera
- MDLSubmesh
- MDLSubmeshTopology
- MDLTexture
- MDLTextureFilter
- MDLTextureSampler
- MDLTransform
- MDLTransformMatrixOp
- MDLTransformRotateOp
- MDLTransformRotateXOp
- MDLTransformRotateYOp
- MDLTransformRotateZOp
- MDLTransformScaleOp
- MDLTransformStack
- MDLTransformTranslateOp
- MDLURLTexture
- MDLVertexAttribute
- MDLVertexAttributeData
- MDLVertexBufferLayout
- MDLVertexDescriptor
- MDLVoxelArray
- MeasurementFormatter
- MessagePort
- MFMailComposeViewController
- MFMessageComposeView
Controller - MIDINetworkConnection
- MIDINetworkHost
- MIDINetworkSession
- MKAnnotationView
- MKCircle
- MKCircleRenderer
- MKCircleView
- MKClusterAnnotation
- MKCompassButton
- MKDirections
- MKDirectionsRequest
- MKDirectionsResponse
- MKDistanceFormatter
- MKETAResponse
- MKFeatureDisplayPriority
- MKGeodesicPolyline
- MKLocalSearch
- MKLocalSearchCompleter
- MKLocalSearchCompletion
- MKLocalSearchRequest
- MKLocalSearchResponse
- MKMapCamera
- MKMapItem
- MKMapSnapshot
- MKMapSnapshotOptions
- MKMapSnapshotter
- MKMapView
- MKMarkerAnnotationView
- MKMultiPoint
- MKOverlayPathRenderer
- MKOverlayPathView
- MKOverlayRenderer
- MKOverlayView
- MKPinAnnotationView
- MKPlacemark
- MKPointAnnotation
- MKPolygon
- MKPolygonRenderer
- MKPolygonView
- MKPolyline
- MKPolylineRenderer
- MKPolylineView
- MKRoute
- MKRouteStep
- MKScaleView
- MKShape
- MKTileOverlay
- MKTileOverlayRenderer
- MKUserLocation
- MKUserTrackingBarButtonItem
- MKUserTrackingButton
- MLDictionaryConstraint
- MLDictionaryFeatureProvider
- MLFeatureDescription
- MLFeatureValue
- MLImageConstraint
- MLMediaGroup
- MLMediaLibrary
- MLMediaObject
- MLMediaSource
- MLModel
- MLModelDescription
- MLModelMetadataKey
- MLMultiArray
- MLMultiArrayConstraint
- MLPredictionOptions
- MPChangeLanguageOptionCommand
Event - MPChangePlaybackPosition
Command - MPChangePlaybackPositionCommandEvent
- MPChangePlaybackRateCommand
- MPChangePlaybackRateCommand
Event - MPChangeRepeatModeCommand
- MPChangeRepeatModeCommand
Event - MPChangeShuffleModeCommand
- MPChangeShuffleModeCommand
Event - MPContentItem
- MPFeedbackCommand
- MPFeedbackCommandEvent
- MPMediaEntity
- MPMediaItem
- MPMediaItemArtwork
- MPMediaItemCollection
- MPMediaLibrary
- MPMediaPickerController
- MPMediaPlaylist
- MPMediaPlaylistCreation
Metadata - MPMediaPredicate
- MPMediaPropertyPredicate
- MPMediaQuery
- MPMediaQuerySection
- MPMovieAccessLog
- MPMovieAccessLogEvent
- MPMovieErrorLog
- MPMovieErrorLogEvent
- MPMoviePlayerController
- MPMoviePlayerViewController
- MPMusicPlayerApplication
Controller - MPMusicPlayerController
- MPMusicPlayerController
MutableQueue - MPMusicPlayerControllerQueue
- MPMusicPlayerMediaItemQueue
Descriptor - MPMusicPlayerPlayParameters
- MPMusicPlayerPlayParameters
QueueDescriptor - MPMusicPlayerQueueDescriptor
- MPMusicPlayerStoreQueue
Descriptor - MPNowPlayingInfoCenter
- MPNowPlayingInfoLanguage
Option - MPNowPlayingInfoLanguage
OptionGroup - MPPlayableContentManager
- MPPlayableContentManager
Context - MPRatingCommand
- MPRatingCommandEvent
- MPRemoteCommand
- MPRemoteCommandCenter
- MPRemoteCommandEvent
- MPSBinaryImageKernel
- MPSCNNAdd
- MPSCNNAddGradient
- MPSCNNArithmetic
- MPSCNNArithmeticGradient
- MPSCNNArithmeticGradientState
- MPSCNNBatchNormalization
- MPSCNNBatchNormalization
Gradient - MPSCNNBatchNormalization
GradientNode - MPSCNNBatchNormalizationNode
- MPSCNNBatchNormalizationState
- MPSCNNBatchNormalization
Statistics - MPSCNNBatchNormalization
StatisticsGradient - MPSCNNBinaryConvolution
- MPSCNNBinaryConvolutionNode
- MPSCNNBinaryFullyConnected
- MPSCNNBinaryFullyConnected
Node - MPSCNNBinaryKernel
- MPSCNNConvolution
- MPSCNNConvolutionDescriptor
- MPSCNNConvolutionGradient
- MPSCNNConvolutionGradientNode
- MPSCNNConvolutionGradient
State - MPSCNNConvolutionGradient
StateNode - MPSCNNConvolutionNode
- MPSCNNConvolutionTranspose
- MPSCNNConvolutionTranspose
Node - MPSCNNConvolutionWeightsAnd
BiasesState - MPSCNNCrossChannel
Normalization - MPSCNNCrossChannel
NormalizationGradient - MPSCNNCrossChannel
NormalizationGradientNode - MPSCNNCrossChannel
NormalizationNode - MPSCNNDepthWiseConvolution
Descriptor - MPSCNNDilatedPoolingMax
- MPSCNNDilatedPoolingMax
Gradient - MPSCNNDilatedPoolingMax
GradientNode - MPSCNNDilatedPoolingMaxNode
- MPSCNNDivide
- MPSCNNDropout
- MPSCNNDropoutGradient
- MPSCNNDropoutGradientNode
- MPSCNNDropoutGradientState
- MPSCNNDropoutNode
- MPSCNNFullyConnected
- MPSCNNFullyConnectedGradient
- MPSCNNFullyConnectedNode
- MPSCNNGradientKernel
- MPSCNNInstanceNormalization
- MPSCNNInstanceNormalization
Gradient - MPSCNNInstanceNormalization
GradientNode - MPSCNNInstanceNormalization
GradientState - MPSCNNInstanceNormalization
Node - MPSCNNKernel
- MPSCNNLocalContrast
Normalization - MPSCNNLocalContrast
NormalizationGradient - MPSCNNLocalContrast
NormalizationGradientNode - MPSCNNLocalContrast
NormalizationNode - MPSCNNLogSoftMax
- MPSCNNLogSoftMaxGradient
- MPSCNNLogSoftMaxGradientNode
- MPSCNNLogSoftMaxNode
- MPSCNNLoss
- MPSCNNLossDataDescriptor
- MPSCNNLossDescriptor
- MPSCNNLossLabels
- MPSCNNLossNode
- MPSCNNMultiply
- MPSCNNMultiplyGradient
- MPSCNNNeuron
- MPSCNNNeuronAbsolute
- MPSCNNNeuronAbsoluteNode
- MPSCNNNeuronELU
- MPSCNNNeuronELUNode
- MPSCNNNeuronExponential
- MPSCNNNeuronExponentialNode
- MPSCNNNeuronGradient
- MPSCNNNeuronGradientNode
- MPSCNNNeuronHardSigmoid
- MPSCNNNeuronHardSigmoidNode
- MPSCNNNeuronLinear
- MPSCNNNeuronLinearNode
- MPSCNNNeuronLogarithm
- MPSCNNNeuronLogarithmNode
- MPSCNNNeuronNode
- MPSCNNNeuronPower
- MPSCNNNeuronPowerNode
- MPSCNNNeuronPReLU
- MPSCNNNeuronPReLUNode
- MPSCNNNeuronReLU
- MPSCNNNeuronReLUN
- MPSCNNNeuronReLUNNode
- MPSCNNNeuronReLUNode
- MPSCNNNeuronSigmoid
- MPSCNNNeuronSigmoidNode
- MPSCNNNeuronSoftPlus
- MPSCNNNeuronSoftPlusNode
- MPSCNNNeuronSoftSign
- MPSCNNNeuronSoftSignNode
- MPSCNNNeuronTanH
- MPSCNNNeuronTanHNode
- MPSCNNNormalizationGammaAnd
BetaState - MPSCNNNormalizationNode
- MPSCNNPooling
- MPSCNNPoolingAverage
- MPSCNNPoolingAverageGradient
- MPSCNNPoolingAverageGradient
Node - MPSCNNPoolingAverageNode
- MPSCNNPoolingGradient
- MPSCNNPoolingGradientNode
- MPSCNNPoolingL2Norm
- MPSCNNPoolingL2NormGradient
- MPSCNNPoolingL2NormGradient
Node - MPSCNNPoolingL2NormNode
- MPSCNNPoolingMax
- MPSCNNPoolingMaxGradient
- MPSCNNPoolingMaxGradientNode
- MPSCNNPoolingMaxNode
- MPSCNNPoolingNode
- MPSCNNSoftMax
- MPSCNNSoftMaxGradient
- MPSCNNSoftMaxGradientNode
- MPSCNNSoftMaxNode
- MPSCNNSpatialNormalization
- MPSCNNSpatialNormalization
Gradient - MPSCNNSpatialNormalization
GradientNode - MPSCNNSpatialNormalization
Node - MPSCNNSubPixelConvolution
Descriptor - MPSCNNSubtract
- MPSCNNSubtractGradient
- MPSCNNUpsampling
- MPSCNNUpsamplingBilinear
- MPSCNNUpsamplingBilinear
Gradient - MPSCNNUpsamplingBilinear
GradientNode - MPSCNNUpsamplingBilinearNode
- MPSCNNUpsamplingGradient
- MPSCNNUpsamplingNearest
- MPSCNNUpsamplingNearest
Gradient - MPSCNNUpsamplingNearest
GradientNode - MPSCNNUpsamplingNearestNode
- MPSeekCommandEvent
- MPSGRUDescriptor
- MPSImage
- MPSImageAdd
- MPSImageAreaMax
- MPSImageAreaMin
- MPSImageArithmetic
- MPSImageBilinearScale
- MPSImageBox
- MPSImageConversion
- MPSImageConvolution
- MPSImageCopyToMatrix
- MPSImageDescriptor
- MPSImageDilate
- MPSImageDivide
- MPSImageErode
- MPSImageEuclideanDistance
Transform - MPSImageFindKeypoints
- MPSImageGaussianBlur
- MPSImageGaussianPyramid
- MPSImageGuidedFilter
- MPSImageHistogram
- MPSImageHistogramEqualization
- MPSImageHistogram
Specification - MPSImageIntegral
- MPSImageIntegralOfSquares
- MPSImageLanczosScale
- MPSImageLaplacian
- MPSImageMedian
- MPSImageMultiply
- MPSImagePyramid
- MPSImageReduceColumnMax
- MPSImageReduceColumnMean
- MPSImageReduceColumnMin
- MPSImageReduceColumnSum
- MPSImageReduceRowMax
- MPSImageReduceRowMean
- MPSImageReduceRowMin
- MPSImageReduceRowSum
- MPSImageReduceUnary
- MPSImageScale
- MPSImageSobel
- MPSImageStatisticsMean
- MPSImageStatisticsMeanAnd
Variance - MPSImageStatisticsMinAndMax
- MPSImageSubtract
- MPSImageTent
- MPSImageThresholdBinary
- MPSImageThresholdBinary
Inverse - MPSImageThresholdToZero
- MPSImageThresholdToZero
Inverse - MPSImageThresholdTruncate
- MPSImageTranspose
- MPSKernel
- MPSKeyedUnarchiver
- MPSkipIntervalCommand
- MPSkipIntervalCommandEvent
- MPSLSTMDescriptor
- MPSMatrix
- MPSMatrixBinaryKernel
- MPSMatrixCopy
- MPSMatrixCopyDescriptor
- MPSMatrixDecomposition
Cholesky - MPSMatrixDecompositionLU
- MPSMatrixDescriptor
- MPSMatrixFindTopK
- MPSMatrixFullyConnected
- MPSMatrixLogSoftMax
- MPSMatrixMultiplication
- MPSMatrixNeuron
- MPSMatrixSoftMax
- MPSMatrixSolveCholesky
- MPSMatrixSolveLU
- MPSMatrixSolveTriangular
- MPSMatrixSum
- MPSMatrixUnaryKernel
- MPSMatrixVectorMultiplication
- MPSNNAdditionGradientNode
- MPSNNAdditionNode
- MPSNNArithmeticGradientNode
- MPSNNArithmeticGradientState
Node - MPSNNBilinearScaleNode
- MPSNNBinaryArithmeticNode
- MPSNNBinaryGradientState
- MPSNNBinaryGradientStateNode
- MPSNNConcatenationGradient
Node - MPSNNConcatenationNode
- MPSNNDefaultPadding
- MPSNNDivisionNode
- MPSNNFilterNode
- MPSNNGradientFilterNode
- MPSNNGradientState
- MPSNNGradientStateNode
- MPSNNGraph
- MPSNNImageNode
- MPSNNLabelsNode
- MPSNNLanczosScaleNode
- MPSNNMultiplicationGradient
Node - MPSNNMultiplicationNode
- MPSNNNeuronDescriptor
- MPSNNReduceBinary
- MPSNNReduceColumnMax
- MPSNNReduceColumnMean
- MPSNNReduceColumnMin
- MPSNNReduceColumnSum
- MPSNNReduceFeatureChannelsAnd
WeightsMean - MPSNNReduceFeatureChannelsAnd
WeightsSum - MPSNNReduceFeatureChannelsMax
- MPSNNReduceFeatureChannels
Mean - MPSNNReduceFeatureChannelsMin
- MPSNNReduceFeatureChannelsSum
- MPSNNReduceRowMax
- MPSNNReduceRowMean
- MPSNNReduceRowMin
- MPSNNReduceRowSum
- MPSNNReduceUnary
- MPSNNReshape
- MPSNNScaleNode
- MPSNNSlice
- MPSNNStateNode
- MPSNNSubtractionGradientNode
- MPSNNSubtractionNode
- MPSRNNDescriptor
- MPSRNNImageInferenceLayer
- MPSRNNMatrixInferenceLayer
- MPSRNNRecurrentImageState
- MPSRNNRecurrentMatrixState
- MPSRNNSingleGateDescriptor
- MPSState
- MPSStateResourceList
- MPSTemporaryImage
- MPSTemporaryMatrix
- MPSTemporaryVector
- MPSUnaryImageKernel
- MPSVector
- MPSVectorDescriptor
- MPTimedMetadata
- MPVolumeView
- MSConversation
- MSMessage
- MSMessageLayout
- MSMessageLiveLayout
- MSMessagesAppViewController
- MSMessageTemplateLayout
- MSSession
- MSSticker
- MSStickerBrowserView
- MSStickerBrowserView
Controller - MSStickerView
- MTKMesh
- MTKMeshBuffer
- MTKMeshBufferAllocator
- MTKModelError
- MTKSubmesh
- MTKTextureLoader
- MTKTextureLoader.CubeLayout
- MTKTextureLoader.Error
- MTKTextureLoader.Option
- MTKTextureLoader.Origin
- MTKView
- MTLArgument
- MTLArgumentDescriptor
- MTLArrayType
- MTLAttribute
- MTLAttributeDescriptor
- MTLAttributeDescriptorArray
- MTLBufferLayoutDescriptor
- MTLBufferLayoutDescriptor
Array - MTLCaptureManager
- MTLCompileOptions
- MTLComputePipelineDescriptor
- MTLComputePipelineReflection
- MTLDepthStencilDescriptor
- MTLDeviceNotificationName
- MTLFunctionConstant
- MTLFunctionConstantValues
- MTLHeapDescriptor
- MTLPipelineBufferDescriptor
- MTLPipelineBufferDescriptor
Array - MTLPointerType
- MTLRenderPassAttachment
Descriptor - MTLRenderPassColorAttachment
Descriptor - MTLRenderPassColorAttachment
DescriptorArray - MTLRenderPassDepthAttachment
Descriptor - MTLRenderPassDescriptor
- MTLRenderPassStencil
AttachmentDescriptor - MTLRenderPipelineColor
AttachmentDescriptor - MTLRenderPipelineColor
AttachmentDescriptorArray - MTLRenderPipelineDescriptor
- MTLRenderPipelineReflection
- MTLSamplerDescriptor
- MTLStageInputOutputDescriptor
- MTLStencilDescriptor
- MTLStructMember
- MTLStructType
- MTLTextureDescriptor
- MTLTextureReferenceType
- MTLTileRenderPipelineColor
AttachmentDescriptor - MTLTileRenderPipelineColor
AttachmentDescriptorArray - MTLTileRenderPipeline
Descriptor - MTLType
- MTLVertexAttribute
- MTLVertexAttributeDescriptor
- MTLVertexAttributeDescriptor
Array - MTLVertexBufferLayout
Descriptor - MTLVertexBufferLayout
DescriptorArray - MTLVertexDescriptor
- NCWidgetController
- NCWidgetListViewController
- NCWidgetSearchViewController
- NEAppProxyFlow
- NEAppProxyProvider
- NEAppProxyProviderManager
- NEAppProxyTCPFlow
- NEAppProxyUDPFlow
- NEAppRule
- NEDNSProxyManager
- NEDNSProxyProvider
- NEDNSProxyProviderProtocol
- NEDNSSettings
- NEEvaluateConnectionRule
- NEFilterBrowserFlow
- NEFilterControlProvider
- NEFilterControlVerdict
- NEFilterDataProvider
- NEFilterDataVerdict
- NEFilterFlow
- NEFilterManager
- NEFilterNewFlowVerdict
- NEFilterProvider
- NEFilterProviderConfiguration
- NEFilterRemediationVerdict
- NEFilterReport
- NEFilterSocketFlow
- NEFilterVerdict
- NEFlowMetaData
- NEHotspotConfiguration
- NEHotspotConfigurationManager
- NEHotspotEAPSettings
- NEHotspotHelper
- NEHotspotHelperCommand
- NEHotspotHelperResponse
- NEHotspotHS20Settings
- NEHotspotNetwork
- NEIPv4Route
- NEIPv4Settings
- NEIPv6Route
- NEIPv6Settings
- NEOnDemandRule
- NEOnDemandRuleConnect
- NEOnDemandRuleDisconnect
- NEOnDemandRuleEvaluate
Connection - NEOnDemandRuleIgnore
- NEPacket
- NEPacketTunnelFlow
- NEPacketTunnelNetworkSettings
- NEPacketTunnelProvider
- NEProvider
- NEProxyServer
- NEProxySettings
- NetService
- NetServiceBrowser
- NETunnelNetworkSettings
- NETunnelProvider
- NETunnelProviderManager
- NETunnelProviderProtocol
- NETunnelProviderSession
- NEVPNConnection
- NEVPNIKEv2SecurityAssociation
Parameters - NEVPNManager
- NEVPNProtocol
- NEVPNProtocolIKEv2
- NEVPNProtocolIPSec
- NFCNDEFMessage
- NFCNDEFPayload
- NFCNDEFReaderSession
- NFCReaderSession
- NFCTagCommandConfiguration
- NKAssetDownload
- NKIssue
- NKLibrary
- Notification
- NotificationCenter
- NotificationQueue
- NSAccessibilityActionName
- NSAccessibilityAnnotation
AttributeKey - NSAccessibilityAttributeName
- NSAccessibilityCustomAction
- NSAccessibilityCustomRotor
- NSAccessibilityCustomRotor
.ItemResult - NSAccessibilityCustomRotor
.SearchParameters - NSAccessibilityElement
- NSAccessibilityFontAttribute
Key - NSAccessibilityNotification
Name - NSAccessibilityNotification
UserInfoKey - NSAccessibilityOrientation
Value - NSAccessibilityParameterized
AttributeName - NSAccessibilityRole
- NSAccessibilityRulerMarker
TypeValue - NSAccessibilityRulerUnitValue
- NSAccessibilitySortDirection
Value - NSAccessibilitySubrole
- NSActionCell
- NSAffineTransform
- NSAlert
- NSAlignmentFeedbackFilter
- NSAnimatablePropertyKey
- NSAnimation
- NSAnimationContext
- NSAppearance
- NSAppearance.Name
- NSAppKitVersion
- NSAppleEventDescriptor
- NSAppleEventManager
- NSAppleScript
- NSApplication
- NSApplication.AboutPanel
OptionKey - NSApplication.ModalResponse
- NSArchiver
- NSArray
- NSArrayController
- NSAssertionHandler
- NSAsynchronousFetchRequest
- NSAsynchronousFetchResult
- NSAtomicStore
- NSAtomicStoreCacheNode
- NSATSTypesetter
- NSAttributeDescription
- NSAttributedString
- NSAttributedString.Document
AttributeKey - NSAttributedString.Document
ReadingOptionKey - NSAttributedString.Document
Type - NSAttributedString.TextEffect
Style - NSAttributedString.TextLayout
SectionKey - NSAttributedStringKey
- NSBackgroundActivityScheduler
- NSBatchDeleteRequest
- NSBatchDeleteResult
- NSBatchUpdateRequest
- NSBatchUpdateResult
- NSBezierPath
- NSBindingInfoKey
- NSBindingName
- NSBindingOption
- NSBitmapImageRep
- NSBitmapImageRep.PropertyKey
- NSBox
- NSBrowser
- NSBrowser.ColumnsAutosaveName
- NSBrowserCell
- NSBundleResourceRequest
- NSButton
- NSButtonCell
- NSCache
- NSCalendar
- NSCalendar.Identifier
- NSCandidateListTouchBarItem
- NSCell
- NSCharacterSet
- NSCIImageRep
- NSClassDescription
- NSClickGestureRecognizer
- NSClipView
- NSCloneCommand
- NSCloseCommand
- NSCoder
- NSCollectionView
- NSCollectionView.Decoration
ElementKind - NSCollectionView
.SupplementaryElementKind - NSCollectionViewFlowLayout
- NSCollectionViewFlowLayout
InvalidationContext - NSCollectionViewGridLayout
- NSCollectionViewItem
- NSCollectionViewLayout
- NSCollectionViewLayout
Attributes - NSCollectionViewLayout
InvalidationContext - NSCollectionViewTransition
Layout - NSCollectionViewTransition
Layout.AnimatedKey - NSCollectionViewUpdateItem
- NSColor
- NSColor.Name
- NSColorList
- NSColorList.Name
- NSColorPanel
- NSColorPicker
- NSColorPickerTouchBarItem
- NSColorSpace
- NSColorSpaceName
- NSColorWell
- NSComboBox
- NSComboBoxCell
- NSComparisonPredicate
- NSCompoundPredicate
- NSCondition
- NSConditionLock
- NSConstraintConflict
- NSControl
- NSControl.StateValue
- NSController
- NSCoreDataCoreSpotlight
Delegate - NSCountCommand
- NSCountedSet
- NSCreateCommand
- NSCursor
- NSCustomImageRep
- NSCustomTouchBarItem
- NSData
- NSDataAsset
- NSDataAsset.Name
- NSDataDetector
- NSDate
- NSDateComponents
- NSDateInterval
- NSDatePicker
- NSDatePickerCell
- NSDecimalNumber
- NSDecimalNumberHandler
- NSDeleteCommand
- NSDeviceDescriptionKey
- NSDictionary
- NSDictionaryController
- NSDictionaryControllerKey
ValuePair - NSDistributedLock
- NSDockTile
- NSDocument
- NSDocumentController
- NSDraggingImageComponent
- NSDraggingItem
- NSDraggingItem.ImageComponent
Key - NSDraggingSession
- NSDrawer
- NSEntityDescription
- NSEntityMapping
- NSEntityMigrationPolicy
- NSEnumerator
- NSEPSImageRep
- NSError
- NSEvent
- NSException
- NSExceptionHandler
- NSExceptionName
- NSExistsCommand
- NSExpression
- NSExpressionDescription
- NSExtensionContext
- NSExtensionItem
- NSFetchedPropertyDescription
- NSFetchedResultsController
- NSFetchIndexDescription
- NSFetchIndexElement
Description - NSFetchRequest
- NSFetchRequestExpression
- NSFileAccessIntent
- NSFileCoordinator
- NSFilePromiseProvider
- NSFilePromiseReceiver
- NSFileProviderDomain
- NSFileProviderDomain
Identifier - NSFileProviderExtension
- NSFileProviderItemIdentifier
- NSFileProviderManager
- NSFileProviderPage
- NSFileProviderService
- NSFileProviderServiceName
- NSFileProviderSyncAnchor
- NSFileSecurity
- NSFileVersion
- NSFont
- NSFont.Weight
- NSFontAssetRequest
- NSFontCollection
- NSFontCollection.ActionType
Key - NSFontCollection.Name
- NSFontCollection.UserInfoKey
- NSFontCollectionMatching
OptionKey - NSFontDescriptor
- NSFontDescriptor.Attribute
Name - NSFontDescriptor.FeatureKey
- NSFontDescriptor.TraitKey
- NSFontDescriptor.VariationKey
- NSFontManager
- NSFontPanel
- NSForm
- NSFormCell
- NSGestureRecognizer
- NSGetCommand
- NSGlyphGenerator
- NSGlyphInfo
- NSGradient
- NSGraphicsContext
- NSGraphicsContext.Attribute
Key - NSGraphicsContext
.RepresentationFormatName - NSGridCell
- NSGridColumn
- NSGridRow
- NSGridView
- NSGroupTouchBarItem
- NSHapticFeedbackManager
- NSHashTable
- NSHelpManager
- NSHelpManager.AnchorName
- NSHelpManager.BookName
- NSHelpManager.ContextHelpKey
- NSImage
- NSImage.Name
- NSImageCell
- NSImageRep
- NSImageRep.HintKey
- NSImageView
- NSIncrementalStore
- NSIncrementalStoreNode
- NSIndexPath
- NSIndexSet
- NSIndexSpecifier
- NSItemProvider
- NSKeyedArchiver
- NSKeyedUnarchiver
- NSKeyValueChangeKey
- NSKeyValueObservation
- NSKeyValueOperator
- NSLayoutAnchor
- NSLayoutConstraint
- NSLayoutConstraint.Priority
- NSLayoutDimension
- NSLayoutGuide
- NSLayoutManager
- NSLayoutXAxisAnchor
- NSLayoutYAxisAnchor
- NSLevelIndicator
- NSLevelIndicatorCell
- NSLinguisticTag
- NSLinguisticTagger
- NSLinguisticTagScheme
- NSLocale
- NSLocale.Key
- NSLock
- NSLogicalTest
- NSMachPort
- NSMagnificationGesture
Recognizer - NSManagedObject
- NSManagedObjectContext
- NSManagedObjectID
- NSManagedObjectModel
- NSMappingModel
- NSMapTable
- NSMatrix
- NSMeasurement
- NSMediaLibraryBrowser
Controller - NSMenu
- NSMenuItem
- NSMenuItemCell
- NSMergeConflict
- NSMergePolicy
- NSMetadataItem
- NSMetadataQuery
- NSMetadataQueryAttributeValue
Tuple - NSMetadataQueryResultGroup
- NSMiddleSpecifier
- NSMigrationManager
- NSMoveCommand
- NSMutableArray
- NSMutableAttributedString
- NSMutableCharacterSet
- NSMutableData
- NSMutableDictionary
- NSMutableFontCollection
- NSMutableIndexSet
- NSMutableOrderedSet
- NSMutableParagraphStyle
- NSMutableSet
- NSMutableString
- NSMutableURLRequest
- NSNameSpecifier
- NSNib
- NSNib.Name
- NSNotification
- NSNotification.Name
- NSNull
- NSNumber
- NSObject
- NSObjectController
- NSOpenGLContext
- NSOpenGLLayer
- NSOpenGLPixelFormat
- NSOpenGLView
- NSOpenPanel
- NSOrderedSet
- NSOrthography
- NSOutlineView
- NSPageController
- NSPageController.Object
Identifier - NSPageLayout
- NSPanel
- NSPanGestureRecognizer
- NSParagraphStyle
- NSPasteboard
- NSPasteboard.Name
- NSPasteboard.PasteboardType
- NSPasteboard.PasteboardType
.FindPanelSearchOptionKey - NSPasteboard.PasteboardType
.TextFinderOptionKey - NSPasteboard.ReadingOptionKey
- NSPasteboardItem
- NSPathCell
- NSPathComponentCell
- NSPathControl
- NSPathControlItem
- NSPDFImageRep
- NSPDFInfo
- NSPDFPanel
- NSPersistentContainer
- NSPersistentDocument
- NSPersistentHistoryChange
- NSPersistentHistoryChange
Request - NSPersistentHistoryResult
- NSPersistentHistoryToken
- NSPersistentHistory
Transaction - NSPersistentStore
- NSPersistentStoreAsynchronous
Result - NSPersistentStoreCoordinator
- NSPersistentStoreDescription
- NSPersistentStoreRequest
- NSPersistentStoreResult
- NSPersonNameComponents
- NSPICTImageRep
- NSPointerArray
- NSPointerFunctions
- NSPopover
- NSPopover.CloseReason
- NSPopoverTouchBarItem
- NSPopUpButton
- NSPopUpButtonCell
- NSPositionalSpecifier
- NSPredicate
- NSPredicateEditor
- NSPredicateEditorRowTemplate
- NSPressGestureRecognizer
- NSPressureConfiguration
- NSPrinter
- NSPrinter.PaperName
- NSPrinter.TypeName
- NSPrintInfo
- NSPrintInfo.AttributeKey
- NSPrintInfo.JobDisposition
- NSPrintInfo.SettingKey
- NSPrintOperation
- NSPrintPanel
- NSPrintPanel.AccessorySummary
Key - NSPrintPanel.JobStyleHint
- NSProgressIndicator
- NSPropertyDescription
- NSPropertyMapping
- NSPropertySpecifier
- NSPurgeableData
- NSQueryGenerationToken
- NSQuitCommand
- NSRandomSpecifier
- NSRangeSpecifier
- NSRecursiveLock
- NSRegularExpression
- NSRelationshipDescription
- NSRelativeSpecifier
- NSResponder
- NSRotationGestureRecognizer
- NSRuleEditor
- NSRuleEditor.PredicatePartKey
- NSRulerMarker
- NSRulerView
- NSRulerView.UnitName
- NSRunningApplication
- NSSaveChangesRequest
- NSSavePanel
- NSScreen
- NSScriptClassDescription
- NSScriptCoercionHandler
- NSScriptCommand
- NSScriptCommandDescription
- NSScriptExecutionContext
- NSScriptObjectSpecifier
- NSScriptSuiteRegistry
- NSScriptWhoseTest
- NSScroller
- NSScrollView
- NSScrubber
- NSScrubberArrangedView
- NSScrubberFlowLayout
- NSScrubberImageItemView
- NSScrubberItemView
- NSScrubberLayout
- NSScrubberLayoutAttributes
- NSScrubberProportionalLayout
- NSScrubberSelectionStyle
- NSScrubberSelectionView
- NSScrubberTextItemView
- NSSearchField
- NSSearchField.RecentsAutosave
Name - NSSearchFieldCell
- NSSecureTextField
- NSSecureTextFieldCell
- NSSegmentedCell
- NSSegmentedControl
- NSServiceProviderName
- NSSet
- NSSetCommand
- NSShadow
- NSSharingService
- NSSharingService.Name
- NSSharingServicePicker
- NSSharingServicePickerTouch
BarItem - NSSlider
- NSSliderAccessory
- NSSliderAccessory.Width
- NSSliderAccessoryBehavior
- NSSliderCell
- NSSliderTouchBarItem
- NSSortDescriptor
- NSSound
- NSSound.Name
- NSSound.PlaybackDevice
Identifier - NSSpecifierTest
- NSSpeechRecognizer
- NSSpeechSynthesizer
- NSSpeechSynthesizer
.DictionaryKey - NSSpeechSynthesizer.Speech
PropertyKey - NSSpeechSynthesizer.Speech
PropertyKey.CommandDelimiter
Key - NSSpeechSynthesizer.Speech
PropertyKey.ErrorKey - NSSpeechSynthesizer.Speech
PropertyKey.Mode - NSSpeechSynthesizer.Speech
PropertyKey.PhonemeInfoKey - NSSpeechSynthesizer.Speech
PropertyKey.StatusKey - NSSpeechSynthesizer.Speech
PropertyKey.SynthesizerInfo
Key - NSSpeechSynthesizer.Voice
AttributeKey - NSSpeechSynthesizer.Voice
Gender - NSSpeechSynthesizer.VoiceName
- NSSpellChecker
- NSSpellChecker.OptionKey
- NSSpellServer
- NSSplitView
- NSSplitView.AutosaveName
- NSSplitViewController
- NSSplitViewItem
- NSStackView
- NSStackView.Visibility
Priority - NSStatusBar
- NSStatusBarButton
- NSStatusItem
- NSStatusItem.AutosaveName
- NSStepper
- NSStepperCell
- NSStoryboard
- NSStoryboard.Name
- NSStoryboard.SceneIdentifier
- NSStoryboardSegue
- NSStoryboardSegue.Identifier
- NSString
- NSStringDrawingContext
- NSTableCellView
- NSTableColumn
- NSTableHeaderCell
- NSTableHeaderView
- NSTableRowView
- NSTableView
- NSTableView.AutosaveName
- NSTableViewRowAction
- NSTabView
- NSTabViewController
- NSTabViewItem
- NSText
- NSTextAlternatives
- NSTextAttachment
- NSTextAttachmentCell
- NSTextBlock
- NSTextCheckingKey
- NSTextCheckingResult
- NSTextContainer
- NSTextField
- NSTextFieldCell
- NSTextFinder
- NSTextInputContext
- NSTextInputSourceIdentifier
- NSTextList
- NSTextList.MarkerFormat
- NSTextStorage
- NSTextTab
- NSTextTab.OptionKey
- NSTextTable
- NSTextTableBlock
- NSTextView
- NSTimeZone
- NSTitlebarAccessoryView
Controller - NSTokenField
- NSTokenFieldCell
- NSToolbar
- NSToolbar.Identifier
- NSToolbarItem
- NSToolbarItem.Identifier
- NSToolbarItem.Visibility
Priority - NSToolbarItemGroup
- NSTouch
- NSTouchBar
- NSTouchBar.Customization
Identifier - NSTouchBarItem
- NSTouchBarItem.Identifier
- NSTouchBarItem.Priority
- NSTrackingArea
- NSTreeController
- NSTreeNode
- NSTypesetter
- NSUbiquitousKeyValueStore
- NSUnarchiver
- NSUniqueIDSpecifier
- NSURL
- NSURLComponents
- NSURLConnection
- NSURLDownload
- NSURLHandle
- NSURLQueryItem
- NSURLRequest
- NSUserActivity
- NSUserAppleScriptTask
- NSUserAutomatorTask
- NSUserDefaultsController
- NSUserInterfaceCompression
Options - NSUserInterfaceItemIdentifier
- NSUserNotification
- NSUserNotificationAction
- NSUserNotificationCenter
- NSUserScriptTask
- NSUserUnixTask
- NSUUID
- NSValue
- NSValueTransformerName
- NSView
- NSView.DefinitionOptionKey
- NSView.DefinitionPresentation
Type - NSView.FullScreenModeOption
Key - NSViewAnimation
- NSViewAnimation.EffectName
- NSViewAnimation.Key
- NSViewController
- NSVisualEffectView
- NSWhoseSpecifier
- NSWindow
- NSWindow.FrameAutosaveName
- NSWindow.Level
- NSWindow.TabbingIdentifier
- NSWindowController
- NSWindowTab
- NSWindowTabGroup
- NSWorkspace
- NSWorkspace.DesktopImage
OptionKey - NSWorkspace.FileOperationName
- NSWorkspace.Launch
ConfigurationKey - NSXPCConnection
- NSXPCInterface
- NSXPCListener
- NSXPCListenerEndpoint
- NumberFormatter
- NWBonjourServiceEndpoint
- NWEndpoint
- NWHostEndpoint
- NWPath
- NWTCPConnection
- NWTLSParameters
- NWUDPSession
- OBEXFileTransferServices
- OBEXSession
- ObjectIdentifier
- ODAttributeMap
- ODConfiguration
- ODMappings
- ODModuleEntry
- ODNode
- ODQuery
- ODRecord
- ODRecordMap
- ODSession
- OpaquePointer
- Operation
- OperationQueue
- OSLog
- OutputStream
- PDFAction
- PDFActionGoTo
- PDFActionNamed
- PDFActionRemoteGoTo
- PDFActionResetForm
- PDFActionURL
- PDFAnnotation
- PDFAnnotationButtonWidget
- PDFAnnotationChoiceWidget
- PDFAnnotationCircle
- PDFAnnotationFreeText
- PDFAnnotationHighlightingMode
- PDFAnnotationInk
- PDFAnnotationKey
- PDFAnnotationLine
- PDFAnnotationLineEndingStyle
- PDFAnnotationLink
- PDFAnnotationMarkup
- PDFAnnotationPopup
- PDFAnnotationSquare
- PDFAnnotationStamp
- PDFAnnotationSubtype
- PDFAnnotationText
- PDFAnnotationTextIconType
- PDFAnnotationTextWidget
- PDFAnnotationWidgetSubtype
- PDFAppearanceCharacteristics
- PDFAppearanceCharacteristics
Key - PDFBorder
- PDFBorderKey
- PDFDestination
- PDFDocument
- PDFDocumentAttribute
- PDFDocumentWriteOption
- PDFOutline
- PDFPage
- PDFSelection
- PDFThumbnailView
- PDFView
- PersonNameComponents
- PersonNameComponentsFormatter
- PHAdjustmentData
- PHAsset
- PHAssetChangeRequest
- PHAssetCollection
- PHAssetCollectionChange
Request - PHAssetCreationRequest
- PHAssetResource
- PHAssetResourceCreation
Options - PHAssetResourceManager
- PHAssetResourceRequestOptions
- PHCachingImageManager
- PHChange
- PHCloudIdentifier
- PHCollection
- PHCollectionList
- PHCollectionListChangeRequest
- PHContentEditingInput
- PHContentEditingInputRequest
Options - PHContentEditingOutput
- PHFetchOptions
- PHFetchResult
- PHFetchResultChangeDetails
- PHImageManager
- PHImageRequestOptions
- PHLivePhoto
- PHLivePhotoEditingContext
- PHLivePhotoEditingOption
- PHLivePhotoRequestOptions
- PHLivePhotoView
- PHObject
- PHObjectChangeDetails
- PHObjectPlaceholder
- PHPhotoLibrary
- PHProject
- PHProjectAssetElement
- PHProjectChangeRequest
- PHProjectElement
- PHProjectExtensionContext
- PHProjectInfo
- PHProjectJournalEntryElement
- PHProjectRegionOfInterest
- PHProjectRegionOfInterest
.Identifier - PHProjectSection
- PHProjectSectionContent
- PHProjectTextElement
- PHProjectType
- PHProjectTypeDescription
- PHVideoRequestOptions
- Pipe
- PKAddPassButton
- PKAddPassesViewController
- PKAddPaymentPassRequest
- PKAddPaymentPassRequest
Configuration - PKAddPaymentPassView
Controller - PKContact
- PKContactField
- PKEncryptionScheme
- PKLabeledValue
- PKObject
- PKPass
- PKPassLibrary
- PKPassLibraryNotificationKey
- PKPassLibraryNotificationName
- PKPayment
- PKPaymentAuthorization
Controller - PKPaymentAuthorizationResult
- PKPaymentAuthorizationView
Controller - PKPaymentButton
- PKPaymentErrorKey
- PKPaymentMethod
- PKPaymentNetwork
- PKPaymentPass
- PKPaymentRequest
- PKPaymentRequestPaymentMethod
Update - PKPaymentRequestShipping
ContactUpdate - PKPaymentRequestShipping
MethodUpdate - PKPaymentRequestUpdate
- PKPaymentSummaryItem
- PKPaymentToken
- PKPushCredentials
- PKPushPayload
- PKPushRegistry
- PKPushType
- PKShippingMethod
- PKSuicaPassProperties
- PKTransitPassProperties
- Port
- PortMessage
- Process
- ProcessInfo
- Progress
- Progress.FileOperationKind
- ProgressKind
- ProgressUserInfoKey
- PropertyListSerialization
- QCComposition
- QCCompositionLayer
- QCCompositionParameterView
- QCCompositionPickerPanel
- QCCompositionPickerView
- QCCompositionRepository
- QCPatchController
- QCPlugIn
- QCPlugInViewController
- QCRenderer
- QCView
- QLFileThumbnailRequest
- QLPreviewController
- QLPreviewPanel
- QLPreviewView
- QLThumbnailProvider
- QLThumbnailReply
- QuartzFilter
- QuartzFilterManager
- QuartzFilterView
- ReversedIndex
- RPBroadcastActivityView
Controller - RPBroadcastConfiguration
- RPBroadcastController
- RPBroadcastHandler
- RPBroadcastMP4ClipHandler
- RPBroadcastSampleHandler
- RPPreviewViewController
- RPScreenRecorder
- RunLoop
- RunLoopMode
- SBApplication
- SBElementArray
- SBObject
- Scanner
- SCNAccelerationConstraint
- SCNAction
- SCNAnimation
- SCNAnimationEvent
- SCNAnimationPlayer
- SCNAudioPlayer
- SCNAudioSource
- SCNAvoidOccluderConstraint
- SCNBillboardConstraint
- SCNBox
- SCNCamera
- SCNCameraController
- SCNCapsule
- SCNCone
- SCNConstraint
- SCNCylinder
- SCNDistanceConstraint
- SCNFloor
- SCNGeometry
- SCNGeometryElement
- SCNGeometrySource
- SCNGeometrySource.Semantic
- SCNGeometryTessellator
- SCNHitTestOption
- SCNHitTestResult
- SCNIKConstraint
- SCNLayer
- SCNLevelOfDetail
- SCNLight
- SCNLight.LightType
- SCNLookAtConstraint
- SCNMaterial
- SCNMaterial.LightingModel
- SCNMaterialProperty
- SCNMorpher
- SCNNode
- SCNParticlePropertyController
- SCNParticleSystem
- SCNParticleSystem.Particle
Property - SCNPhysicsBallSocketJoint
- SCNPhysicsBehavior
- SCNPhysicsBody
- SCNPhysicsConeTwistJoint
- SCNPhysicsContact
- SCNPhysicsField
- SCNPhysicsHingeJoint
- SCNPhysicsShape
- SCNPhysicsShape.Option
- SCNPhysicsShape.ShapeType
- SCNPhysicsSliderJoint
- SCNPhysicsVehicle
- SCNPhysicsVehicleWheel
- SCNPhysicsWorld
- SCNPhysicsWorld.TestOption
- SCNPhysicsWorld.TestSearch
Mode - SCNPlane
- SCNProgram
- SCNPyramid
- SCNReferenceNode
- SCNRenderer
- SCNReplicatorConstraint
- SCNScene
- SCNScene.Attribute
- SCNSceneSource
- SCNSceneSource.Animation
ImportPolicy - SCNSceneSource.LoadingOption
- SCNShaderModifierEntryPoint
- SCNShape
- SCNSkinner
- SCNSliderConstraint
- SCNSphere
- SCNTechnique
- SCNText
- SCNTimingFunction
- SCNTorus
- SCNTransaction
- SCNTransformConstraint
- SCNTube
- SCNView
- SCNView.Option
- ScreenSaverDefaults
- ScreenSaverView
- SecKeyAlgorithm
- SecKeyKeyExchangeParameter
- Selector
- Set
- Set.Index
- SFAuthenticationSession
- SFAuthorization
- SFContentBlockerManager
- SFContentBlockerState
- SFSafariApplication
- SFSafariExtensionHandler
- SFSafariExtensionManager
- SFSafariExtensionState
- SFSafariExtensionView
Controller - SFSafariPage
- SFSafariPageProperties
- SFSafariTab
- SFSafariToolbarItem
- SFSafariViewController
- SFSafariViewController
.Configuration - SFSafariWindow
- SFSpeechAudioBuffer
RecognitionRequest - SFSpeechRecognitionRequest
- SFSpeechRecognitionResult
- SFSpeechRecognitionTask
- SFSpeechRecognizer
- SFSpeechURLRecognitionRequest
- SFTranscription
- SFTranscriptionSegment
- SK3DNode
- SKAction
- SKAdNetwork
- SKAttribute
- SKAttributeValue
- SKAudioNode
- SKCameraNode
- SKCloudServiceController
- SKCloudServiceSetupAction
- SKCloudServiceSetupMessage
Identifier - SKCloudServiceSetupOptionsKey
- SKCloudServiceSetupView
Controller - SKConstraint
- SKCropNode
- SKDownload
- SKEffectNode
- SKEmitterNode
- SKFieldNode
- SKKeyframeSequence
- SKLabelNode
- SKLightNode
- SKMutablePayment
- SKMutableTexture
- SKNode
- SKPayment
- SKPaymentQueue
- SKPaymentTransaction
- SKPhysicsBody
- SKPhysicsContact
- SKPhysicsJoint
- SKPhysicsJointFixed
- SKPhysicsJointLimit
- SKPhysicsJointPin
- SKPhysicsJointSliding
- SKPhysicsJointSpring
- SKPhysicsWorld
- SKProduct
- SKProductDiscount
- SKProductsRequest
- SKProductsResponse
- SKProductStorePromotion
Controller - SKProductSubscriptionPeriod
- SKRange
- SKReachConstraints
- SKReceiptRefreshRequest
- SKReferenceNode
- SKRegion
- SKRenderer
- SKRequest
- SKScene
- SKShader
- SKShapeNode
- SKSpriteNode
- SKStoreProductViewController
- SKStoreReviewController
- SKTexture
- SKTextureAtlas
- SKTileDefinition
- SKTileGroup
- SKTileGroupRule
- SKTileMapNode
- SKTileSet
- SKTransformNode
- SKTransition
- SKUniform
- SKVideoNode
- SKView
- SKWarpGeometry
- SKWarpGeometryGrid
- SLComposeServiceView
Controller - SLComposeSheetConfiguration
Item - SLComposeViewController
- SLRequest
- SocketPort
- SSReadingList
- Stream
- Stream.PropertyKey
- StreamNetworkServiceTypeValue
- StreamSocketSecurityLevel
- StreamSOCKSProxyConfiguration
- StreamSOCKSProxyVersion
- String
- String.Index
- StringEncodingDetectionOptionsKey
- StringTransform
- Thread
- Timer
- TimeZone
- TKBERTLVRecord
- TKCompactTLVRecord
- TKSimpleTLVRecord
- TKSmartCard
- TKSmartCardATR
- TKSmartCardATR.InterfaceGroup
- TKSmartCardPINFormat
- TKSmartCardSlot
- TKSmartCardSlotManager
- TKSmartCardToken
- TKSmartCardTokenDriver
- TKSmartCardTokenSession
- TKSmartCardUserInteraction
- TKSmartCardUserInteractionFor
PINOperation - TKSmartCardUserInteractionFor
SecurePINChange - TKSmartCardUserInteractionFor
SecurePINVerification - TKTLVRecord
- TKToken
- TKTokenAuthOperation
- TKTokenDriver
- TKTokenKeyAlgorithm
- TKTokenKeychainCertificate
- TKTokenKeychainContents
- TKTokenKeychainItem
- TKTokenKeychainKey
- TKTokenKeyExchangeParameters
- TKTokenPasswordAuthOperation
- TKTokenSession
- TKTokenSmartCardPINAuth
Operation - TKTokenWatcher
- TVApplicationController
- TVApplicationController
Context - TVColor
- TVContentIdentifier
- TVContentItem
- TVElementFactory
- TVImageElement
- TVInterfaceFactory
- TVStyleFactory
- TVTextElement
- TVViewElement
- TVViewElementStyle
- UIAccessibilityCustomAction
- UIAccessibilityCustomRotor
- UIAccessibilityCustomRotor
ItemResult - UIAccessibilityCustomRotor
SearchPredicate - UIAccessibilityElement
- UIAccessibilityLocation
Descriptor - UIActionSheet
- UIActivity
- UIActivityIndicatorView
- UIActivityItemProvider
- UIActivityType
- UIActivityViewController
- UIAlertAction
- UIAlertController
- UIAlertView
- UIApplication
- UIApplicationExtensionPoint
Identifier - UIApplicationLaunchOptionsKey
- UIApplicationOpenURLOptions
Key - UIApplicationShortcutIcon
- UIApplicationShortcutItem
- UIAttachmentBehavior
- UIBarButtonItem
- UIBarButtonItemGroup
- UIBarItem
- UIBezierPath
- UIBlurEffect
- UIButton
- UICloudSharingController
- UICollectionReusableView
- UICollectionView
- UICollectionViewCell
- UICollectionViewController
- UICollectionViewDrop
Placeholder - UICollectionViewDropProposal
- UICollectionViewFlowLayout
- UICollectionViewFlowLayout
InvalidationContext - UICollectionViewFocusUpdate
Context - UICollectionViewLayout
- UICollectionViewLayout
Attributes - UICollectionViewLayout
InvalidationContext - UICollectionViewPlaceholder
- UICollectionViewTransition
Layout - UICollectionViewUpdateItem
- UICollisionBehavior
- UIColor
- UIContentSizeCategory
- UIContextualAction
- UIControl
- UICubicTimingParameters
- UIDatePicker
- UIDevice
- UIDictationPhrase
- UIDocument
- UIDocumentBrowserAction
- UIDocumentBrowserTransition
Controller - UIDocumentBrowserView
Controller - UIDocumentInteraction
Controller - UIDocumentMenuViewController
- UIDocumentPickerExtensionView
Controller - UIDocumentPickerView
Controller - UIDragInteraction
- UIDragItem
- UIDragPreview
- UIDragPreviewParameters
- UIDragPreviewTarget
- UIDropInteraction
- UIDropProposal
- UIDynamicAnimator
- UIDynamicBehavior
- UIDynamicItemBehavior
- UIDynamicItemGroup
- UIEvent
- UIFeedbackGenerator
- UIFieldBehavior
- UIFocusAnimationCoordinator
- UIFocusDebugger
- UIFocusGuide
- UIFocusSoundIdentifier
- UIFocusSystem
- UIFocusUpdateContext
- UIFont
- UIFont.Weight
- UIFontDescriptor
- UIFontDescriptor.Attribute
Name - UIFontDescriptor.FeatureKey
- UIFontDescriptor.TraitKey
- UIFontMetrics
- UIFontTextStyle
- UIGestureRecognizer
- UIGraphicsImageRenderer
- UIGraphicsImageRenderer
Context - UIGraphicsImageRendererFormat
- UIGraphicsPDFRenderer
- UIGraphicsPDFRendererContext
- UIGraphicsPDFRendererFormat
- UIGraphicsRenderer
- UIGraphicsRendererContext
- UIGraphicsRendererFormat
- UIGravityBehavior
- UIImage
- UIImageAsset
- UIImagePickerController
- UIImageView
- UIImpactFeedbackGenerator
- UIInputView
- UIInputViewController
- UIInterpolatingMotionEffect
- UIKeyCommand
- UILabel
- UILayoutGuide
- UILayoutPriority
- UILexicon
- UILexiconEntry
- UILocalizedIndexedCollation
- UILocalNotification
- UILongPressGestureRecognizer
- UIManagedDocument
- UIMarkupTextPrintFormatter
- UIMenuController
- UIMenuItem
- UIMotionEffect
- UIMotionEffectGroup
- UIMutableApplicationShortcut
Item - UIMutableUserNotification
Action - UIMutableUserNotification
Category - UINavigationBar
- UINavigationController
- UINavigationItem
- UINib
- UINotificationFeedback
Generator - UInt
- UInt16
- UInt32
- UInt64
- UInt8
- UIPageControl
- UIPageViewController
- UIPanGestureRecognizer
- UIPasteboard
- UIPasteboardName
- UIPasteboardOption
- UIPasteConfiguration
- UIPercentDrivenInteractive
Transition - UIPickerView
- UIPinchGestureRecognizer
- UIPopoverBackgroundView
- UIPopoverController
- UIPopoverPresentation
Controller - UIPresentationController
- UIPress
- UIPressesEvent
- UIPreviewAction
- UIPreviewActionGroup
- UIPreviewInteraction
- UIPrinter
- UIPrinterPickerController
- UIPrintFormatter
- UIPrintInfo
- UIPrintInteractionController
- UIPrintPageRenderer
- UIPrintPaper
- UIProgressView
- UIPushBehavior
- UIReferenceLibraryView
Controller - UIRefreshControl
- UIRegion
- UIResponder
- UIRotationGestureRecognizer
- UIScreen
- UIScreenEdgePanGesture
Recognizer - UIScreenMode
- UIScrollView
- UISearchBar
- UISearchContainerView
Controller - UISearchController
- UISearchDisplayController
- UISegmentedControl
- UISelectionFeedbackGenerator
- UISimpleTextPrintFormatter
- UISlider
- UISnapBehavior
- UISplitViewController
- UISpringLoadedInteraction
- UISpringTimingParameters
- UIStackView
- UIStepper
- UIStoryboard
- UIStoryboardPopoverSegue
- UIStoryboardSegue
- UIStoryboardUnwindSegueSource
- UISwipeActionsConfiguration
- UISwipeGestureRecognizer
- UISwitch
- UITabBar
- UITabBarController
- UITabBarItem
- UITableView
- UITableViewCell
- UITableViewController
- UITableViewDropPlaceholder
- UITableViewDropProposal
- UITableViewFocusUpdateContext
- UITableViewHeaderFooterView
- UITableViewPlaceholder
- UITableViewRowAction
- UITapGestureRecognizer
- UITargetedDragPreview
- UITextChecker
- UITextContentType
- UITextDragPreviewRenderer
- UITextDropProposal
- UITextField
- UITextInputAssistantItem
- UITextInputMode
- UITextInputStringTokenizer
- UITextPosition
- UITextRange
- UITextSelectionRect
- UITextView
- UIToolbar
- UITouch
- UITraitCollection
- UITransitionContextView
ControllerKey - UITransitionContextViewKey
- UIUserNotificationAction
- UIUserNotificationCategory
- UIUserNotificationSettings
- UIVibrancyEffect
- UIVideoEditorController
- UIView
- UIViewController
- UIViewPrintFormatter
- UIViewPropertyAnimator
- UIVisualEffect
- UIVisualEffectView
- UIWebView
- UIWindow
- UNCalendarNotificationTrigger
- UndoManager
- Unicode.Scalar
- Unit
- UnitAcceleration
- UnitAngle
- UnitArea
- UnitConcentrationMass
- UnitConverter
- UnitConverterLinear
- UnitDispersion
- UnitDuration
- UnitElectricCharge
- UnitElectricCurrent
- UnitElectricPotential
Difference - UnitElectricResistance
- UnitEnergy
- UnitFrequency
- UnitFuelEfficiency
- UnitIlluminance
- UnitLength
- UnitMass
- UnitPower
- UnitPressure
- UnitSpeed
- UnitTemperature
- UnitVolume
- UNLocationNotificationTrigger
- UNMutableNotificationContent
- UNNotification
- UNNotificationAction
- UNNotificationAttachment
- UNNotificationCategory
- UNNotificationContent
- UNNotificationRequest
- UNNotificationResponse
- UNNotificationService
Extension - UNNotificationSettings
- UNNotificationSound
- UNNotificationTrigger
- UNPushNotificationTrigger
- UnsafeMutablePointer
- UnsafeMutableRawPointer
- UnsafePointer
- UnsafeRawPointer
- UNTextInputNotificationAction
- UNTextInputNotification
Response - UNTimeIntervalNotification
Trigger - UNUserNotificationCenter
- URLAuthenticationChallenge
- URLCache
- URLComponents
- URLCredential
- URLCredentialStorage
- URLError.Code
- URLFileProtection
- URLFileResourceType
- URLProtectionSpace
- URLProtocol
- URLQueryItem
- URLRequest
- URLResourceKey
- URLResponse
- URLSession
- URLSessionConfiguration
- URLSessionDataTask
- URLSessionDownloadTask
- URLSessionStreamTask
- URLSessionTask
- URLSessionTaskMetrics
- URLSessionTaskTransaction
Metrics - URLSessionUploadTask
- URLThumbnailDictionaryItem
- URLUbiquitousItemDownloading
Status - URLUbiquitousSharedItem
Permissions - URLUbiquitousSharedItemRole
- UserDefaults
- UserInfoKey
- UUID
- ValueTransformer
- VNBarcodeObservation
- VNBarcodeSymbology
- VNClassificationObservation
- VNCoreMLFeatureValue
Observation - VNCoreMLModel
- VNCoreMLRequest
- VNDetectBarcodesRequest
- VNDetectedObjectObservation
- VNDetectFaceLandmarksRequest
- VNDetectFaceRectanglesRequest
- VNDetectHorizonRequest
- VNDetectRectanglesRequest
- VNDetectTextRectanglesRequest
- VNFaceLandmarkRegion
- VNFaceLandmarkRegion2D
- VNFaceLandmarks
- VNFaceLandmarks2D
- VNFaceObservation
- VNHomographicImage
RegistrationRequest - VNHorizonObservation
- VNImageAlignmentObservation
- VNImageBasedRequest
- VNImageHomographicAlignment
Observation - VNImageOption
- VNImageRegistrationRequest
- VNImageRequestHandler
- VNImageTranslationAlignment
Observation - VNObservation
- VNPixelBufferObservation
- VNRectangleObservation
- VNRequest
- VNSequenceRequestHandler
- VNTargetedImageRequest
- VNTextObservation
- VNTrackingRequest
- VNTrackObjectRequest
- VNTrackRectangleRequest
- VNTranslationalImage
RegistrationRequest - WCSession
- WCSessionFile
- WCSessionFileTransfer
- WCSessionUserInfoTransfer
- WebArchive
- WebBackForwardList
- WebDataSource
- WebDownload
- WebFrame
- WebFrameView
- WebHistory
- WebHistoryItem
- WebPreferences
- WebResource
- WebScriptObject
- WebUndefined
- WebView
- WKAccessibilityImageRegion
- WKAlertAction
- WKApplicationRefresh
BackgroundTask - WKAudioFileAsset
- WKAudioFilePlayer
- WKAudioFilePlayerItem
- WKAudioFileQueuePlayer
- WKBackForwardList
- WKBackForwardListItem
- WKContentRuleList
- WKContentRuleListStore
- WKCrownSequencer
- WKExtension
- WKFrameInfo
- WKGestureRecognizer
- WKHTTPCookieStore
- WKImage
- WKInterfaceActivityRing
- WKInterfaceButton
- WKInterfaceController
- WKInterfaceDate
- WKInterfaceDevice
- WKInterfaceGroup
- WKInterfaceHMCamera
- WKInterfaceImage
- WKInterfaceInlineMovie
- WKInterfaceLabel
- WKInterfaceMap
- WKInterfaceMovie
- WKInterfaceObject
- WKInterfacePaymentButton
- WKInterfacePicker
- WKInterfaceSCNScene
- WKInterfaceSeparator
- WKInterfaceSKScene
- WKInterfaceSlider
- WKInterfaceSwitch
- WKInterfaceTable
- WKInterfaceTimer
- WKLongPressGestureRecognizer
- WKNavigation
- WKNavigationAction
- WKNavigationResponse
- WKOpenPanelParameters
- WKPanGestureRecognizer
- WKPickerItem
- WKPreferences
- WKPreviewElementInfo
- WKProcessPool
- WKRefreshBackgroundTask
- WKScriptMessage
- WKSecurityOrigin
- WKSnapshotConfiguration
- WKSnapshotRefreshBackground
Task - WKSwipeGestureRecognizer
- WKTapGestureRecognizer
- WKURLSessionRefreshBackground
Task - WKUserContentController
- WKUserNotificationInterface
Controller - WKUserScript
- WKWatchConnectivityRefresh
BackgroundTask - WKWebsiteDataRecord
- WKWebsiteDataStore
- WKWebView
- WKWebViewConfiguration
- WKWindowFeatures
- XCSourceEditorCommand
DefinitionKey - XCSourceEditorCommand
Invocation - XCSourceTextBuffer
- XCSourceTextRange
- XCTAttachment
- XCTContext
- XCTDarwinNotification
Expectation - XCTest
- XCTestCase
- XCTestCaseRun
- XCTestExpectation
- XCTestLog
- XCTestObservationCenter
- XCTestObserver
- XCTestProbe
- XCTestRun
- XCTestSuite
- XCTestSuiteRun
- XCTKVOExpectation
- XCTNSNotificationExpectation
- XCTNSPredicateExpectation
- XCTPerformanceMetric
- XCTWaiter
- XCUIApplication
- XCUICoordinate
- XCUIDevice
- XCUIElement
- XCUIElementQuery
- XCUIKeyboardKey
- XCUIRemote
- XCUIScreen
- XCUIScreenshot
- XCUISiriService
- XMLDocument
- XMLDTD
- XMLDTDNode
- XMLElement
- XMLNode
- XMLParser
以下も見よ
Set と Dictionary
Set と Dictionary で使用される汎用ハッシュ関数。