mirror of
https://github.com/amix/vimrc
synced 2025-07-08 18:04:59 +08:00
add cocoa.vim & swift.vim
This commit is contained in:
@ -0,0 +1,2 @@
|
||||
These are the files I used to generate cocoa_indexes and cocoa_keywords.vim
|
||||
You can delete them if you want; I've left them here in case you're curious.
|
94
sources_non_forked/cocoa.vim/lib/extras/build_syntaxfile.py
Executable file
94
sources_non_forked/cocoa.vim/lib/extras/build_syntaxfile.py
Executable file
@ -0,0 +1,94 @@
|
||||
#!/usr/bin/python
|
||||
'''Builds Vim syntax file for Cocoa keywords.'''
|
||||
import sys, datetime
|
||||
import cocoa_definitions
|
||||
|
||||
def usage():
|
||||
print 'usage: build_syntaxfile.py [outputfile]'
|
||||
return -1
|
||||
|
||||
def generate_syntax_file():
|
||||
'''Returns a list of lines for a Vim syntax file of Cocoa keywords.'''
|
||||
dir = './cocoa_indexes/'
|
||||
cocoa_definitions.extract_files_to(dir)
|
||||
|
||||
# Normal classes & protocols need to be differentiated in syntax, so
|
||||
# we need to generate them again.
|
||||
headers = ' '.join(cocoa_definitions.default_headers())
|
||||
|
||||
output = \
|
||||
['" Description: Syntax highlighting for the cocoa.vim plugin.',
|
||||
'" Adds highlighting for Cocoa keywords (classes, types, etc.).',
|
||||
'" Last Generated: ' + datetime.date.today().strftime('%B %d, %Y'),
|
||||
'']
|
||||
|
||||
output += ['" Cocoa Functions',
|
||||
'syn keyword cocoaFunction containedin=objcMessage '
|
||||
+ join_lines(read_file(dir + 'functions.txt')),
|
||||
'',
|
||||
'" Cocoa Classes',
|
||||
'syn keyword cocoaClass containedin=objcMessage '
|
||||
+ join_lines(get_classes(headers)),
|
||||
'',
|
||||
'" Cocoa Protocol Classes',
|
||||
'syn keyword cocoaProtocol containedin=objcProtocol '
|
||||
+ join_lines(get_protocol_classes(headers)),
|
||||
'',
|
||||
'" Cocoa Types',
|
||||
'syn keyword cocoaType containedin=objcMessage CGFloat '
|
||||
+ join_lines(read_file(dir + 'types.txt')),
|
||||
'',
|
||||
'" Cocoa Constants',
|
||||
'syn keyword cocoaConstant containedin=objcMessage '
|
||||
+ join_lines(read_file(dir + 'constants.txt')),
|
||||
'',
|
||||
'" Cocoa Notifications',
|
||||
'syn keyword cocoaNotification containedin=objcMessage '
|
||||
+ join_lines(read_file(dir + 'notifications.txt')),
|
||||
'']
|
||||
|
||||
output += ['hi link cocoaFunction Keyword',
|
||||
'hi link cocoaClass Special',
|
||||
'hi link cocoaProtocol cocoaClass',
|
||||
'hi link cocoaType Type',
|
||||
'hi link cocoaConstant Constant',
|
||||
'hi link cocoaNotification Constant']
|
||||
return output
|
||||
|
||||
def read_file(fname):
|
||||
'''Returns the lines as a string for the given filename.'''
|
||||
f = open(fname, 'r')
|
||||
lines = f.read()
|
||||
f.close()
|
||||
return lines
|
||||
|
||||
def join_lines(lines):
|
||||
'''Returns string of lines with newlines converted to spaces.'''
|
||||
if type(lines).__name__ == 'str':
|
||||
return lines.replace('\n', ' ')
|
||||
else:
|
||||
line = ([line[:-1] if line[-1] == '\n' else line for line in lines])
|
||||
return ' '.join(line)
|
||||
|
||||
def get_classes(header_files):
|
||||
'''Returns @interface classes.'''
|
||||
return cocoa_definitions.match_output("grep -ho '@interface \(NS\|UI\)[A-Za-z]*' "
|
||||
+ header_files, '(NS|UI)\w+', 0)
|
||||
|
||||
def get_protocol_classes(header_files):
|
||||
'''Returns @protocol classes.'''
|
||||
return cocoa_definitions.match_output("grep -ho '@protocol \(NS\|UI\)[A-Za-z]*' "
|
||||
+ header_files, '(NS|UI)\w+', 0)
|
||||
|
||||
def output_file(fname=None):
|
||||
'''Writes syntax entries to file or prints them if no file is given.'''
|
||||
if fname:
|
||||
cocoa_definitions.write_file(fname, generate_syntax_file())
|
||||
else:
|
||||
print "\n".join(generate_syntax_file())
|
||||
|
||||
if __name__ == '__main__':
|
||||
if '-h' in sys.argv or '--help' in sys.argv:
|
||||
sys.exit(usage())
|
||||
else:
|
||||
output_file(sys.argv[1] if len(sys.argv) > 1 else None)
|
64
sources_non_forked/cocoa.vim/lib/extras/cocoa_classes.py
Executable file
64
sources_non_forked/cocoa.vim/lib/extras/cocoa_classes.py
Executable file
@ -0,0 +1,64 @@
|
||||
#!/usr/bin/python
|
||||
'''
|
||||
Creates text file of Cocoa superclasses in given filename or in
|
||||
./cocoa_indexes/classes.txt by default.
|
||||
'''
|
||||
import os, re
|
||||
from cocoa_definitions import write_file, find
|
||||
from commands import getoutput
|
||||
|
||||
# We need find_headers() to return a dictionary instead of a list
|
||||
def find_headers(root_folder, frameworks):
|
||||
'''Returns a dictionary of the headers for each given framework.'''
|
||||
headers_and_frameworks = {}
|
||||
folder = root_folder + '/System/Library/Frameworks/'
|
||||
for framework in frameworks:
|
||||
bundle = folder + framework + '.framework'
|
||||
if os.path.isdir(bundle):
|
||||
headers_and_frameworks[framework] = ' '.join(find(bundle, '.h'))
|
||||
return headers_and_frameworks
|
||||
|
||||
def get_classes(header_files_and_frameworks):
|
||||
'''Returns list of Cocoa Protocols classes & their framework.'''
|
||||
classes = {}
|
||||
for framework, files in header_files_and_frameworks:
|
||||
for line in getoutput(r"grep -ho '@\(interface\|protocol\) [A-Z]\w\+' "
|
||||
+ files).split("\n"):
|
||||
cocoa_class = re.search(r'[A-Z]\w+', line)
|
||||
if cocoa_class and not classes.has_key(cocoa_class.group(0)):
|
||||
classes[cocoa_class.group(0)] = framework
|
||||
classes = classes.items()
|
||||
classes.sort()
|
||||
return classes
|
||||
|
||||
def get_superclasses(classes_and_frameworks):
|
||||
'''
|
||||
Given a list of Cocoa classes & their frameworks, returns a list of their
|
||||
superclasses in the form: "class\|superclass\|superclass\|...".
|
||||
'''
|
||||
args = ''
|
||||
for classname, framework in classes_and_frameworks:
|
||||
args += classname + ' ' + framework + ' '
|
||||
return getoutput('./superclasses ' + args).split("\n")
|
||||
|
||||
def output_file(fname=None):
|
||||
'''Output text file of Cocoa classes to given filename.'''
|
||||
if fname is None:
|
||||
fname = './cocoa_indexes/classes.txt'
|
||||
if not os.path.isdir(os.path.dirname(fname)):
|
||||
os.mkdir(os.path.dirname(fname))
|
||||
|
||||
cocoa_frameworks = ('Foundation', 'AppKit', 'AddressBook', 'CoreData',
|
||||
'PreferencePanes', 'QTKit', 'ScreenSaver',
|
||||
'SyncServices', 'WebKit')
|
||||
iphone_frameworks = ('UIKit', 'GameKit')
|
||||
iphone_sdk_path = '/Applications/Xcode.app/Contents/Developer/Platforms/iPhoneOS.platform/Developer/SDKs/iPhoneOS8.1.sdk'
|
||||
headers_and_frameworks = find_headers('', cocoa_frameworks).items() + \
|
||||
find_headers(iphone_sdk_path, iphone_frameworks).items()
|
||||
|
||||
superclasses = get_superclasses(get_classes(headers_and_frameworks))
|
||||
write_file(fname, superclasses)
|
||||
|
||||
if __name__ == '__main__':
|
||||
from sys import argv
|
||||
output_file(argv[1] if len(argv) > 1 else None)
|
100
sources_non_forked/cocoa.vim/lib/extras/cocoa_definitions.py
Executable file
100
sources_non_forked/cocoa.vim/lib/extras/cocoa_definitions.py
Executable file
@ -0,0 +1,100 @@
|
||||
#!/usr/bin/python
|
||||
'''Creates a folder containing text files of Cocoa keywords.'''
|
||||
import os, commands, re
|
||||
from sys import argv
|
||||
|
||||
def find(searchpath, ext):
|
||||
'''Mimics the "find searchpath -name *.ext" unix command.'''
|
||||
results = []
|
||||
for path, dirs, files in os.walk(searchpath):
|
||||
for filename in files:
|
||||
if filename.endswith(ext):
|
||||
results.append(os.path.join(path, filename))
|
||||
return results
|
||||
|
||||
def find_headers(root_folder, frameworks):
|
||||
'''Returns list of the header files for the given frameworks.'''
|
||||
headers = []
|
||||
folder = root_folder + '/System/Library/Frameworks/'
|
||||
for framework in frameworks:
|
||||
headers.extend(find(folder + framework + '.framework', '.h'))
|
||||
return headers
|
||||
|
||||
def default_headers():
|
||||
'''Headers for common Cocoa frameworks.'''
|
||||
cocoa_frameworks = ('Foundation', 'CoreFoundation', 'AppKit',
|
||||
'AddressBook', 'CoreData', 'PreferencePanes', 'QTKit',
|
||||
'ScreenSaver', 'SyncServices', 'WebKit')
|
||||
iphone_frameworks = ('UIKit', 'GameKit')
|
||||
iphone_sdk_path = '/Applications/Xcode.app/Contents/Developer/Platforms/iPhoneOS.platform/Developer/SDKs/iPhoneOS8.1.sdk'
|
||||
return find_headers('', cocoa_frameworks) + \
|
||||
find_headers(iphone_sdk_path, iphone_frameworks)
|
||||
|
||||
def match_output(command, regex, group_num):
|
||||
'''
|
||||
Returns an ordered list of all matches of the supplied regex for the
|
||||
output of the given command.
|
||||
'''
|
||||
results = []
|
||||
for line in commands.getoutput(command).split("\n"):
|
||||
match = re.search(regex, line)
|
||||
if match and not match.group(group_num) in results:
|
||||
results.append(match.group(group_num))
|
||||
results.sort()
|
||||
return results
|
||||
|
||||
def get_functions(header_files):
|
||||
'''Returns list of Cocoa Functions.'''
|
||||
lines = match_output(r"grep -h '^[A-Z][A-Z_]* [^;]* \**\(NS\|UI\)\w\+ *(' "
|
||||
+ header_files, r'((NS|UI)\w+)\s*\(.*?\)', 1)
|
||||
lines = [format_function_line(line) for line in lines]
|
||||
lines += match_output(r"grep -h '^#define \(NS\|UI\)\w\+ *(' "
|
||||
+ header_files, r'((NS|UI)\w+)\s*\(.*?\)', 1)
|
||||
return lines
|
||||
|
||||
def format_function_line(line):
|
||||
# line = line.replace('NSInteger', 'int')
|
||||
# line = line.replace('NSUInteger', 'unsigned int')
|
||||
# line = line.replace('CGFloat', 'float')
|
||||
return re.sub(r'void(\s*[^*])', r'\1', line)
|
||||
|
||||
def get_types(header_files):
|
||||
'''Returns a list of Cocoa Types.'''
|
||||
return match_output(r"grep -h 'typedef .* _*\(NS\|UI\)[A-Za-z]*' "
|
||||
+ header_files, r'((NS|UI)[A-Za-z]+)\)?\s*(;|{)', 1)
|
||||
|
||||
def get_constants(header_files):
|
||||
'''Returns a list of Cocoa Constants.'''
|
||||
return match_output(r"awk '/^(typedef )?(enum|NS_(ENUM|OPTIONS)\(.*\)) .*\{/ {pr = 1;} /\}/ {pr = 0;}"
|
||||
r"{ if(pr) print $0; }' " + header_files,
|
||||
r'^\s*((NS|UI)[A-Z][A-Za-z0-9_]*)', 1)
|
||||
|
||||
def get_notifications(header_files):
|
||||
'''Returns a list of Cocoa Notifications.'''
|
||||
return match_output(r"egrep -h '\*(\s*const\s+)?\s*(NS|UI).*Notification' "
|
||||
+ header_files, r'(NS|UI)\w*Notification', 0)
|
||||
|
||||
def write_file(filename, lines):
|
||||
'''Attempts to write list to file or exits with error if it can't.'''
|
||||
try:
|
||||
f = open(filename, 'w')
|
||||
except IOError, error:
|
||||
raise SystemExit(argv[0] + ': %s' % error)
|
||||
f.write("\n".join(lines))
|
||||
f.close()
|
||||
|
||||
def extract_files_to(dirname=None):
|
||||
'''Extracts .txt files to given directory or ./cocoa_indexes by default.'''
|
||||
if dirname is None:
|
||||
dirname = './cocoa_indexes'
|
||||
if not os.path.isdir(dirname):
|
||||
os.mkdir(dirname)
|
||||
headers = ' '.join(default_headers())
|
||||
|
||||
write_file(dirname + '/functions.txt', get_functions (headers))
|
||||
write_file(dirname + '/types.txt', get_types (headers))
|
||||
write_file(dirname + '/constants.txt', get_constants (headers))
|
||||
write_file(dirname + '/notifications.txt', get_notifications(headers))
|
||||
|
||||
if __name__ == '__main__':
|
||||
extract_files_to(argv[1] if len(argv) > 1 else None)
|
BIN
sources_non_forked/cocoa.vim/lib/extras/cocoa_definitions.pyc
Normal file
BIN
sources_non_forked/cocoa.vim/lib/extras/cocoa_definitions.pyc
Normal file
Binary file not shown.
@ -0,0 +1,990 @@
|
||||
ABAddressBook\|NSObject
|
||||
ABGroup\|ABRecord\|NSObject
|
||||
ABImageClient
|
||||
ABMultiValue\|NSObject
|
||||
ABMutableMultiValue\|ABMultiValue\|NSObject
|
||||
ABPeoplePickerView\|NSView\|NSResponder\|NSObject
|
||||
ABPerson\|ABRecord\|NSObject
|
||||
ABPersonPicker
|
||||
ABPersonPickerDelegate
|
||||
ABPersonView\|NSView\|NSResponder\|NSObject
|
||||
ABRecord\|NSObject
|
||||
ABSearchElement\|NSObject
|
||||
CIColor\|NSObject
|
||||
CIImage\|NSObject
|
||||
DOMAbstractView\|DOMObject\|WebScriptObject\|NSObject
|
||||
DOMAttr\|DOMNode\|DOMObject\|WebScriptObject\|NSObject
|
||||
DOMBlob\|DOMObject\|WebScriptObject\|NSObject
|
||||
DOMCDATASection\|DOMText\|DOMCharacterData\|DOMNode\|DOMObject\|WebScriptObject\|NSObject
|
||||
DOMCSSCharsetRule\|DOMCSSRule\|DOMObject\|WebScriptObject\|NSObject
|
||||
DOMCSSFontFaceRule\|DOMCSSRule\|DOMObject\|WebScriptObject\|NSObject
|
||||
DOMCSSImportRule\|DOMCSSRule\|DOMObject\|WebScriptObject\|NSObject
|
||||
DOMCSSMediaRule\|DOMCSSRule\|DOMObject\|WebScriptObject\|NSObject
|
||||
DOMCSSPageRule\|DOMCSSRule\|DOMObject\|WebScriptObject\|NSObject
|
||||
DOMCSSPrimitiveValue\|DOMCSSValue\|DOMObject\|WebScriptObject\|NSObject
|
||||
DOMCSSRule\|DOMObject\|WebScriptObject\|NSObject
|
||||
DOMCSSRuleList\|DOMObject\|WebScriptObject\|NSObject
|
||||
DOMCSSStyleDeclaration\|DOMObject\|WebScriptObject\|NSObject
|
||||
DOMCSSStyleRule\|DOMCSSRule\|DOMObject\|WebScriptObject\|NSObject
|
||||
DOMCSSStyleSheet\|DOMStyleSheet\|DOMObject\|WebScriptObject\|NSObject
|
||||
DOMCSSUnknownRule\|DOMCSSRule\|DOMObject\|WebScriptObject\|NSObject
|
||||
DOMCSSValue\|DOMObject\|WebScriptObject\|NSObject
|
||||
DOMCSSValueList\|DOMCSSValue\|DOMObject\|WebScriptObject\|NSObject
|
||||
DOMCharacterData\|DOMNode\|DOMObject\|WebScriptObject\|NSObject
|
||||
DOMComment\|DOMCharacterData\|DOMNode\|DOMObject\|WebScriptObject\|NSObject
|
||||
DOMCounter\|DOMObject\|WebScriptObject\|NSObject
|
||||
DOMDocument\|DOMNode\|DOMObject\|WebScriptObject\|NSObject
|
||||
DOMDocumentFragment\|DOMNode\|DOMObject\|WebScriptObject\|NSObject
|
||||
DOMDocumentType\|DOMNode\|DOMObject\|WebScriptObject\|NSObject
|
||||
DOMElement\|DOMNode\|DOMObject\|WebScriptObject\|NSObject
|
||||
DOMEntity\|DOMNode\|DOMObject\|WebScriptObject\|NSObject
|
||||
DOMEntityReference\|DOMNode\|DOMObject\|WebScriptObject\|NSObject
|
||||
DOMEvent\|DOMObject\|WebScriptObject\|NSObject
|
||||
DOMEventListener
|
||||
DOMEventTarget
|
||||
DOMFile\|DOMBlob\|DOMObject\|WebScriptObject\|NSObject
|
||||
DOMFileList\|DOMObject\|WebScriptObject\|NSObject
|
||||
DOMHTMLAnchorElement\|DOMHTMLElement\|DOMElement\|DOMNode\|DOMObject\|WebScriptObject\|NSObject
|
||||
DOMHTMLAppletElement\|DOMHTMLElement\|DOMElement\|DOMNode\|DOMObject\|WebScriptObject\|NSObject
|
||||
DOMHTMLAreaElement\|DOMHTMLElement\|DOMElement\|DOMNode\|DOMObject\|WebScriptObject\|NSObject
|
||||
DOMHTMLBRElement\|DOMHTMLElement\|DOMElement\|DOMNode\|DOMObject\|WebScriptObject\|NSObject
|
||||
DOMHTMLBaseElement\|DOMHTMLElement\|DOMElement\|DOMNode\|DOMObject\|WebScriptObject\|NSObject
|
||||
DOMHTMLBaseFontElement\|DOMHTMLElement\|DOMElement\|DOMNode\|DOMObject\|WebScriptObject\|NSObject
|
||||
DOMHTMLBodyElement\|DOMHTMLElement\|DOMElement\|DOMNode\|DOMObject\|WebScriptObject\|NSObject
|
||||
DOMHTMLButtonElement\|DOMHTMLElement\|DOMElement\|DOMNode\|DOMObject\|WebScriptObject\|NSObject
|
||||
DOMHTMLCollection\|DOMObject\|WebScriptObject\|NSObject
|
||||
DOMHTMLDListElement\|DOMHTMLElement\|DOMElement\|DOMNode\|DOMObject\|WebScriptObject\|NSObject
|
||||
DOMHTMLDirectoryElement\|DOMHTMLElement\|DOMElement\|DOMNode\|DOMObject\|WebScriptObject\|NSObject
|
||||
DOMHTMLDivElement\|DOMHTMLElement\|DOMElement\|DOMNode\|DOMObject\|WebScriptObject\|NSObject
|
||||
DOMHTMLDocument\|DOMDocument\|DOMNode\|DOMObject\|WebScriptObject\|NSObject
|
||||
DOMHTMLElement\|DOMElement\|DOMNode\|DOMObject\|WebScriptObject\|NSObject
|
||||
DOMHTMLEmbedElement\|DOMHTMLElement\|DOMElement\|DOMNode\|DOMObject\|WebScriptObject\|NSObject
|
||||
DOMHTMLFieldSetElement\|DOMHTMLElement\|DOMElement\|DOMNode\|DOMObject\|WebScriptObject\|NSObject
|
||||
DOMHTMLFontElement\|DOMHTMLElement\|DOMElement\|DOMNode\|DOMObject\|WebScriptObject\|NSObject
|
||||
DOMHTMLFormElement\|DOMHTMLElement\|DOMElement\|DOMNode\|DOMObject\|WebScriptObject\|NSObject
|
||||
DOMHTMLFrameElement\|DOMHTMLElement\|DOMElement\|DOMNode\|DOMObject\|WebScriptObject\|NSObject
|
||||
DOMHTMLFrameSetElement\|DOMHTMLElement\|DOMElement\|DOMNode\|DOMObject\|WebScriptObject\|NSObject
|
||||
DOMHTMLHRElement\|DOMHTMLElement\|DOMElement\|DOMNode\|DOMObject\|WebScriptObject\|NSObject
|
||||
DOMHTMLHeadElement\|DOMHTMLElement\|DOMElement\|DOMNode\|DOMObject\|WebScriptObject\|NSObject
|
||||
DOMHTMLHeadingElement\|DOMHTMLElement\|DOMElement\|DOMNode\|DOMObject\|WebScriptObject\|NSObject
|
||||
DOMHTMLHtmlElement\|DOMHTMLElement\|DOMElement\|DOMNode\|DOMObject\|WebScriptObject\|NSObject
|
||||
DOMHTMLIFrameElement\|DOMHTMLElement\|DOMElement\|DOMNode\|DOMObject\|WebScriptObject\|NSObject
|
||||
DOMHTMLImageElement\|DOMHTMLElement\|DOMElement\|DOMNode\|DOMObject\|WebScriptObject\|NSObject
|
||||
DOMHTMLInputElement\|DOMHTMLElement\|DOMElement\|DOMNode\|DOMObject\|WebScriptObject\|NSObject
|
||||
DOMHTMLLIElement\|DOMHTMLElement\|DOMElement\|DOMNode\|DOMObject\|WebScriptObject\|NSObject
|
||||
DOMHTMLLabelElement\|DOMHTMLElement\|DOMElement\|DOMNode\|DOMObject\|WebScriptObject\|NSObject
|
||||
DOMHTMLLegendElement\|DOMHTMLElement\|DOMElement\|DOMNode\|DOMObject\|WebScriptObject\|NSObject
|
||||
DOMHTMLLinkElement\|DOMHTMLElement\|DOMElement\|DOMNode\|DOMObject\|WebScriptObject\|NSObject
|
||||
DOMHTMLMapElement\|DOMHTMLElement\|DOMElement\|DOMNode\|DOMObject\|WebScriptObject\|NSObject
|
||||
DOMHTMLMarqueeElement\|DOMHTMLElement\|DOMElement\|DOMNode\|DOMObject\|WebScriptObject\|NSObject
|
||||
DOMHTMLMenuElement\|DOMHTMLElement\|DOMElement\|DOMNode\|DOMObject\|WebScriptObject\|NSObject
|
||||
DOMHTMLMetaElement\|DOMHTMLElement\|DOMElement\|DOMNode\|DOMObject\|WebScriptObject\|NSObject
|
||||
DOMHTMLModElement\|DOMHTMLElement\|DOMElement\|DOMNode\|DOMObject\|WebScriptObject\|NSObject
|
||||
DOMHTMLOListElement\|DOMHTMLElement\|DOMElement\|DOMNode\|DOMObject\|WebScriptObject\|NSObject
|
||||
DOMHTMLObjectElement\|DOMHTMLElement\|DOMElement\|DOMNode\|DOMObject\|WebScriptObject\|NSObject
|
||||
DOMHTMLOptGroupElement\|DOMHTMLElement\|DOMElement\|DOMNode\|DOMObject\|WebScriptObject\|NSObject
|
||||
DOMHTMLOptionElement\|DOMHTMLElement\|DOMElement\|DOMNode\|DOMObject\|WebScriptObject\|NSObject
|
||||
DOMHTMLOptionsCollection\|DOMObject\|WebScriptObject\|NSObject
|
||||
DOMHTMLParagraphElement\|DOMHTMLElement\|DOMElement\|DOMNode\|DOMObject\|WebScriptObject\|NSObject
|
||||
DOMHTMLParamElement\|DOMHTMLElement\|DOMElement\|DOMNode\|DOMObject\|WebScriptObject\|NSObject
|
||||
DOMHTMLPreElement\|DOMHTMLElement\|DOMElement\|DOMNode\|DOMObject\|WebScriptObject\|NSObject
|
||||
DOMHTMLQuoteElement\|DOMHTMLElement\|DOMElement\|DOMNode\|DOMObject\|WebScriptObject\|NSObject
|
||||
DOMHTMLScriptElement\|DOMHTMLElement\|DOMElement\|DOMNode\|DOMObject\|WebScriptObject\|NSObject
|
||||
DOMHTMLSelectElement\|DOMHTMLElement\|DOMElement\|DOMNode\|DOMObject\|WebScriptObject\|NSObject
|
||||
DOMHTMLStyleElement\|DOMHTMLElement\|DOMElement\|DOMNode\|DOMObject\|WebScriptObject\|NSObject
|
||||
DOMHTMLTableCaptionElement\|DOMHTMLElement\|DOMElement\|DOMNode\|DOMObject\|WebScriptObject\|NSObject
|
||||
DOMHTMLTableCellElement\|DOMHTMLElement\|DOMElement\|DOMNode\|DOMObject\|WebScriptObject\|NSObject
|
||||
DOMHTMLTableColElement\|DOMHTMLElement\|DOMElement\|DOMNode\|DOMObject\|WebScriptObject\|NSObject
|
||||
DOMHTMLTableElement\|DOMHTMLElement\|DOMElement\|DOMNode\|DOMObject\|WebScriptObject\|NSObject
|
||||
DOMHTMLTableRowElement\|DOMHTMLElement\|DOMElement\|DOMNode\|DOMObject\|WebScriptObject\|NSObject
|
||||
DOMHTMLTableSectionElement\|DOMHTMLElement\|DOMElement\|DOMNode\|DOMObject\|WebScriptObject\|NSObject
|
||||
DOMHTMLTextAreaElement\|DOMHTMLElement\|DOMElement\|DOMNode\|DOMObject\|WebScriptObject\|NSObject
|
||||
DOMHTMLTitleElement\|DOMHTMLElement\|DOMElement\|DOMNode\|DOMObject\|WebScriptObject\|NSObject
|
||||
DOMHTMLUListElement\|DOMHTMLElement\|DOMElement\|DOMNode\|DOMObject\|WebScriptObject\|NSObject
|
||||
DOMImplementation\|DOMObject\|WebScriptObject\|NSObject
|
||||
DOMKeyboardEvent\|DOMUIEvent\|DOMEvent\|DOMObject\|WebScriptObject\|NSObject
|
||||
DOMMediaList\|DOMObject\|WebScriptObject\|NSObject
|
||||
DOMMouseEvent\|DOMUIEvent\|DOMEvent\|DOMObject\|WebScriptObject\|NSObject
|
||||
DOMMutationEvent\|DOMEvent\|DOMObject\|WebScriptObject\|NSObject
|
||||
DOMNamedNodeMap\|DOMObject\|WebScriptObject\|NSObject
|
||||
DOMNode\|DOMObject\|WebScriptObject\|NSObject
|
||||
DOMNodeFilter\|DOMObject\|WebScriptObject\|NSObject
|
||||
DOMNodeIterator\|DOMObject\|WebScriptObject\|NSObject
|
||||
DOMNodeList\|DOMObject\|WebScriptObject\|NSObject
|
||||
DOMNotation\|DOMNode\|DOMObject\|WebScriptObject\|NSObject
|
||||
DOMObject\|WebScriptObject\|NSObject
|
||||
DOMOverflowEvent\|DOMEvent\|DOMObject\|WebScriptObject\|NSObject
|
||||
DOMProcessingInstruction\|DOMNode\|DOMObject\|WebScriptObject\|NSObject
|
||||
DOMProgressEvent\|DOMEvent\|DOMObject\|WebScriptObject\|NSObject
|
||||
DOMRGBColor\|DOMObject\|WebScriptObject\|NSObject
|
||||
DOMRange\|DOMObject\|WebScriptObject\|NSObject
|
||||
DOMRect\|DOMObject\|WebScriptObject\|NSObject
|
||||
DOMStyleSheet\|DOMObject\|WebScriptObject\|NSObject
|
||||
DOMStyleSheetList\|DOMObject\|WebScriptObject\|NSObject
|
||||
DOMText\|DOMCharacterData\|DOMNode\|DOMObject\|WebScriptObject\|NSObject
|
||||
DOMTreeWalker\|DOMObject\|WebScriptObject\|NSObject
|
||||
DOMUIEvent\|DOMEvent\|DOMObject\|WebScriptObject\|NSObject
|
||||
DOMWheelEvent\|DOMMouseEvent\|DOMUIEvent\|DOMEvent\|DOMObject\|WebScriptObject\|NSObject
|
||||
DOMXPathExpression\|DOMObject\|WebScriptObject\|NSObject
|
||||
DOMXPathNSResolver
|
||||
DOMXPathResult\|DOMObject\|WebScriptObject\|NSObject
|
||||
GKAchievement\|NSObject
|
||||
GKAchievementChallenge\|GKChallenge\|NSObject
|
||||
GKAchievementDescription\|NSObject
|
||||
GKAchievementViewController\|NSViewController\|NSResponder\|NSObject
|
||||
GKAchievementViewControllerDelegate
|
||||
GKChallenge\|NSObject
|
||||
GKChallengeEventHandler\|NSObject
|
||||
GKChallengeEventHandlerDelegate
|
||||
GKChallengeListener
|
||||
GKFriendRequestComposeViewController\|NSViewController\|NSResponder\|NSObject
|
||||
GKFriendRequestComposeViewControllerDelegate
|
||||
GKGameCenterControllerDelegate
|
||||
GKGameCenterViewController\|NSViewController\|NSResponder\|NSObject
|
||||
GKInvite\|NSObject
|
||||
GKInviteEventListener
|
||||
GKLeaderboard\|NSObject
|
||||
GKLeaderboardSet
|
||||
GKLeaderboardViewController\|NSViewController\|NSResponder\|NSObject
|
||||
GKLeaderboardViewControllerDelegate
|
||||
GKLocalPlayer\|GKPlayer\|NSObject
|
||||
GKLocalPlayerListener
|
||||
GKMatch\|NSObject
|
||||
GKMatchDelegate
|
||||
GKMatchRequest\|NSObject
|
||||
GKMatchmaker\|NSObject
|
||||
GKMatchmakerViewController\|NSViewController\|NSResponder\|NSObject
|
||||
GKMatchmakerViewControllerDelegate
|
||||
GKNotificationBanner\|NSObject
|
||||
GKPeerPickerController
|
||||
GKPeerPickerControllerDelegate
|
||||
GKPlayer\|NSObject
|
||||
GKSavedGame
|
||||
GKSavedGameListener
|
||||
GKScore\|NSObject
|
||||
GKScoreChallenge\|GKChallenge\|NSObject
|
||||
GKSession\|NSObject
|
||||
GKSessionDelegate
|
||||
GKTurnBasedEventHandler\|NSObject
|
||||
GKTurnBasedEventListener
|
||||
GKTurnBasedExchangeReply
|
||||
GKTurnBasedMatch\|NSObject
|
||||
GKTurnBasedMatchmakerViewController\|NSViewController\|NSResponder\|NSObject
|
||||
GKTurnBasedMatchmakerViewControllerDelegate
|
||||
GKTurnBasedParticipant\|NSObject
|
||||
GKVoiceChat\|NSObject
|
||||
GKVoiceChatClient
|
||||
GKVoiceChatService
|
||||
ISyncChange\|NSObject
|
||||
ISyncClient\|NSObject
|
||||
ISyncConflictPropertyType
|
||||
ISyncFilter\|NSObject
|
||||
ISyncFiltering
|
||||
ISyncManager\|NSObject
|
||||
ISyncRecordReference\|NSObject
|
||||
ISyncRecordSnapshot\|NSObject
|
||||
ISyncSession\|NSObject
|
||||
ISyncSessionDriver\|NSObject
|
||||
ISyncSessionDriverDataSource
|
||||
NSATSTypesetter\|NSTypesetter\|NSObject
|
||||
NSActionCell\|NSCell\|NSObject
|
||||
NSAffineTransform\|NSObject
|
||||
NSAlert\|NSObject
|
||||
NSAlertDelegate
|
||||
NSAnimatablePropertyContainer
|
||||
NSAnimation\|NSObject
|
||||
NSAnimationContext\|NSObject
|
||||
NSAnimationDelegate
|
||||
NSAppearance\|NSObject
|
||||
NSAppearanceCustomization
|
||||
NSAppleEventDescriptor\|NSObject
|
||||
NSAppleEventManager\|NSObject
|
||||
NSAppleScript\|NSObject
|
||||
NSApplication\|NSResponder\|NSObject
|
||||
NSApplicationDelegate
|
||||
NSArchiver\|NSCoder\|NSObject
|
||||
NSArray\|NSObject
|
||||
NSArrayController\|NSObjectController\|NSController\|NSObject
|
||||
NSAssertionHandler\|NSObject
|
||||
NSAtomicStore\|NSPersistentStore\|NSObject
|
||||
NSAtomicStoreCacheNode\|NSObject
|
||||
NSAttributeDescription\|NSPropertyDescription\|NSObject
|
||||
NSAttributedString\|NSObject
|
||||
NSAutoreleasePool\|NSObject
|
||||
NSBezierPath\|NSObject
|
||||
NSBitmapImageRep\|NSImageRep\|NSObject
|
||||
NSBlockOperation\|NSOperation\|NSObject
|
||||
NSBox\|NSView\|NSResponder\|NSObject
|
||||
NSBrowser\|NSControl\|NSView\|NSResponder\|NSObject
|
||||
NSBrowserCell\|NSCell\|NSObject
|
||||
NSBrowserDelegate
|
||||
NSBundle\|NSObject
|
||||
NSButton\|NSControl\|NSView\|NSResponder\|NSObject
|
||||
NSButtonCell\|NSActionCell\|NSCell\|NSObject
|
||||
NSByteCountFormatter\|NSFormatter\|NSObject
|
||||
NSCIImageRep\|NSImageRep\|NSObject
|
||||
NSCache\|NSObject
|
||||
NSCacheDelegate
|
||||
NSCachedImageRep\|NSImageRep\|NSObject
|
||||
NSCachedURLResponse\|NSObject
|
||||
NSCalendar\|NSObject
|
||||
NSCalendarDate\|NSDate\|NSObject
|
||||
NSCell\|NSObject
|
||||
NSChangeSpelling
|
||||
NSCharacterSet\|NSObject
|
||||
NSClassDescription\|NSObject
|
||||
NSClipView\|NSView\|NSResponder\|NSObject
|
||||
NSCloneCommand\|NSScriptCommand\|NSObject
|
||||
NSCloseCommand\|NSScriptCommand\|NSObject
|
||||
NSCoder\|NSObject
|
||||
NSCoding
|
||||
NSCollectionView\|NSView\|NSResponder\|NSObject
|
||||
NSCollectionViewDelegate
|
||||
NSCollectionViewItem\|NSViewController\|NSResponder\|NSObject
|
||||
NSColor\|NSObject
|
||||
NSColorList\|NSObject
|
||||
NSColorPanel\|NSPanel\|NSWindow\|NSResponder\|NSObject
|
||||
NSColorPicker\|NSObject
|
||||
NSColorPickingCustom
|
||||
NSColorPickingDefault
|
||||
NSColorSpace\|NSObject
|
||||
NSColorWell\|NSControl\|NSView\|NSResponder\|NSObject
|
||||
NSComboBox\|NSTextField\|NSControl\|NSView\|NSResponder\|NSObject
|
||||
NSComboBoxCell\|NSTextFieldCell\|NSActionCell\|NSCell\|NSObject
|
||||
NSComboBoxCellDataSource
|
||||
NSComboBoxDataSource
|
||||
NSComboBoxDelegate
|
||||
NSComparisonPredicate\|NSPredicate\|NSObject
|
||||
NSCompoundPredicate\|NSPredicate\|NSObject
|
||||
NSCondition\|NSObject
|
||||
NSConditionLock\|NSObject
|
||||
NSConnection\|NSObject
|
||||
NSConnectionDelegate
|
||||
NSConstantString\|NSSimpleCString\|NSString\|NSObject
|
||||
NSControl\|NSView\|NSResponder\|NSObject
|
||||
NSControlTextEditingDelegate
|
||||
NSController\|NSObject
|
||||
NSCopying
|
||||
NSCountCommand\|NSScriptCommand\|NSObject
|
||||
NSCountedSet\|NSMutableSet\|NSSet\|NSObject
|
||||
NSCreateCommand\|NSScriptCommand\|NSObject
|
||||
NSCursor\|NSObject
|
||||
NSCustomImageRep\|NSImageRep\|NSObject
|
||||
NSData\|NSObject
|
||||
NSDataDetector\|NSRegularExpression\|NSObject
|
||||
NSDate\|NSObject
|
||||
NSDateComponents\|NSObject
|
||||
NSDateFormatter\|NSFormatter\|NSObject
|
||||
NSDatePicker\|NSControl\|NSView\|NSResponder\|NSObject
|
||||
NSDatePickerCell\|NSActionCell\|NSCell\|NSObject
|
||||
NSDatePickerCellDelegate
|
||||
NSDecimalNumber\|NSNumber\|NSValue\|NSObject
|
||||
NSDecimalNumberBehaviors
|
||||
NSDecimalNumberHandler\|NSObject
|
||||
NSDeleteCommand\|NSScriptCommand\|NSObject
|
||||
NSDictionary\|NSObject
|
||||
NSDictionaryController\|NSArrayController\|NSObjectController\|NSController\|NSObject
|
||||
NSDirectoryEnumerator\|NSEnumerator\|NSObject
|
||||
NSDiscardableContent
|
||||
NSDistantObject\|NSProxy
|
||||
NSDistantObjectRequest\|NSObject
|
||||
NSDistributedLock\|NSObject
|
||||
NSDistributedNotificationCenter\|NSNotificationCenter\|NSObject
|
||||
NSDockTile\|NSObject
|
||||
NSDockTilePlugIn
|
||||
NSDocument\|NSObject
|
||||
NSDocumentController\|NSObject
|
||||
NSDraggingDestination
|
||||
NSDraggingImageComponent\|NSObject
|
||||
NSDraggingInfo
|
||||
NSDraggingItem\|NSObject
|
||||
NSDraggingSession\|NSObject
|
||||
NSDraggingSource
|
||||
NSDrawer\|NSResponder\|NSObject
|
||||
NSDrawerDelegate
|
||||
NSEPSImageRep\|NSImageRep\|NSObject
|
||||
NSEntityDescription\|NSObject
|
||||
NSEntityMapping\|NSObject
|
||||
NSEntityMigrationPolicy\|NSObject
|
||||
NSEnumerator\|NSObject
|
||||
NSError\|NSObject
|
||||
NSEvent\|NSObject
|
||||
NSException\|NSObject
|
||||
NSExistsCommand\|NSScriptCommand\|NSObject
|
||||
NSExpression\|NSObject
|
||||
NSExpressionDescription\|NSPropertyDescription\|NSObject
|
||||
NSFastEnumeration
|
||||
NSFetchRequest\|NSPersistentStoreRequest\|NSObject
|
||||
NSFetchRequestExpression\|NSExpression\|NSObject
|
||||
NSFetchedPropertyDescription\|NSPropertyDescription\|NSObject
|
||||
NSFileCoordinator\|NSObject
|
||||
NSFileHandle\|NSObject
|
||||
NSFileManager\|NSObject
|
||||
NSFileManagerDelegate
|
||||
NSFilePresenter
|
||||
NSFileProviderExtension
|
||||
NSFileSecurity\|NSObject
|
||||
NSFileVersion\|NSObject
|
||||
NSFileWrapper\|NSObject
|
||||
NSFont\|NSObject
|
||||
NSFontCollection\|NSObject
|
||||
NSFontDescriptor\|NSObject
|
||||
NSFontManager\|NSObject
|
||||
NSFontPanel\|NSPanel\|NSWindow\|NSResponder\|NSObject
|
||||
NSFormCell\|NSActionCell\|NSCell\|NSObject
|
||||
NSFormatter\|NSObject
|
||||
NSGarbageCollector\|NSObject
|
||||
NSGetCommand\|NSScriptCommand\|NSObject
|
||||
NSGlyphGenerator\|NSObject
|
||||
NSGlyphInfo\|NSObject
|
||||
NSGlyphStorage
|
||||
NSGradient\|NSObject
|
||||
NSGraphicsContext\|NSObject
|
||||
NSHTTPCookie\|NSObject
|
||||
NSHTTPCookieStorage\|NSObject
|
||||
NSHTTPURLResponse\|NSURLResponse\|NSObject
|
||||
NSHashTable\|NSObject
|
||||
NSHelpManager\|NSObject
|
||||
NSHost\|NSObject
|
||||
NSIgnoreMisspelledWords
|
||||
NSImage\|NSObject
|
||||
NSImageCell\|NSCell\|NSObject
|
||||
NSImageDelegate
|
||||
NSImageRep\|NSObject
|
||||
NSImageView\|NSControl\|NSView\|NSResponder\|NSObject
|
||||
NSIncrementalStore\|NSPersistentStore\|NSObject
|
||||
NSIncrementalStoreNode\|NSObject
|
||||
NSIndexPath\|NSObject
|
||||
NSIndexSet\|NSObject
|
||||
NSIndexSpecifier\|NSScriptObjectSpecifier\|NSObject
|
||||
NSInputManager\|NSObject
|
||||
NSInputServer\|NSObject
|
||||
NSInputServerMouseTracker
|
||||
NSInputServiceProvider
|
||||
NSInputStream\|NSStream\|NSObject
|
||||
NSInvocation\|NSObject
|
||||
NSInvocationOperation\|NSOperation\|NSObject
|
||||
NSJSONSerialization\|NSObject
|
||||
NSKeyedArchiver\|NSCoder\|NSObject
|
||||
NSKeyedArchiverDelegate
|
||||
NSKeyedUnarchiver\|NSCoder\|NSObject
|
||||
NSKeyedUnarchiverDelegate
|
||||
NSLayoutConstraint\|NSObject
|
||||
NSLayoutManager\|NSObject
|
||||
NSLayoutManagerDelegate
|
||||
NSLevelIndicator\|NSControl\|NSView\|NSResponder\|NSObject
|
||||
NSLevelIndicatorCell\|NSActionCell\|NSCell\|NSObject
|
||||
NSLinguisticTagger\|NSObject
|
||||
NSLocale\|NSObject
|
||||
NSLock\|NSObject
|
||||
NSLocking
|
||||
NSLogicalTest\|NSScriptWhoseTest\|NSObject
|
||||
NSMachBootstrapServer\|NSPortNameServer\|NSObject
|
||||
NSMachPort\|NSPort\|NSObject
|
||||
NSMachPortDelegate
|
||||
NSManagedObject\|NSObject
|
||||
NSManagedObjectContext\|NSObject
|
||||
NSManagedObjectID\|NSObject
|
||||
NSManagedObjectModel\|NSObject
|
||||
NSMapTable\|NSObject
|
||||
NSMappingModel\|NSObject
|
||||
NSMatrix\|NSControl\|NSView\|NSResponder\|NSObject
|
||||
NSMatrixDelegate
|
||||
NSMediaLibraryBrowserController\|NSObject
|
||||
NSMenu\|NSObject
|
||||
NSMenuDelegate
|
||||
NSMenuItem\|NSObject
|
||||
NSMenuItemCell\|NSButtonCell\|NSActionCell\|NSCell\|NSObject
|
||||
NSMenuView\|NSView\|NSResponder\|NSObject
|
||||
NSMergeConflict\|NSObject
|
||||
NSMergePolicy\|NSObject
|
||||
NSMessagePort\|NSPort\|NSObject
|
||||
NSMessagePortNameServer\|NSPortNameServer\|NSObject
|
||||
NSMetadataItem\|NSObject
|
||||
NSMetadataQuery\|NSObject
|
||||
NSMetadataQueryAttributeValueTuple\|NSObject
|
||||
NSMetadataQueryDelegate
|
||||
NSMetadataQueryResultGroup\|NSObject
|
||||
NSMethodSignature\|NSObject
|
||||
NSMiddleSpecifier\|NSScriptObjectSpecifier\|NSObject
|
||||
NSMigrationManager\|NSObject
|
||||
NSMoveCommand\|NSScriptCommand\|NSObject
|
||||
NSMovie\|NSObject
|
||||
NSMovieView\|NSView\|NSResponder\|NSObject
|
||||
NSMutableArray\|NSArray\|NSObject
|
||||
NSMutableAttributedString\|NSAttributedString\|NSObject
|
||||
NSMutableCharacterSet\|NSCharacterSet\|NSObject
|
||||
NSMutableCopying
|
||||
NSMutableData\|NSData\|NSObject
|
||||
NSMutableDictionary\|NSDictionary\|NSObject
|
||||
NSMutableFontCollection\|NSFontCollection\|NSObject
|
||||
NSMutableIndexSet\|NSIndexSet\|NSObject
|
||||
NSMutableOrderedSet\|NSOrderedSet\|NSObject
|
||||
NSMutableParagraphStyle\|NSParagraphStyle\|NSObject
|
||||
NSMutableSet\|NSSet\|NSObject
|
||||
NSMutableString\|NSString\|NSObject
|
||||
NSMutableURLRequest\|NSURLRequest\|NSObject
|
||||
NSNameSpecifier\|NSScriptObjectSpecifier\|NSObject
|
||||
NSNetService\|NSObject
|
||||
NSNetServiceBrowser\|NSObject
|
||||
NSNetServiceBrowserDelegate
|
||||
NSNetServiceDelegate
|
||||
NSNib\|NSObject
|
||||
NSNibConnector\|NSObject
|
||||
NSNibControlConnector\|NSNibConnector\|NSObject
|
||||
NSNibOutletConnector\|NSNibConnector\|NSObject
|
||||
NSNotification\|NSObject
|
||||
NSNotificationCenter\|NSObject
|
||||
NSNotificationQueue\|NSObject
|
||||
NSNull\|NSObject
|
||||
NSNumber\|NSValue\|NSObject
|
||||
NSNumberFormatter\|NSFormatter\|NSObject
|
||||
NSObject
|
||||
NSObjectController\|NSController\|NSObject
|
||||
NSOpenGLContext\|NSObject
|
||||
NSOpenGLLayer\|CAOpenGLLayer\|CALayer\|NSObject
|
||||
NSOpenGLPixelBuffer\|NSObject
|
||||
NSOpenGLPixelFormat\|NSObject
|
||||
NSOpenGLView\|NSView\|NSResponder\|NSObject
|
||||
NSOpenPanel\|NSSavePanel\|NSPanel\|NSWindow\|NSResponder\|NSObject
|
||||
NSOpenSavePanelDelegate
|
||||
NSOperation\|NSObject
|
||||
NSOperationQueue\|NSObject
|
||||
NSOrderedSet\|NSObject
|
||||
NSOrthography\|NSObject
|
||||
NSOutlineView\|NSTableView\|NSControl\|NSView\|NSResponder\|NSObject
|
||||
NSOutlineViewDataSource
|
||||
NSOutlineViewDelegate
|
||||
NSOutputStream\|NSStream\|NSObject
|
||||
NSPDFImageRep\|NSImageRep\|NSObject
|
||||
NSPDFInfo\|NSObject
|
||||
NSPDFPanel\|NSObject
|
||||
NSPICTImageRep\|NSImageRep\|NSObject
|
||||
NSPageController\|NSViewController\|NSResponder\|NSObject
|
||||
NSPageControllerDelegate
|
||||
NSPageLayout\|NSObject
|
||||
NSPanel\|NSWindow\|NSResponder\|NSObject
|
||||
NSParagraphStyle\|NSObject
|
||||
NSPasteboard\|NSObject
|
||||
NSPasteboardItem\|NSObject
|
||||
NSPasteboardItemDataProvider
|
||||
NSPasteboardReading
|
||||
NSPasteboardWriting
|
||||
NSPathCell\|NSActionCell\|NSCell\|NSObject
|
||||
NSPathCellDelegate
|
||||
NSPathComponentCell\|NSTextFieldCell\|NSActionCell\|NSCell\|NSObject
|
||||
NSPathControl\|NSControl\|NSView\|NSResponder\|NSObject
|
||||
NSPathControlDelegate
|
||||
NSPersistentDocument\|NSDocument\|NSObject
|
||||
NSPersistentStore\|NSObject
|
||||
NSPersistentStoreCoordinator\|NSObject
|
||||
NSPersistentStoreCoordinatorSyncing
|
||||
NSPersistentStoreRequest\|NSObject
|
||||
NSPipe\|NSObject
|
||||
NSPointerArray\|NSObject
|
||||
NSPointerFunctions\|NSObject
|
||||
NSPopUpButton\|NSButton\|NSControl\|NSView\|NSResponder\|NSObject
|
||||
NSPopUpButtonCell\|NSMenuItemCell\|NSButtonCell\|NSActionCell\|NSCell\|NSObject
|
||||
NSPopover\|NSResponder\|NSObject
|
||||
NSPopoverDelegate
|
||||
NSPort\|NSObject
|
||||
NSPortCoder\|NSCoder\|NSObject
|
||||
NSPortDelegate
|
||||
NSPortMessage\|NSObject
|
||||
NSPortNameServer\|NSObject
|
||||
NSPositionalSpecifier\|NSObject
|
||||
NSPredicate\|NSObject
|
||||
NSPredicateEditor\|NSRuleEditor\|NSControl\|NSView\|NSResponder\|NSObject
|
||||
NSPredicateEditorRowTemplate\|NSObject
|
||||
NSPreferencePane\|NSObject
|
||||
NSPrintInfo\|NSObject
|
||||
NSPrintOperation\|NSObject
|
||||
NSPrintPanel\|NSObject
|
||||
NSPrintPanelAccessorizing
|
||||
NSPrinter\|NSObject
|
||||
NSProcessInfo\|NSObject
|
||||
NSProgress\|NSObject
|
||||
NSProgressIndicator\|NSView\|NSResponder\|NSObject
|
||||
NSPropertyDescription\|NSObject
|
||||
NSPropertyListSerialization\|NSObject
|
||||
NSPropertyMapping\|NSObject
|
||||
NSPropertySpecifier\|NSScriptObjectSpecifier\|NSObject
|
||||
NSProtocolChecker\|NSProxy
|
||||
NSProxy
|
||||
NSPurgeableData\|NSMutableData\|NSData\|NSObject
|
||||
NSQuickDrawView\|NSView\|NSResponder\|NSObject
|
||||
NSQuitCommand\|NSScriptCommand\|NSObject
|
||||
NSRandomSpecifier\|NSScriptObjectSpecifier\|NSObject
|
||||
NSRangeSpecifier\|NSScriptObjectSpecifier\|NSObject
|
||||
NSRecursiveLock\|NSObject
|
||||
NSRegularExpression\|NSObject
|
||||
NSRelationshipDescription\|NSPropertyDescription\|NSObject
|
||||
NSRelativeSpecifier\|NSScriptObjectSpecifier\|NSObject
|
||||
NSResponder\|NSObject
|
||||
NSRuleEditor\|NSControl\|NSView\|NSResponder\|NSObject
|
||||
NSRuleEditorDelegate
|
||||
NSRulerMarker\|NSObject
|
||||
NSRulerView\|NSView\|NSResponder\|NSObject
|
||||
NSRunLoop\|NSObject
|
||||
NSRunningApplication\|NSObject
|
||||
NSSaveChangesRequest\|NSPersistentStoreRequest\|NSObject
|
||||
NSSavePanel\|NSPanel\|NSWindow\|NSResponder\|NSObject
|
||||
NSScanner\|NSObject
|
||||
NSScreen\|NSObject
|
||||
NSScriptClassDescription\|NSClassDescription\|NSObject
|
||||
NSScriptCoercionHandler\|NSObject
|
||||
NSScriptCommand\|NSObject
|
||||
NSScriptCommandDescription\|NSObject
|
||||
NSScriptExecutionContext\|NSObject
|
||||
NSScriptObjectSpecifier\|NSObject
|
||||
NSScriptSuiteRegistry\|NSObject
|
||||
NSScriptWhoseTest\|NSObject
|
||||
NSScrollView\|NSView\|NSResponder\|NSObject
|
||||
NSScroller\|NSControl\|NSView\|NSResponder\|NSObject
|
||||
NSSearchField\|NSTextField\|NSControl\|NSView\|NSResponder\|NSObject
|
||||
NSSearchFieldCell\|NSTextFieldCell\|NSActionCell\|NSCell\|NSObject
|
||||
NSSecureCoding
|
||||
NSSecureTextField\|NSTextField\|NSControl\|NSView\|NSResponder\|NSObject
|
||||
NSSecureTextFieldCell\|NSTextFieldCell\|NSActionCell\|NSCell\|NSObject
|
||||
NSSegmentedCell\|NSActionCell\|NSCell\|NSObject
|
||||
NSSegmentedControl\|NSControl\|NSView\|NSResponder\|NSObject
|
||||
NSServicesMenuRequestor
|
||||
NSSet\|NSObject
|
||||
NSSetCommand\|NSScriptCommand\|NSObject
|
||||
NSShadow\|NSObject
|
||||
NSSharingService\|NSObject
|
||||
NSSharingServiceDelegate
|
||||
NSSharingServicePicker\|NSObject
|
||||
NSSharingServicePickerDelegate
|
||||
NSSimpleCString\|NSString\|NSObject
|
||||
NSSimpleHorizontalTypesetter\|NSTypesetter\|NSObject
|
||||
NSSlider\|NSControl\|NSView\|NSResponder\|NSObject
|
||||
NSSliderCell\|NSActionCell\|NSCell\|NSObject
|
||||
NSSocketPort\|NSPort\|NSObject
|
||||
NSSocketPortNameServer\|NSPortNameServer\|NSObject
|
||||
NSSortDescriptor\|NSObject
|
||||
NSSound\|NSObject
|
||||
NSSoundDelegate
|
||||
NSSpecifierTest\|NSScriptWhoseTest\|NSObject
|
||||
NSSpeechRecognizer\|NSObject
|
||||
NSSpeechRecognizerDelegate
|
||||
NSSpeechSynthesizer\|NSObject
|
||||
NSSpeechSynthesizerDelegate
|
||||
NSSpellChecker\|NSObject
|
||||
NSSpellServer\|NSObject
|
||||
NSSpellServerDelegate
|
||||
NSSplitView\|NSView\|NSResponder\|NSObject
|
||||
NSSplitViewDelegate
|
||||
NSStackView\|NSView\|NSResponder\|NSObject
|
||||
NSStackViewDelegate
|
||||
NSStatusBar\|NSObject
|
||||
NSStatusItem\|NSObject
|
||||
NSStepper\|NSControl\|NSView\|NSResponder\|NSObject
|
||||
NSStepperCell\|NSActionCell\|NSCell\|NSObject
|
||||
NSStream\|NSObject
|
||||
NSStreamDelegate
|
||||
NSString\|NSObject
|
||||
NSStringDrawingContext\|NSObject
|
||||
NSTabView\|NSView\|NSResponder\|NSObject
|
||||
NSTabViewDelegate
|
||||
NSTabViewItem\|NSObject
|
||||
NSTableCellView\|NSView\|NSResponder\|NSObject
|
||||
NSTableColumn\|NSObject
|
||||
NSTableHeaderCell\|NSTextFieldCell\|NSActionCell\|NSCell\|NSObject
|
||||
NSTableHeaderView\|NSView\|NSResponder\|NSObject
|
||||
NSTableRowView\|NSView\|NSResponder\|NSObject
|
||||
NSTableView\|NSControl\|NSView\|NSResponder\|NSObject
|
||||
NSTableViewDataSource
|
||||
NSTableViewDelegate
|
||||
NSTask\|NSObject
|
||||
NSText\|NSView\|NSResponder\|NSObject
|
||||
NSTextAlternatives\|NSObject
|
||||
NSTextAttachment\|NSObject
|
||||
NSTextAttachmentCell\|NSCell\|NSObject
|
||||
NSTextAttachmentContainer
|
||||
NSTextBlock\|NSObject
|
||||
NSTextCheckingResult\|NSObject
|
||||
NSTextContainer\|NSObject
|
||||
NSTextDelegate
|
||||
NSTextField\|NSControl\|NSView\|NSResponder\|NSObject
|
||||
NSTextFieldCell\|NSActionCell\|NSCell\|NSObject
|
||||
NSTextFieldDelegate
|
||||
NSTextFinder\|NSObject
|
||||
NSTextFinderBarContainer
|
||||
NSTextFinderClient
|
||||
NSTextInput
|
||||
NSTextInputClient
|
||||
NSTextInputContext\|NSObject
|
||||
NSTextLayoutOrientationProvider
|
||||
NSTextList\|NSObject
|
||||
NSTextStorage\|NSMutableAttributedString\|NSAttributedString\|NSObject
|
||||
NSTextStorageDelegate
|
||||
NSTextTab\|NSObject
|
||||
NSTextTable\|NSTextBlock\|NSObject
|
||||
NSTextTableBlock\|NSTextBlock\|NSObject
|
||||
NSTextView\|NSText\|NSView\|NSResponder\|NSObject
|
||||
NSTextViewDelegate
|
||||
NSThread\|NSObject
|
||||
NSTimeZone\|NSObject
|
||||
NSTimer\|NSObject
|
||||
NSTokenField\|NSTextField\|NSControl\|NSView\|NSResponder\|NSObject
|
||||
NSTokenFieldCell\|NSTextFieldCell\|NSActionCell\|NSCell\|NSObject
|
||||
NSTokenFieldCellDelegate
|
||||
NSTokenFieldDelegate
|
||||
NSToolbar\|NSObject
|
||||
NSToolbarDelegate
|
||||
NSToolbarItem\|NSObject
|
||||
NSToolbarItemGroup\|NSToolbarItem\|NSObject
|
||||
NSToolbarItemValidations
|
||||
NSTouch\|NSObject
|
||||
NSTrackingArea\|NSObject
|
||||
NSTreeController\|NSObjectController\|NSController\|NSObject
|
||||
NSTreeNode\|NSObject
|
||||
NSTypesetter\|NSObject
|
||||
NSURL\|NSObject
|
||||
NSURLAuthenticationChallenge\|NSObject
|
||||
NSURLAuthenticationChallengeSender
|
||||
NSURLCache\|NSObject
|
||||
NSURLComponents\|NSObject
|
||||
NSURLConnection\|NSObject
|
||||
NSURLConnectionDataDelegate
|
||||
NSURLConnectionDelegate
|
||||
NSURLConnectionDownloadDelegate
|
||||
NSURLCredential\|NSObject
|
||||
NSURLCredentialStorage\|NSObject
|
||||
NSURLDownload\|NSObject
|
||||
NSURLDownloadDelegate
|
||||
NSURLHandle\|NSObject
|
||||
NSURLHandleClient
|
||||
NSURLProtectionSpace\|NSObject
|
||||
NSURLProtocol\|NSObject
|
||||
NSURLProtocolClient
|
||||
NSURLRequest\|NSObject
|
||||
NSURLResponse\|NSObject
|
||||
NSURLSession
|
||||
NSURLSessionConfiguration
|
||||
NSURLSessionDataDelegate
|
||||
NSURLSessionDataTask
|
||||
NSURLSessionDelegate
|
||||
NSURLSessionDownloadDelegate
|
||||
NSURLSessionDownloadTask
|
||||
NSURLSessionTask
|
||||
NSURLSessionTaskDelegate
|
||||
NSURLSessionUploadTask
|
||||
NSUUID\|NSObject
|
||||
NSUbiquitousKeyValueStore\|NSObject
|
||||
NSUnarchiver\|NSCoder\|NSObject
|
||||
NSUndoManager\|NSObject
|
||||
NSUniqueIDSpecifier\|NSScriptObjectSpecifier\|NSObject
|
||||
NSUserAppleScriptTask\|NSUserScriptTask\|NSObject
|
||||
NSUserAutomatorTask\|NSUserScriptTask\|NSObject
|
||||
NSUserDefaults\|NSObject
|
||||
NSUserDefaultsController\|NSController\|NSObject
|
||||
NSUserInterfaceItemIdentification
|
||||
NSUserInterfaceItemSearching
|
||||
NSUserInterfaceValidations
|
||||
NSUserNotification\|NSObject
|
||||
NSUserNotificationCenter\|NSObject
|
||||
NSUserNotificationCenterDelegate
|
||||
NSUserScriptTask\|NSObject
|
||||
NSUserUnixTask\|NSUserScriptTask\|NSObject
|
||||
NSValidatedToobarItem
|
||||
NSValidatedUserInterfaceItem
|
||||
NSValue\|NSObject
|
||||
NSValueTransformer\|NSObject
|
||||
NSView\|NSResponder\|NSObject
|
||||
NSViewAnimation\|NSAnimation\|NSObject
|
||||
NSViewController\|NSResponder\|NSObject
|
||||
NSWhoseSpecifier\|NSScriptObjectSpecifier\|NSObject
|
||||
NSWindow\|NSResponder\|NSObject
|
||||
NSWindowController\|NSResponder\|NSObject
|
||||
NSWindowDelegate
|
||||
NSWindowRestoration
|
||||
NSWorkspace\|NSObject
|
||||
NSXMLDTD\|NSXMLNode\|NSObject
|
||||
NSXMLDTDNode\|NSXMLNode\|NSObject
|
||||
NSXMLDocument\|NSXMLNode\|NSObject
|
||||
NSXMLElement\|NSXMLNode\|NSObject
|
||||
NSXMLNode\|NSObject
|
||||
NSXMLParser\|NSObject
|
||||
NSXMLParserDelegate
|
||||
NSXPCConnection\|NSObject
|
||||
NSXPCInterface\|NSObject
|
||||
NSXPCListener\|NSObject
|
||||
NSXPCListenerDelegate
|
||||
NSXPCListenerEndpoint\|NSObject
|
||||
NSXPCProxyCreating
|
||||
QTCaptureAudioPreviewOutput\|QTCaptureOutput\|NSObject
|
||||
QTCaptureConnection\|NSObject
|
||||
QTCaptureDecompressedAudioOutput\|QTCaptureOutput\|NSObject
|
||||
QTCaptureDecompressedVideoOutput\|QTCaptureOutput\|NSObject
|
||||
QTCaptureDevice\|NSObject
|
||||
QTCaptureDeviceInput\|QTCaptureInput\|NSObject
|
||||
QTCaptureFileOutput\|QTCaptureOutput\|NSObject
|
||||
QTCaptureInput\|NSObject
|
||||
QTCaptureLayer\|CALayer\|NSObject
|
||||
QTCaptureMovieFileOutput\|QTCaptureFileOutput\|QTCaptureOutput\|NSObject
|
||||
QTCaptureOutput\|NSObject
|
||||
QTCaptureSession\|NSObject
|
||||
QTCaptureVideoPreviewOutput\|QTCaptureOutput\|NSObject
|
||||
QTCaptureView\|NSView\|NSResponder\|NSObject
|
||||
QTCompressionOptions\|NSObject
|
||||
QTDataReference\|NSObject
|
||||
QTExportOptions\|NSObject
|
||||
QTExportSession\|NSObject
|
||||
QTExportSessionDelegate
|
||||
QTFormatDescription\|NSObject
|
||||
QTMedia\|NSObject
|
||||
QTMetadataItem\|NSObject
|
||||
QTMovie\|NSObject
|
||||
QTMovieLayer\|CALayer\|NSObject
|
||||
QTMovieModernizer\|NSObject
|
||||
QTMovieView\|NSView\|NSResponder\|NSObject
|
||||
QTSampleBuffer\|NSObject
|
||||
QTTrack\|NSObject
|
||||
ScreenSaverDefaults\|NSUserDefaults\|NSObject
|
||||
ScreenSaverView\|NSView\|NSResponder\|NSObject
|
||||
UIAcceleration
|
||||
UIAccelerometer
|
||||
UIAccelerometerDelegate
|
||||
UIAccessibilityCustomAction
|
||||
UIAccessibilityElement
|
||||
UIAccessibilityIdentification
|
||||
UIAccessibilityReadingContent
|
||||
UIActionSheet
|
||||
UIActionSheetDelegate
|
||||
UIActivity
|
||||
UIActivityIndicatorView
|
||||
UIActivityItemProvider
|
||||
UIActivityItemSource
|
||||
UIActivityViewController
|
||||
UIAdaptivePresentationControllerDelegate
|
||||
UIAlertAction
|
||||
UIAlertController
|
||||
UIAlertView
|
||||
UIAlertViewDelegate
|
||||
UIAppearance
|
||||
UIAppearanceContainer
|
||||
UIApplication
|
||||
UIApplicationDelegate
|
||||
UIAttachmentBehavior
|
||||
UIBarButtonItem
|
||||
UIBarItem
|
||||
UIBarPositioning
|
||||
UIBarPositioningDelegate
|
||||
UIBezierPath
|
||||
UIBlurEffect
|
||||
UIButton
|
||||
UICollectionReusableView
|
||||
UICollectionView
|
||||
UICollectionViewCell
|
||||
UICollectionViewController
|
||||
UICollectionViewDataSource
|
||||
UICollectionViewDelegate
|
||||
UICollectionViewDelegateFlowLayout
|
||||
UICollectionViewFlowLayout
|
||||
UICollectionViewFlowLayoutInvalidationContext
|
||||
UICollectionViewLayout
|
||||
UICollectionViewLayoutAttributes
|
||||
UICollectionViewLayoutInvalidationContext
|
||||
UICollectionViewTransitionLayout
|
||||
UICollectionViewUpdateItem
|
||||
UICollisionBehavior
|
||||
UICollisionBehaviorDelegate
|
||||
UIColor
|
||||
UIContentContainer
|
||||
UIControl
|
||||
UICoordinateSpace
|
||||
UIDataSourceModelAssociation
|
||||
UIDatePicker
|
||||
UIDevice
|
||||
UIDictationPhrase
|
||||
UIDocument
|
||||
UIDocumentInteractionController
|
||||
UIDocumentInteractionControllerDelegate
|
||||
UIDocumentMenuDelegate
|
||||
UIDocumentMenuViewController
|
||||
UIDocumentPickerDelegate
|
||||
UIDocumentPickerExtensionViewController
|
||||
UIDocumentPickerViewController
|
||||
UIDynamicAnimator
|
||||
UIDynamicAnimatorDelegate
|
||||
UIDynamicBehavior
|
||||
UIDynamicItem
|
||||
UIDynamicItemBehavior
|
||||
UIEvent
|
||||
UIFont
|
||||
UIFontDescriptor
|
||||
UIGestureRecognizer
|
||||
UIGestureRecognizerDelegate
|
||||
UIGravityBehavior
|
||||
UIGuidedAccessRestrictionDelegate
|
||||
UIImage
|
||||
UIImageAsset
|
||||
UIImagePickerController
|
||||
UIImagePickerControllerDelegate
|
||||
UIImageView
|
||||
UIInputView
|
||||
UIInputViewAudioFeedback
|
||||
UIInputViewController
|
||||
UIInterpolatingMotionEffect
|
||||
UIKeyCommand
|
||||
UIKeyInput
|
||||
UILabel
|
||||
UILayoutSupport
|
||||
UILexicon
|
||||
UILexiconEntry
|
||||
UILocalNotification
|
||||
UILocalizedIndexedCollation
|
||||
UILongPressGestureRecognizer
|
||||
UIManagedDocument
|
||||
UIMarkupTextPrintFormatter
|
||||
UIMenuController
|
||||
UIMenuItem
|
||||
UIMotionEffect
|
||||
UIMotionEffectGroup
|
||||
UIMutableUserNotificationAction
|
||||
UIMutableUserNotificationCategory
|
||||
UINavigationBar
|
||||
UINavigationBarDelegate
|
||||
UINavigationController
|
||||
UINavigationControllerDelegate
|
||||
UINavigationItem
|
||||
UINib
|
||||
UIObjectRestoration
|
||||
UIPageControl
|
||||
UIPageViewController
|
||||
UIPageViewControllerDataSource
|
||||
UIPageViewControllerDelegate
|
||||
UIPanGestureRecognizer
|
||||
UIPasteboard
|
||||
UIPercentDrivenInteractiveTransition
|
||||
UIPickerView
|
||||
UIPickerViewAccessibilityDelegate
|
||||
UIPickerViewDataSource
|
||||
UIPickerViewDelegate
|
||||
UIPinchGestureRecognizer
|
||||
UIPopoverBackgroundView
|
||||
UIPopoverBackgroundViewMethods
|
||||
UIPopoverController
|
||||
UIPopoverControllerDelegate
|
||||
UIPopoverPresentationController
|
||||
UIPopoverPresentationControllerDelegate
|
||||
UIPresentationController
|
||||
UIPrintFormatter
|
||||
UIPrintInfo
|
||||
UIPrintInteractionController
|
||||
UIPrintInteractionControllerDelegate
|
||||
UIPrintPageRenderer
|
||||
UIPrintPaper
|
||||
UIPrinter
|
||||
UIPrinterPickerController
|
||||
UIPrinterPickerControllerDelegate
|
||||
UIProgressView
|
||||
UIPushBehavior
|
||||
UIReferenceLibraryViewController
|
||||
UIRefreshControl
|
||||
UIResponder
|
||||
UIRotationGestureRecognizer
|
||||
UIScreen
|
||||
UIScreenEdgePanGestureRecognizer
|
||||
UIScreenMode
|
||||
UIScrollView
|
||||
UIScrollViewAccessibilityDelegate
|
||||
UIScrollViewDelegate
|
||||
UISearchBar
|
||||
UISearchBarDelegate
|
||||
UISearchController
|
||||
UISearchControllerDelegate
|
||||
UISearchDisplayController
|
||||
UISearchDisplayDelegate
|
||||
UISearchResultsUpdating
|
||||
UISegmentedControl
|
||||
UISimpleTextPrintFormatter
|
||||
UISlider
|
||||
UISnapBehavior
|
||||
UISplitViewController
|
||||
UISplitViewControllerDelegate
|
||||
UIStateRestoring
|
||||
UIStepper
|
||||
UIStoryboard
|
||||
UIStoryboardPopoverSegue
|
||||
UIStoryboardSegue
|
||||
UISwipeGestureRecognizer
|
||||
UISwitch
|
||||
UITabBar
|
||||
UITabBarController
|
||||
UITabBarControllerDelegate
|
||||
UITabBarDelegate
|
||||
UITabBarItem
|
||||
UITableView
|
||||
UITableViewCell
|
||||
UITableViewController
|
||||
UITableViewDataSource
|
||||
UITableViewDelegate
|
||||
UITableViewHeaderFooterView
|
||||
UITableViewRowAction
|
||||
UITapGestureRecognizer
|
||||
UITextChecker
|
||||
UITextDocumentProxy
|
||||
UITextField
|
||||
UITextFieldDelegate
|
||||
UITextInput
|
||||
UITextInputDelegate
|
||||
UITextInputMode
|
||||
UITextInputStringTokenizer
|
||||
UITextInputTokenizer
|
||||
UITextInputTraits
|
||||
UITextPosition
|
||||
UITextRange
|
||||
UITextSelecting
|
||||
UITextSelectionRect
|
||||
UITextView
|
||||
UITextViewDelegate
|
||||
UIToolbar
|
||||
UIToolbarDelegate
|
||||
UITouch
|
||||
UITraitCollection
|
||||
UITraitEnvironment
|
||||
UIUserNotificationAction
|
||||
UIUserNotificationCategory
|
||||
UIUserNotificationSettings
|
||||
UIVibrancyEffect
|
||||
UIVideoEditorController
|
||||
UIVideoEditorControllerDelegate
|
||||
UIView
|
||||
UIViewController
|
||||
UIViewControllerAnimatedTransitioning
|
||||
UIViewControllerContextTransitioning
|
||||
UIViewControllerInteractiveTransitioning
|
||||
UIViewControllerRestoration
|
||||
UIViewControllerTransitionCoordinator
|
||||
UIViewControllerTransitionCoordinatorContext
|
||||
UIViewControllerTransitioningDelegate
|
||||
UIViewPrintFormatter
|
||||
UIVisualEffect
|
||||
UIVisualEffectView
|
||||
UIWebView
|
||||
UIWebViewDelegate
|
||||
UIWindow
|
||||
WebArchive\|NSObject
|
||||
WebBackForwardList\|NSObject
|
||||
WebDataSource\|NSObject
|
||||
WebDocumentRepresentation
|
||||
WebDocumentSearching
|
||||
WebDocumentText
|
||||
WebDocumentView
|
||||
WebDownload\|NSURLDownload\|NSObject
|
||||
WebDownloadDelegate
|
||||
WebFrame\|NSObject
|
||||
WebFrameView\|NSView\|NSResponder\|NSObject
|
||||
WebHistory\|NSObject
|
||||
WebHistoryItem\|NSObject
|
||||
WebOpenPanelResultListener\|NSObject
|
||||
WebPlugInViewFactory
|
||||
WebPolicyDecisionListener\|NSObject
|
||||
WebPreferences\|NSObject
|
||||
WebResource\|NSObject
|
||||
WebScriptObject\|NSObject
|
||||
WebUndefined\|NSObject
|
||||
WebView\|NSView\|NSResponder\|NSObject
|
2678
sources_non_forked/cocoa.vim/lib/extras/cocoa_indexes/constants.txt
Normal file
2678
sources_non_forked/cocoa.vim/lib/extras/cocoa_indexes/constants.txt
Normal file
File diff suppressed because it is too large
Load Diff
@ -0,0 +1,399 @@
|
||||
NSAccessibilityActionDescription
|
||||
NSAccessibilityPostNotification
|
||||
NSAccessibilityPostNotificationWithUserInfo
|
||||
NSAccessibilityRaiseBadArgumentException
|
||||
NSAccessibilityRoleDescription
|
||||
NSAccessibilityRoleDescriptionForUIElement
|
||||
NSAccessibilitySetMayContainProtectedContent
|
||||
NSAccessibilityUnignoredAncestor
|
||||
NSAccessibilityUnignoredChildren
|
||||
NSAccessibilityUnignoredChildrenForOnlyChild
|
||||
NSAccessibilityUnignoredDescendant
|
||||
NSAllHashTableObjects
|
||||
NSAllMapTableKeys
|
||||
NSAllMapTableValues
|
||||
NSAllocateCollectable
|
||||
NSAllocateMemoryPages
|
||||
NSAllocateObject
|
||||
NSApplicationLoad
|
||||
NSApplicationMain
|
||||
NSAvailableWindowDepths
|
||||
NSBeep
|
||||
NSBeginAlertSheet
|
||||
NSBeginCriticalAlertSheet
|
||||
NSBeginInformationalAlertSheet
|
||||
NSBestDepth
|
||||
NSBitsPerPixelFromDepth
|
||||
NSBitsPerSampleFromDepth
|
||||
NSClassFromString
|
||||
NSColorSpaceFromDepth
|
||||
NSCompareHashTables
|
||||
NSCompareMapTables
|
||||
NSContainsRect
|
||||
NSConvertGlyphsToPackedGlyphs
|
||||
NSConvertHostDoubleToSwapped
|
||||
NSConvertHostFloatToSwapped
|
||||
NSConvertSwappedDoubleToHost
|
||||
NSConvertSwappedFloatToHost
|
||||
NSCopyBits
|
||||
NSCopyHashTableWithZone
|
||||
NSCopyMapTableWithZone
|
||||
NSCopyMemoryPages
|
||||
NSCopyObject
|
||||
NSCountFrames
|
||||
NSCountHashTable
|
||||
NSCountMapTable
|
||||
NSCountWindows
|
||||
NSCountWindowsForContext
|
||||
NSCreateFileContentsPboardType
|
||||
NSCreateFilenamePboardType
|
||||
NSCreateHashTable
|
||||
NSCreateHashTableWithZone
|
||||
NSCreateMapTable
|
||||
NSCreateMapTableWithZone
|
||||
NSCreateZone
|
||||
NSDeallocateMemoryPages
|
||||
NSDeallocateObject
|
||||
NSDecimalAdd
|
||||
NSDecimalCompact
|
||||
NSDecimalCompare
|
||||
NSDecimalCopy
|
||||
NSDecimalDivide
|
||||
NSDecimalIsNotANumber
|
||||
NSDecimalMultiply
|
||||
NSDecimalMultiplyByPowerOf10
|
||||
NSDecimalNormalize
|
||||
NSDecimalPower
|
||||
NSDecimalRound
|
||||
NSDecimalString
|
||||
NSDecimalSubtract
|
||||
NSDecrementExtraRefCountWasZero
|
||||
NSDefaultMallocZone
|
||||
NSDictionaryOfVariableBindings
|
||||
NSDisableScreenUpdates
|
||||
NSDivideRect
|
||||
NSDottedFrameRect
|
||||
NSDrawBitmap
|
||||
NSDrawButton
|
||||
NSDrawColorTiledRects
|
||||
NSDrawDarkBezel
|
||||
NSDrawGrayBezel
|
||||
NSDrawGroove
|
||||
NSDrawLightBezel
|
||||
NSDrawNinePartImage
|
||||
NSDrawThreePartImage
|
||||
NSDrawTiledRects
|
||||
NSDrawWhiteBezel
|
||||
NSDrawWindowBackground
|
||||
NSEdgeInsetsMake
|
||||
NSEnableScreenUpdates
|
||||
NSEndHashTableEnumeration
|
||||
NSEndMapTableEnumeration
|
||||
NSEnumerateHashTable
|
||||
NSEnumerateMapTable
|
||||
NSEqualPoints
|
||||
NSEqualRanges
|
||||
NSEqualRects
|
||||
NSEqualSizes
|
||||
NSEraseRect
|
||||
NSEventMaskFromType
|
||||
NSExtraRefCount
|
||||
NSFileTypeForHFSTypeCode
|
||||
NSFrameAddress
|
||||
NSFrameRect
|
||||
NSFrameRectWithWidth
|
||||
NSFrameRectWithWidthUsingOperation
|
||||
NSFreeHashTable
|
||||
NSFreeMapTable
|
||||
NSFullUserName
|
||||
NSGetAlertPanel
|
||||
NSGetCriticalAlertPanel
|
||||
NSGetFileType
|
||||
NSGetFileTypes
|
||||
NSGetInformationalAlertPanel
|
||||
NSGetSizeAndAlignment
|
||||
NSGetUncaughtExceptionHandler
|
||||
NSGetWindowServerMemory
|
||||
NSHFSTypeCodeFromFileType
|
||||
NSHFSTypeOfFile
|
||||
NSHashGet
|
||||
NSHashInsert
|
||||
NSHashInsertIfAbsent
|
||||
NSHashInsertKnownAbsent
|
||||
NSHashRemove
|
||||
NSHeight
|
||||
NSHighlightRect
|
||||
NSHomeDirectory
|
||||
NSHomeDirectoryForUser
|
||||
NSHostByteOrder
|
||||
NSIncrementExtraRefCount
|
||||
NSInsetRect
|
||||
NSIntegralRect
|
||||
NSIntegralRectWithOptions
|
||||
NSInterfaceStyleForKey
|
||||
NSIntersectionRange
|
||||
NSIntersectionRect
|
||||
NSIntersectsRect
|
||||
NSIsControllerMarker
|
||||
NSIsEmptyRect
|
||||
NSIsFreedObject
|
||||
NSLocationInRange
|
||||
NSLog
|
||||
NSLogPageSize
|
||||
NSLogv
|
||||
NSMakeCollectable
|
||||
NSMakePoint
|
||||
NSMakeRange
|
||||
NSMakeRect
|
||||
NSMakeSize
|
||||
NSMapGet
|
||||
NSMapInsert
|
||||
NSMapInsertIfAbsent
|
||||
NSMapInsertKnownAbsent
|
||||
NSMapMember
|
||||
NSMapRemove
|
||||
NSMaxRange
|
||||
NSMaxX
|
||||
NSMaxY
|
||||
NSMidX
|
||||
NSMidY
|
||||
NSMinX
|
||||
NSMinY
|
||||
NSMouseInRect
|
||||
NSNextHashEnumeratorItem
|
||||
NSNextMapEnumeratorPair
|
||||
NSNumberOfColorComponents
|
||||
NSObjectFromCoder
|
||||
NSOffsetRect
|
||||
NSOpenStepRootDirectory
|
||||
NSPageSize
|
||||
NSPerformService
|
||||
NSPlanarFromDepth
|
||||
NSPointFromCGPoint
|
||||
NSPointFromString
|
||||
NSPointInRect
|
||||
NSPointToCGPoint
|
||||
NSProtocolFromString
|
||||
NSRangeFromString
|
||||
NSReadPixel
|
||||
NSRealMemoryAvailable
|
||||
NSReallocateCollectable
|
||||
NSRecordAllocationEvent
|
||||
NSRectClip
|
||||
NSRectClipList
|
||||
NSRectFill
|
||||
NSRectFillList
|
||||
NSRectFillListUsingOperation
|
||||
NSRectFillListWithColors
|
||||
NSRectFillListWithColorsUsingOperation
|
||||
NSRectFillListWithGrays
|
||||
NSRectFillUsingOperation
|
||||
NSRectFromCGRect
|
||||
NSRectFromString
|
||||
NSRectToCGRect
|
||||
NSRecycleZone
|
||||
NSRegisterServicesProvider
|
||||
NSReleaseAlertPanel
|
||||
NSResetHashTable
|
||||
NSResetMapTable
|
||||
NSReturnAddress
|
||||
NSRoundDownToMultipleOfPageSize
|
||||
NSRoundUpToMultipleOfPageSize
|
||||
NSRunAlertPanel
|
||||
NSRunAlertPanelRelativeToWindow
|
||||
NSRunCriticalAlertPanel
|
||||
NSRunCriticalAlertPanelRelativeToWindow
|
||||
NSRunInformationalAlertPanel
|
||||
NSRunInformationalAlertPanelRelativeToWindow
|
||||
NSSearchPathForDirectoriesInDomains
|
||||
NSSelectorFromString
|
||||
NSSetFocusRingStyle
|
||||
NSSetShowsServicesMenuItem
|
||||
NSSetUncaughtExceptionHandler
|
||||
NSSetZoneName
|
||||
NSShouldRetainWithZone
|
||||
NSShowAnimationEffect
|
||||
NSShowsServicesMenuItem
|
||||
NSSizeFromCGSize
|
||||
NSSizeFromString
|
||||
NSSizeToCGSize
|
||||
NSStringFromCGAffineTransform
|
||||
NSStringFromCGPoint
|
||||
NSStringFromCGRect
|
||||
NSStringFromCGSize
|
||||
NSStringFromCGVector
|
||||
NSStringFromClass
|
||||
NSStringFromHashTable
|
||||
NSStringFromMapTable
|
||||
NSStringFromPoint
|
||||
NSStringFromProtocol
|
||||
NSStringFromRange
|
||||
NSStringFromRect
|
||||
NSStringFromSelector
|
||||
NSStringFromSize
|
||||
NSStringFromUIEdgeInsets
|
||||
NSStringFromUIOffset
|
||||
NSSwapBigDoubleToHost
|
||||
NSSwapBigFloatToHost
|
||||
NSSwapBigIntToHost
|
||||
NSSwapBigLongLongToHost
|
||||
NSSwapBigLongToHost
|
||||
NSSwapBigShortToHost
|
||||
NSSwapDouble
|
||||
NSSwapFloat
|
||||
NSSwapHostDoubleToBig
|
||||
NSSwapHostDoubleToLittle
|
||||
NSSwapHostFloatToBig
|
||||
NSSwapHostFloatToLittle
|
||||
NSSwapHostIntToBig
|
||||
NSSwapHostIntToLittle
|
||||
NSSwapHostLongLongToBig
|
||||
NSSwapHostLongLongToLittle
|
||||
NSSwapHostLongToBig
|
||||
NSSwapHostLongToLittle
|
||||
NSSwapHostShortToBig
|
||||
NSSwapHostShortToLittle
|
||||
NSSwapInt
|
||||
NSSwapLittleDoubleToHost
|
||||
NSSwapLittleFloatToHost
|
||||
NSSwapLittleIntToHost
|
||||
NSSwapLittleLongLongToHost
|
||||
NSSwapLittleLongToHost
|
||||
NSSwapLittleShortToHost
|
||||
NSSwapLong
|
||||
NSSwapLongLong
|
||||
NSSwapShort
|
||||
NSTemporaryDirectory
|
||||
NSTextAlignmentFromCTTextAlignment
|
||||
NSTextAlignmentToCTTextAlignment
|
||||
NSUnionRange
|
||||
NSUnionRect
|
||||
NSUnregisterServicesProvider
|
||||
NSUpdateDynamicServices
|
||||
NSUserName
|
||||
NSValue
|
||||
NSWidth
|
||||
NSWindowList
|
||||
NSWindowListForContext
|
||||
NSZoneCalloc
|
||||
NSZoneFree
|
||||
NSZoneFromPointer
|
||||
NSZoneMalloc
|
||||
NSZoneName
|
||||
NSZoneRealloc
|
||||
NS_AVAILABLE
|
||||
NS_AVAILABLE_IOS
|
||||
NS_AVAILABLE_MAC
|
||||
NS_CALENDAR_DEPRECATED
|
||||
NS_DEPRECATED
|
||||
NS_DEPRECATED_IOS
|
||||
NS_DEPRECATED_MAC
|
||||
UIAccessibilityConvertFrameToScreenCoordinates
|
||||
UIAccessibilityConvertPathToScreenCoordinates
|
||||
UIAccessibilityDarkerSystemColorsEnabled
|
||||
UIAccessibilityIsBoldTextEnabled
|
||||
UIAccessibilityIsClosedCaptioningEnabled
|
||||
UIAccessibilityIsGrayscaleEnabled
|
||||
UIAccessibilityIsGuidedAccessEnabled
|
||||
UIAccessibilityIsInvertColorsEnabled
|
||||
UIAccessibilityIsMonoAudioEnabled
|
||||
UIAccessibilityIsReduceMotionEnabled
|
||||
UIAccessibilityIsReduceTransparencyEnabled
|
||||
UIAccessibilityIsSpeakScreenEnabled
|
||||
UIAccessibilityIsSpeakSelectionEnabled
|
||||
UIAccessibilityIsSwitchControlRunning
|
||||
UIAccessibilityIsVoiceOverRunning
|
||||
UIAccessibilityPostNotification
|
||||
UIAccessibilityRegisterGestureConflictWithZoom
|
||||
UIAccessibilityRequestGuidedAccessSession
|
||||
UIAccessibilityZoomFocusChanged
|
||||
UIApplicationMain
|
||||
UIEdgeInsetsEqualToEdgeInsets
|
||||
UIEdgeInsetsFromString
|
||||
UIEdgeInsetsInsetRect
|
||||
UIEdgeInsetsMake
|
||||
UIGraphicsAddPDFContextDestinationAtPoint
|
||||
UIGraphicsBeginImageContext
|
||||
UIGraphicsBeginImageContextWithOptions
|
||||
UIGraphicsBeginPDFContextToData
|
||||
UIGraphicsBeginPDFContextToFile
|
||||
UIGraphicsBeginPDFPage
|
||||
UIGraphicsBeginPDFPageWithInfo
|
||||
UIGraphicsEndImageContext
|
||||
UIGraphicsEndPDFContext
|
||||
UIGraphicsGetCurrentContext
|
||||
UIGraphicsGetImageFromCurrentImageContext
|
||||
UIGraphicsGetPDFContextBounds
|
||||
UIGraphicsPopContext
|
||||
UIGraphicsPushContext
|
||||
UIGraphicsSetPDFContextDestinationForRect
|
||||
UIGraphicsSetPDFContextURLForRect
|
||||
UIGuidedAccessRestrictionStateForIdentifier
|
||||
UIImageJPEGRepresentation
|
||||
UIImagePNGRepresentation
|
||||
UIImageWriteToSavedPhotosAlbum
|
||||
UIOffsetEqualToOffset
|
||||
UIOffsetFromString
|
||||
UIOffsetMake
|
||||
UIRectClip
|
||||
UIRectFill
|
||||
UIRectFillUsingBlendMode
|
||||
UIRectFrame
|
||||
UIRectFrameUsingBlendMode
|
||||
UISaveVideoAtPathToSavedPhotosAlbum
|
||||
UIVideoAtPathIsCompatibleWithSavedPhotosAlbum
|
||||
NSAssert
|
||||
NSAssert1
|
||||
NSAssert2
|
||||
NSAssert3
|
||||
NSAssert4
|
||||
NSAssert5
|
||||
NSCAssert
|
||||
NSCAssert1
|
||||
NSCAssert2
|
||||
NSCAssert3
|
||||
NSCAssert4
|
||||
NSCAssert5
|
||||
NSCParameterAssert
|
||||
NSDecimalMaxSize
|
||||
NSDictionaryOfVariableBindings
|
||||
NSGlyphInfoAtIndex
|
||||
NSLocalizedString
|
||||
NSLocalizedStringFromTable
|
||||
NSLocalizedStringFromTableInBundle
|
||||
NSLocalizedStringWithDefaultValue
|
||||
NSParameterAssert
|
||||
NSStackViewSpacingUseDefault
|
||||
NSURLResponseUnknownLength
|
||||
NS_AVAILABLE
|
||||
NS_AVAILABLE_IOS
|
||||
NS_AVAILABLE_IPHONE
|
||||
NS_AVAILABLE_MAC
|
||||
NS_CALENDAR_DEPRECATED
|
||||
NS_CALENDAR_DEPRECATED_MAC
|
||||
NS_CALENDAR_ENUM_DEPRECATED
|
||||
NS_CLASS_AVAILABLE
|
||||
NS_CLASS_AVAILABLE_IOS
|
||||
NS_CLASS_AVAILABLE_MAC
|
||||
NS_CLASS_DEPRECATED
|
||||
NS_CLASS_DEPRECATED_IOS
|
||||
NS_CLASS_DEPRECATED_MAC
|
||||
NS_DEPRECATED
|
||||
NS_DEPRECATED_IOS
|
||||
NS_DEPRECATED_IPHONE
|
||||
NS_DEPRECATED_MAC
|
||||
NS_ENUM
|
||||
NS_ENUM_AVAILABLE
|
||||
NS_ENUM_AVAILABLE_IOS
|
||||
NS_ENUM_AVAILABLE_MAC
|
||||
NS_ENUM_DEPRECATED
|
||||
NS_ENUM_DEPRECATED_IOS
|
||||
NS_ENUM_DEPRECATED_MAC
|
||||
NS_OPTIONS
|
||||
NS_VALUERETURN
|
||||
UIDeviceOrientationIsLandscape
|
||||
UIDeviceOrientationIsPortrait
|
||||
UIDeviceOrientationIsValidInterfaceOrientation
|
||||
UIInterfaceOrientationIsLandscape
|
||||
UIInterfaceOrientationIsPortrait
|
||||
UI_USER_INTERFACE_IDIOM
|
Binary file not shown.
@ -0,0 +1,298 @@
|
||||
NSAccessibilityAnnouncementRequestedNotification
|
||||
NSAccessibilityApplicationActivatedNotification
|
||||
NSAccessibilityApplicationDeactivatedNotification
|
||||
NSAccessibilityApplicationHiddenNotification
|
||||
NSAccessibilityApplicationShownNotification
|
||||
NSAccessibilityCreatedNotification
|
||||
NSAccessibilityDrawerCreatedNotification
|
||||
NSAccessibilityFocusedUIElementChangedNotification
|
||||
NSAccessibilityFocusedWindowChangedNotification
|
||||
NSAccessibilityHelpTagCreatedNotification
|
||||
NSAccessibilityLayoutChangedNotification
|
||||
NSAccessibilityMainWindowChangedNotification
|
||||
NSAccessibilityMovedNotification
|
||||
NSAccessibilityResizedNotification
|
||||
NSAccessibilityRowCollapsedNotification
|
||||
NSAccessibilityRowCountChangedNotification
|
||||
NSAccessibilityRowExpandedNotification
|
||||
NSAccessibilitySelectedCellsChangedNotification
|
||||
NSAccessibilitySelectedChildrenChangedNotification
|
||||
NSAccessibilitySelectedChildrenMovedNotification
|
||||
NSAccessibilitySelectedColumnsChangedNotification
|
||||
NSAccessibilitySelectedRowsChangedNotification
|
||||
NSAccessibilitySelectedTextChangedNotification
|
||||
NSAccessibilitySheetCreatedNotification
|
||||
NSAccessibilityTitleChangedNotification
|
||||
NSAccessibilityUIElementDestroyedNotification
|
||||
NSAccessibilityUnitsChangedNotification
|
||||
NSAccessibilityValueChangedNotification
|
||||
NSAccessibilityWindowCreatedNotification
|
||||
NSAccessibilityWindowDeminiaturizedNotification
|
||||
NSAccessibilityWindowMiniaturizedNotification
|
||||
NSAccessibilityWindowMovedNotification
|
||||
NSAccessibilityWindowResizedNotification
|
||||
NSAnimationProgressMarkNotification
|
||||
NSAntialiasThresholdChangedNotification
|
||||
NSAppleEventManagerWillProcessFirstEventNotification
|
||||
NSApplicationDidBecomeActiveNotification
|
||||
NSApplicationDidChangeOcclusionStateNotification
|
||||
NSApplicationDidChangeScreenParametersNotification
|
||||
NSApplicationDidFinishLaunchingNotification
|
||||
NSApplicationDidFinishRestoringWindowsNotification
|
||||
NSApplicationDidHideNotification
|
||||
NSApplicationDidResignActiveNotification
|
||||
NSApplicationDidUnhideNotification
|
||||
NSApplicationDidUpdateNotification
|
||||
NSApplicationLaunchRemoteNotification
|
||||
NSApplicationLaunchUserNotification
|
||||
NSApplicationWillBecomeActiveNotification
|
||||
NSApplicationWillFinishLaunchingNotification
|
||||
NSApplicationWillHideNotification
|
||||
NSApplicationWillResignActiveNotification
|
||||
NSApplicationWillTerminateNotification
|
||||
NSApplicationWillUnhideNotification
|
||||
NSApplicationWillUpdateNotification
|
||||
NSBrowserColumnConfigurationDidChangeNotification
|
||||
NSBundleDidLoadNotification
|
||||
NSCalendarDayChangedNotification
|
||||
NSClassDescriptionNeededForClassNotification
|
||||
NSColorListDidChangeNotification
|
||||
NSColorPanelColorDidChangeNotification
|
||||
NSComboBoxSelectionDidChangeNotification
|
||||
NSComboBoxSelectionIsChangingNotification
|
||||
NSComboBoxWillDismissNotification
|
||||
NSComboBoxWillPopUpNotification
|
||||
NSConnectionDidDieNotification
|
||||
NSConnectionDidInitializeNotification
|
||||
NSContextHelpModeDidActivateNotification
|
||||
NSContextHelpModeDidDeactivateNotification
|
||||
NSControlTextDidBeginEditingNotification
|
||||
NSControlTextDidChangeNotification
|
||||
NSControlTextDidEndEditingNotification
|
||||
NSControlTintDidChangeNotification
|
||||
NSCurrentLocaleDidChangeNotification
|
||||
NSDidBecomeSingleThreadedNotification
|
||||
NSDistributedNotification
|
||||
NSDrawerDidCloseNotification
|
||||
NSDrawerDidOpenNotification
|
||||
NSDrawerWillCloseNotification
|
||||
NSDrawerWillOpenNotification
|
||||
NSFileHandleConnectionAcceptedNotification
|
||||
NSFileHandleDataAvailableNotification
|
||||
NSFileHandleNotification
|
||||
NSFileHandleReadCompletionNotification
|
||||
NSFileHandleReadToEndOfFileCompletionNotification
|
||||
NSFontCollectionDidChangeNotification
|
||||
NSFontSetChangedNotification
|
||||
NSHTTPCookieManagerAcceptPolicyChangedNotification
|
||||
NSHTTPCookieManagerCookiesChangedNotification
|
||||
NSImageRepRegistryDidChangeNotification
|
||||
NSKeyValueChangeNotification
|
||||
NSLocalNotification
|
||||
NSManagedObjectContextDidSaveNotification
|
||||
NSManagedObjectContextObjectsDidChangeNotification
|
||||
NSManagedObjectContextWillSaveNotification
|
||||
NSMenuDidAddItemNotification
|
||||
NSMenuDidBeginTrackingNotification
|
||||
NSMenuDidChangeItemNotification
|
||||
NSMenuDidEndTrackingNotification
|
||||
NSMenuDidRemoveItemNotification
|
||||
NSMenuDidSendActionNotification
|
||||
NSMenuWillSendActionNotification
|
||||
NSMetadataQueryDidFinishGatheringNotification
|
||||
NSMetadataQueryDidStartGatheringNotification
|
||||
NSMetadataQueryDidUpdateNotification
|
||||
NSMetadataQueryGatheringProgressNotification
|
||||
NSNotification
|
||||
NSOutlineViewColumnDidMoveNotification
|
||||
NSOutlineViewColumnDidResizeNotification
|
||||
NSOutlineViewItemDidCollapseNotification
|
||||
NSOutlineViewItemDidExpandNotification
|
||||
NSOutlineViewItemWillCollapseNotification
|
||||
NSOutlineViewItemWillExpandNotification
|
||||
NSOutlineViewSelectionDidChangeNotification
|
||||
NSOutlineViewSelectionIsChangingNotification
|
||||
NSPersistentStoreCoordinatorStoresDidChangeNotification
|
||||
NSPersistentStoreCoordinatorStoresWillChangeNotification
|
||||
NSPersistentStoreCoordinatorWillRemoveStoreNotification
|
||||
NSPersistentStoreDidImportUbiquitousContentChangesNotification
|
||||
NSPopUpButtonCellWillPopUpNotification
|
||||
NSPopUpButtonWillPopUpNotification
|
||||
NSPopoverDidCloseNotification
|
||||
NSPopoverDidShowNotification
|
||||
NSPopoverWillCloseNotification
|
||||
NSPopoverWillShowNotification
|
||||
NSPortDidBecomeInvalidNotification
|
||||
NSPreferencePaneCancelUnselectNotification
|
||||
NSPreferencePaneDoUnselectNotification
|
||||
NSPreferredScrollerStyleDidChangeNotification
|
||||
NSRuleEditorRowsDidChangeNotification
|
||||
NSScreenColorSpaceDidChangeNotification
|
||||
NSScrollViewDidEndLiveMagnifyNotification
|
||||
NSScrollViewDidEndLiveScrollNotification
|
||||
NSScrollViewDidLiveScrollNotification
|
||||
NSScrollViewWillStartLiveMagnifyNotification
|
||||
NSScrollViewWillStartLiveScrollNotification
|
||||
NSSpellCheckerDidChangeAutomaticDashSubstitutionNotification
|
||||
NSSpellCheckerDidChangeAutomaticQuoteSubstitutionNotification
|
||||
NSSpellCheckerDidChangeAutomaticSpellingCorrectionNotification
|
||||
NSSpellCheckerDidChangeAutomaticTextReplacementNotification
|
||||
NSSplitViewDidResizeSubviewsNotification
|
||||
NSSplitViewWillResizeSubviewsNotification
|
||||
NSSystemClockDidChangeNotification
|
||||
NSSystemColorsDidChangeNotification
|
||||
NSSystemTimeZoneDidChangeNotification
|
||||
NSTableViewColumnDidMoveNotification
|
||||
NSTableViewColumnDidResizeNotification
|
||||
NSTableViewSelectionDidChangeNotification
|
||||
NSTableViewSelectionIsChangingNotification
|
||||
NSTaskDidTerminateNotification
|
||||
NSTextAlternativesSelectedAlternativeStringNotification
|
||||
NSTextDidBeginEditingNotification
|
||||
NSTextDidChangeNotification
|
||||
NSTextDidEndEditingNotification
|
||||
NSTextInputContextKeyboardSelectionDidChangeNotification
|
||||
NSTextStorageDidProcessEditingNotification
|
||||
NSTextStorageWillProcessEditingNotification
|
||||
NSTextViewDidChangeSelectionNotification
|
||||
NSTextViewDidChangeTypingAttributesNotification
|
||||
NSTextViewWillChangeNotifyingTextViewNotification
|
||||
NSThreadWillExitNotification
|
||||
NSToolbarDidRemoveItemNotification
|
||||
NSToolbarWillAddItemNotification
|
||||
NSURLCredentialStorageChangedNotification
|
||||
NSUbiquitousKeyValueStoreDidChangeExternallyNotification
|
||||
NSUbiquityIdentityDidChangeNotification
|
||||
NSUndoManagerCheckpointNotification
|
||||
NSUndoManagerDidCloseUndoGroupNotification
|
||||
NSUndoManagerDidOpenUndoGroupNotification
|
||||
NSUndoManagerDidRedoChangeNotification
|
||||
NSUndoManagerDidUndoChangeNotification
|
||||
NSUndoManagerWillCloseUndoGroupNotification
|
||||
NSUndoManagerWillRedoChangeNotification
|
||||
NSUndoManagerWillUndoChangeNotification
|
||||
NSUserDefaultsDidChangeNotification
|
||||
NSUserNotification
|
||||
NSViewBoundsDidChangeNotification
|
||||
NSViewDidUpdateTrackingAreasNotification
|
||||
NSViewFocusDidChangeNotification
|
||||
NSViewFrameDidChangeNotification
|
||||
NSViewGlobalFrameDidChangeNotification
|
||||
NSWillBecomeMultiThreadedNotification
|
||||
NSWindowDidBecomeKeyNotification
|
||||
NSWindowDidBecomeMainNotification
|
||||
NSWindowDidChangeBackingPropertiesNotification
|
||||
NSWindowDidChangeOcclusionStateNotification
|
||||
NSWindowDidChangeScreenNotification
|
||||
NSWindowDidChangeScreenProfileNotification
|
||||
NSWindowDidDeminiaturizeNotification
|
||||
NSWindowDidEndLiveResizeNotification
|
||||
NSWindowDidEndSheetNotification
|
||||
NSWindowDidEnterFullScreenNotification
|
||||
NSWindowDidEnterVersionBrowserNotification
|
||||
NSWindowDidExitFullScreenNotification
|
||||
NSWindowDidExitVersionBrowserNotification
|
||||
NSWindowDidExposeNotification
|
||||
NSWindowDidMiniaturizeNotification
|
||||
NSWindowDidMoveNotification
|
||||
NSWindowDidResignKeyNotification
|
||||
NSWindowDidResignMainNotification
|
||||
NSWindowDidResizeNotification
|
||||
NSWindowDidUpdateNotification
|
||||
NSWindowWillBeginSheetNotification
|
||||
NSWindowWillCloseNotification
|
||||
NSWindowWillEnterFullScreenNotification
|
||||
NSWindowWillEnterVersionBrowserNotification
|
||||
NSWindowWillExitFullScreenNotification
|
||||
NSWindowWillExitVersionBrowserNotification
|
||||
NSWindowWillMiniaturizeNotification
|
||||
NSWindowWillMoveNotification
|
||||
NSWindowWillStartLiveResizeNotification
|
||||
NSWorkspaceActiveSpaceDidChangeNotification
|
||||
NSWorkspaceDidActivateApplicationNotification
|
||||
NSWorkspaceDidChangeFileLabelsNotification
|
||||
NSWorkspaceDidDeactivateApplicationNotification
|
||||
NSWorkspaceDidHideApplicationNotification
|
||||
NSWorkspaceDidLaunchApplicationNotification
|
||||
NSWorkspaceDidMountNotification
|
||||
NSWorkspaceDidPerformFileOperationNotification
|
||||
NSWorkspaceDidRenameVolumeNotification
|
||||
NSWorkspaceDidTerminateApplicationNotification
|
||||
NSWorkspaceDidUnhideApplicationNotification
|
||||
NSWorkspaceDidUnmountNotification
|
||||
NSWorkspaceDidWakeNotification
|
||||
NSWorkspaceScreensDidSleepNotification
|
||||
NSWorkspaceScreensDidWakeNotification
|
||||
NSWorkspaceSessionDidBecomeActiveNotification
|
||||
NSWorkspaceSessionDidResignActiveNotification
|
||||
NSWorkspaceWillLaunchApplicationNotification
|
||||
NSWorkspaceWillPowerOffNotification
|
||||
NSWorkspaceWillSleepNotification
|
||||
NSWorkspaceWillUnmountNotification
|
||||
UIAccessibilityAnnouncementDidFinishNotification
|
||||
UIAccessibilityBoldTextStatusDidChangeNotification
|
||||
UIAccessibilityClosedCaptioningStatusDidChangeNotification
|
||||
UIAccessibilityDarkerSystemColorsStatusDidChangeNotification
|
||||
UIAccessibilityGrayscaleStatusDidChangeNotification
|
||||
UIAccessibilityGuidedAccessStatusDidChangeNotification
|
||||
UIAccessibilityInvertColorsStatusDidChangeNotification
|
||||
UIAccessibilityMonoAudioStatusDidChangeNotification
|
||||
UIAccessibilityNotification
|
||||
UIAccessibilityReduceMotionStatusDidChangeNotification
|
||||
UIAccessibilityReduceTransparencyStatusDidChangeNotification
|
||||
UIAccessibilitySpeakScreenStatusDidChangeNotification
|
||||
UIAccessibilitySpeakSelectionStatusDidChangeNotification
|
||||
UIAccessibilitySwitchControlStatusDidChangeNotification
|
||||
UIApplicationBackgroundRefreshStatusDidChangeNotification
|
||||
UIApplicationDidBecomeActiveNotification
|
||||
UIApplicationDidChangeStatusBarFrameNotification
|
||||
UIApplicationDidChangeStatusBarOrientationNotification
|
||||
UIApplicationDidEnterBackgroundNotification
|
||||
UIApplicationDidFinishLaunchingNotification
|
||||
UIApplicationDidReceiveMemoryWarningNotification
|
||||
UIApplicationLaunchOptionsLocalNotification
|
||||
UIApplicationLaunchOptionsRemoteNotification
|
||||
UIApplicationSignificantTimeChangeNotification
|
||||
UIApplicationUserDidTakeScreenshotNotification
|
||||
UIApplicationWillChangeStatusBarFrameNotification
|
||||
UIApplicationWillChangeStatusBarOrientationNotification
|
||||
UIApplicationWillEnterForegroundNotification
|
||||
UIApplicationWillResignActiveNotification
|
||||
UIApplicationWillTerminateNotification
|
||||
UIContentSizeCategoryDidChangeNotification
|
||||
UIDeviceBatteryLevelDidChangeNotification
|
||||
UIDeviceBatteryStateDidChangeNotification
|
||||
UIDeviceOrientationDidChangeNotification
|
||||
UIDeviceProximityStateDidChangeNotification
|
||||
UIDocumentStateChangedNotification
|
||||
UIKeyboardDidChangeFrameNotification
|
||||
UIKeyboardDidHideNotification
|
||||
UIKeyboardDidShowNotification
|
||||
UIKeyboardWillChangeFrameNotification
|
||||
UIKeyboardWillHideNotification
|
||||
UIKeyboardWillShowNotification
|
||||
UILocalNotification
|
||||
UIMenuControllerDidHideMenuNotification
|
||||
UIMenuControllerDidShowMenuNotification
|
||||
UIMenuControllerMenuFrameDidChangeNotification
|
||||
UIMenuControllerWillHideMenuNotification
|
||||
UIMenuControllerWillShowMenuNotification
|
||||
UIPasteboardChangedNotification
|
||||
UIPasteboardRemovedNotification
|
||||
UIScreenBrightnessDidChangeNotification
|
||||
UIScreenDidConnectNotification
|
||||
UIScreenDidDisconnectNotification
|
||||
UIScreenModeDidChangeNotification
|
||||
UITableViewSelectionDidChangeNotification
|
||||
UITextFieldTextDidBeginEditingNotification
|
||||
UITextFieldTextDidChangeNotification
|
||||
UITextFieldTextDidEndEditingNotification
|
||||
UITextInputCurrentInputModeDidChangeNotification
|
||||
UITextViewTextDidBeginEditingNotification
|
||||
UITextViewTextDidChangeNotification
|
||||
UITextViewTextDidEndEditingNotification
|
||||
UIViewControllerShowDetailTargetDidChangeNotification
|
||||
UIWindowDidBecomeHiddenNotification
|
||||
UIWindowDidBecomeKeyNotification
|
||||
UIWindowDidBecomeVisibleNotification
|
||||
UIWindowDidResignKeyNotification
|
457
sources_non_forked/cocoa.vim/lib/extras/cocoa_indexes/types.txt
Normal file
457
sources_non_forked/cocoa.vim/lib/extras/cocoa_indexes/types.txt
Normal file
@ -0,0 +1,457 @@
|
||||
NSAccessibilityPriorityLevel
|
||||
NSActivityOptions
|
||||
NSAlertStyle
|
||||
NSAlignmentOptions
|
||||
NSAnimationBlockingMode
|
||||
NSAnimationCurve
|
||||
NSAnimationEffect
|
||||
NSAnimationProgress
|
||||
NSAppleEventManagerSuspensionID
|
||||
NSApplicationActivationOptions
|
||||
NSApplicationActivationPolicy
|
||||
NSApplicationDelegateReply
|
||||
NSApplicationOcclusionState
|
||||
NSApplicationPresentationOptions
|
||||
NSApplicationPrintReply
|
||||
NSApplicationTerminateReply
|
||||
NSAttributeType
|
||||
NSAttributedStringEnumerationOptions
|
||||
NSBackgroundStyle
|
||||
NSBackingStoreType
|
||||
NSBezelStyle
|
||||
NSBezierPathElement
|
||||
NSBinarySearchingOptions
|
||||
NSBitmapFormat
|
||||
NSBitmapImageFileType
|
||||
NSBorderType
|
||||
NSBoxType
|
||||
NSBrowserColumnResizingType
|
||||
NSBrowserDropOperation
|
||||
NSButtonType
|
||||
NSByteCountFormatterCountStyle
|
||||
NSByteCountFormatterUnits
|
||||
NSCalculationError
|
||||
NSCalendarOptions
|
||||
NSCalendarUnit
|
||||
NSCellAttribute
|
||||
NSCellImagePosition
|
||||
NSCellStateValue
|
||||
NSCellType
|
||||
NSCharacterCollection
|
||||
NSCollectionViewDropOperation
|
||||
NSColorPanelMode
|
||||
NSColorRenderingIntent
|
||||
NSColorSpaceModel
|
||||
NSComparisonPredicateModifier
|
||||
NSComparisonPredicateOptions
|
||||
NSComparisonResult
|
||||
NSCompositingOperation
|
||||
NSCompoundPredicateType
|
||||
NSControlCharacterAction
|
||||
NSControlSize
|
||||
NSControlTint
|
||||
NSCorrectionIndicatorType
|
||||
NSCorrectionResponse
|
||||
NSDataReadingOptions
|
||||
NSDataSearchOptions
|
||||
NSDataWritingOptions
|
||||
NSDateFormatterBehavior
|
||||
NSDateFormatterStyle
|
||||
NSDatePickerElementFlags
|
||||
NSDatePickerMode
|
||||
NSDatePickerStyle
|
||||
NSDeleteRule
|
||||
NSDirectoryEnumerationOptions
|
||||
NSDocumentChangeType
|
||||
NSDragOperation
|
||||
NSDraggingContext
|
||||
NSDraggingFormation
|
||||
NSDraggingItemEnumerationOptions
|
||||
NSDrawerState
|
||||
NSEntityMappingType
|
||||
NSEnumerationOptions
|
||||
NSEventGestureAxis
|
||||
NSEventMask
|
||||
NSEventPhase
|
||||
NSEventSwipeTrackingOptions
|
||||
NSEventType
|
||||
NSExpressionType
|
||||
NSFetchRequestResultType
|
||||
NSFileCoordinatorReadingOptions
|
||||
NSFileCoordinatorWritingOptions
|
||||
NSFileManagerItemReplacementOptions
|
||||
NSFileVersionAddingOptions
|
||||
NSFileVersionReplacingOptions
|
||||
NSFileWrapperReadingOptions
|
||||
NSFileWrapperWritingOptions
|
||||
NSFindPanelAction
|
||||
NSFindPanelSubstringMatchType
|
||||
NSFocusRingPlacement
|
||||
NSFocusRingType
|
||||
NSFontAction
|
||||
NSFontCollectionVisibility
|
||||
NSFontFamilyClass
|
||||
NSFontRenderingMode
|
||||
NSFontSymbolicTraits
|
||||
NSFontTraitMask
|
||||
NSGlyph
|
||||
NSGlyphInscription
|
||||
NSGlyphLayoutMode
|
||||
NSGlyphProperty
|
||||
NSGradientDrawingOptions
|
||||
NSGradientType
|
||||
NSHTTPCookieAcceptPolicy
|
||||
NSHashEnumerator
|
||||
NSHashTableOptions
|
||||
NSImageAlignment
|
||||
NSImageCacheMode
|
||||
NSImageFrameStyle
|
||||
NSImageInterpolation
|
||||
NSImageLoadStatus
|
||||
NSImageRepLoadStatus
|
||||
NSImageScaling
|
||||
NSInsertionPosition
|
||||
NSInteger
|
||||
NSJSONReadingOptions
|
||||
NSJSONWritingOptions
|
||||
NSKeyValueChange
|
||||
NSKeyValueObservingOptions
|
||||
NSKeyValueSetMutationKind
|
||||
NSLayoutAttribute
|
||||
NSLayoutConstraintOrientation
|
||||
NSLayoutDirection
|
||||
NSLayoutFormatOptions
|
||||
NSLayoutPriority
|
||||
NSLayoutRelation
|
||||
NSLayoutStatus
|
||||
NSLevelIndicatorStyle
|
||||
NSLineBreakMode
|
||||
NSLineCapStyle
|
||||
NSLineJoinStyle
|
||||
NSLineMovementDirection
|
||||
NSLineSweepDirection
|
||||
NSLinguisticTaggerOptions
|
||||
NSLocaleLanguageDirection
|
||||
NSManagedObjectContextConcurrencyType
|
||||
NSMapEnumerator
|
||||
NSMapTableOptions
|
||||
NSMatchingFlags
|
||||
NSMatchingOptions
|
||||
NSMatrixMode
|
||||
NSMediaLibrary
|
||||
NSMenuProperties
|
||||
NSMergePolicyType
|
||||
NSModalSession
|
||||
NSMultibyteGlyphPacking
|
||||
NSNetServiceOptions
|
||||
NSNetServicesError
|
||||
NSNotificationCoalescing
|
||||
NSNotificationSuspensionBehavior
|
||||
NSNumberFormatterBehavior
|
||||
NSNumberFormatterPadPosition
|
||||
NSNumberFormatterRoundingMode
|
||||
NSNumberFormatterStyle
|
||||
NSOpenGLContextAuxiliary
|
||||
NSOpenGLPixelFormatAttribute
|
||||
NSOpenGLPixelFormatAuxiliary
|
||||
NSOperationQueuePriority
|
||||
NSPDFPanelOptions
|
||||
NSPageControllerTransitionStyle
|
||||
NSPaperOrientation
|
||||
NSPasteboardReadingOptions
|
||||
NSPasteboardWritingOptions
|
||||
NSPathStyle
|
||||
NSPersistentStoreRequestType
|
||||
NSPersistentStoreUbiquitousTransitionType
|
||||
NSPoint
|
||||
NSPointerFunctionsOptions
|
||||
NSPointingDeviceType
|
||||
NSPopUpArrowPosition
|
||||
NSPopoverAppearance
|
||||
NSPopoverBehavior
|
||||
NSPostingStyle
|
||||
NSPredicateOperatorType
|
||||
NSPrintPanelOptions
|
||||
NSPrintRenderingQuality
|
||||
NSPrinterTableStatus
|
||||
NSPrintingOrientation
|
||||
NSPrintingPageOrder
|
||||
NSPrintingPaginationMode
|
||||
NSProgressIndicatorStyle
|
||||
NSProgressIndicatorThickness
|
||||
NSProgressIndicatorThreadInfo
|
||||
NSPropertyListFormat
|
||||
NSPropertyListMutabilityOptions
|
||||
NSPropertyListReadOptions
|
||||
NSPropertyListWriteOptions
|
||||
NSQTMovieLoopMode
|
||||
NSRange
|
||||
NSRect
|
||||
NSRectEdge
|
||||
NSRegularExpressionOptions
|
||||
NSRelativePosition
|
||||
NSRemoteNotificationType
|
||||
NSRequestUserAttentionType
|
||||
NSRoundingMode
|
||||
NSRuleEditorNestingMode
|
||||
NSRuleEditorRowType
|
||||
NSRulerOrientation
|
||||
NSSaveOperationType
|
||||
NSSaveOptions
|
||||
NSScreenAuxiliaryOpaque
|
||||
NSScrollArrowPosition
|
||||
NSScrollElasticity
|
||||
NSScrollViewFindBarPosition
|
||||
NSScrollerArrow
|
||||
NSScrollerKnobStyle
|
||||
NSScrollerPart
|
||||
NSScrollerStyle
|
||||
NSSearchPathDirectory
|
||||
NSSearchPathDomainMask
|
||||
NSSegmentStyle
|
||||
NSSegmentSwitchTracking
|
||||
NSSelectionAffinity
|
||||
NSSelectionDirection
|
||||
NSSelectionGranularity
|
||||
NSSharingContentScope
|
||||
NSSize
|
||||
NSSliderType
|
||||
NSSnapshotEventType
|
||||
NSSocketNativeHandle
|
||||
NSSortOptions
|
||||
NSSpeechBoundary
|
||||
NSSplitViewDividerStyle
|
||||
NSStackViewGravity
|
||||
NSStreamEvent
|
||||
NSStreamStatus
|
||||
NSStringCompareOptions
|
||||
NSStringDrawingOptions
|
||||
NSStringEncoding
|
||||
NSStringEncodingConversionOptions
|
||||
NSStringEnumerationOptions
|
||||
NSSwappedDouble
|
||||
NSSwappedFloat
|
||||
NSTIFFCompression
|
||||
NSTabState
|
||||
NSTabViewType
|
||||
NSTableViewAnimationOptions
|
||||
NSTableViewColumnAutoresizingStyle
|
||||
NSTableViewDraggingDestinationFeedbackStyle
|
||||
NSTableViewDropOperation
|
||||
NSTableViewGridLineStyle
|
||||
NSTableViewRowSizeStyle
|
||||
NSTableViewSelectionHighlightStyle
|
||||
NSTaskTerminationReason
|
||||
NSTestComparisonOperation
|
||||
NSTextAlignment
|
||||
NSTextBlockDimension
|
||||
NSTextBlockLayer
|
||||
NSTextBlockValueType
|
||||
NSTextBlockVerticalAlignment
|
||||
NSTextCheckingType
|
||||
NSTextCheckingTypes
|
||||
NSTextFieldBezelStyle
|
||||
NSTextFinderAction
|
||||
NSTextFinderMatchingType
|
||||
NSTextLayoutOrientation
|
||||
NSTextStorageEditActions
|
||||
NSTextTabType
|
||||
NSTextTableLayoutAlgorithm
|
||||
NSTextWritingDirection
|
||||
NSThreadPrivate
|
||||
NSTickMarkPosition
|
||||
NSTimeInterval
|
||||
NSTimeZoneNameStyle
|
||||
NSTitlePosition
|
||||
NSTokenStyle
|
||||
NSToolTipTag
|
||||
NSToolbarDisplayMode
|
||||
NSToolbarSizeMode
|
||||
NSTouchPhase
|
||||
NSTrackingAreaOptions
|
||||
NSTrackingRectTag
|
||||
NSTypesetterBehavior
|
||||
NSTypesetterControlCharacterAction
|
||||
NSTypesetterGlyphInfo
|
||||
NSUInteger
|
||||
NSURLBookmarkCreationOptions
|
||||
NSURLBookmarkFileCreationOptions
|
||||
NSURLBookmarkResolutionOptions
|
||||
NSURLCacheStoragePolicy
|
||||
NSURLCredentialPersistence
|
||||
NSURLHandleStatus
|
||||
NSURLRequestCachePolicy
|
||||
NSURLRequestNetworkServiceType
|
||||
NSURLSessionAuthChallengeDisposition
|
||||
NSURLSessionResponseDisposition
|
||||
NSURLSessionTaskState
|
||||
NSUnderlineStyle
|
||||
NSUsableScrollerParts
|
||||
NSUserInterfaceLayoutDirection
|
||||
NSUserInterfaceLayoutOrientation
|
||||
NSUserNotificationActivationType
|
||||
NSViewLayerContentsPlacement
|
||||
NSViewLayerContentsRedrawPolicy
|
||||
NSVolumeEnumerationOptions
|
||||
NSWhoseSubelementIdentifier
|
||||
NSWindingRule
|
||||
NSWindowAnimationBehavior
|
||||
NSWindowBackingLocation
|
||||
NSWindowButton
|
||||
NSWindowCollectionBehavior
|
||||
NSWindowDepth
|
||||
NSWindowNumberListOptions
|
||||
NSWindowOcclusionState
|
||||
NSWindowOrderingMode
|
||||
NSWindowSharingType
|
||||
NSWorkspaceIconCreationOptions
|
||||
NSWorkspaceLaunchOptions
|
||||
NSWritingDirection
|
||||
NSXMLDTDNodeKind
|
||||
NSXMLDocumentContentKind
|
||||
NSXMLNodeKind
|
||||
NSXMLParserError
|
||||
NSXMLParserExternalEntityResolvingPolicy
|
||||
NSXPCConnectionOptions
|
||||
NSZone
|
||||
UIAccelerationValue
|
||||
UIAccessibilityNavigationStyle
|
||||
UIAccessibilityNotifications
|
||||
UIAccessibilityScrollDirection
|
||||
UIAccessibilityTraits
|
||||
UIAccessibilityZoomType
|
||||
UIActionSheetStyle
|
||||
UIActivityCategory
|
||||
UIActivityIndicatorViewStyle
|
||||
UIAlertActionStyle
|
||||
UIAlertControllerStyle
|
||||
UIAlertViewStyle
|
||||
UIApplicationState
|
||||
UIAttachmentBehaviorType
|
||||
UIBackgroundFetchResult
|
||||
UIBackgroundRefreshStatus
|
||||
UIBackgroundTaskIdentifier
|
||||
UIBarButtonItemStyle
|
||||
UIBarButtonSystemItem
|
||||
UIBarMetrics
|
||||
UIBarPosition
|
||||
UIBarStyle
|
||||
UIBaselineAdjustment
|
||||
UIBlurEffectStyle
|
||||
UIButtonType
|
||||
UICollectionElementCategory
|
||||
UICollectionUpdateAction
|
||||
UICollectionViewScrollDirection
|
||||
UICollectionViewScrollPosition
|
||||
UICollisionBehaviorMode
|
||||
UIControlContentHorizontalAlignment
|
||||
UIControlContentVerticalAlignment
|
||||
UIControlEvents
|
||||
UIControlState
|
||||
UIDataDetectorTypes
|
||||
UIDatePickerMode
|
||||
UIDeviceBatteryState
|
||||
UIDeviceOrientation
|
||||
UIDocumentChangeKind
|
||||
UIDocumentMenuOrder
|
||||
UIDocumentPickerMode
|
||||
UIDocumentSaveOperation
|
||||
UIDocumentState
|
||||
UIEdgeInsets
|
||||
UIEventSubtype
|
||||
UIEventType
|
||||
UIFontDescriptorClass
|
||||
UIFontDescriptorSymbolicTraits
|
||||
UIGestureRecognizerState
|
||||
UIGuidedAccessRestrictionState
|
||||
UIImageOrientation
|
||||
UIImagePickerControllerCameraCaptureMode
|
||||
UIImagePickerControllerCameraDevice
|
||||
UIImagePickerControllerCameraFlashMode
|
||||
UIImagePickerControllerQualityType
|
||||
UIImagePickerControllerSourceType
|
||||
UIImageRenderingMode
|
||||
UIImageResizingMode
|
||||
UIInputViewStyle
|
||||
UIInterfaceOrientation
|
||||
UIInterfaceOrientationMask
|
||||
UIInterpolatingMotionEffectType
|
||||
UIKeyModifierFlags
|
||||
UIKeyboardAppearance
|
||||
UIKeyboardType
|
||||
UILayoutConstraintAxis
|
||||
UILayoutPriority
|
||||
UILineBreakMode
|
||||
UIMenuControllerArrowDirection
|
||||
UIModalPresentationStyle
|
||||
UIModalTransitionStyle
|
||||
UINavigationControllerOperation
|
||||
UIOffset
|
||||
UIPageViewControllerNavigationDirection
|
||||
UIPageViewControllerNavigationOrientation
|
||||
UIPageViewControllerSpineLocation
|
||||
UIPageViewControllerTransitionStyle
|
||||
UIPopoverArrowDirection
|
||||
UIPrintInfoDuplex
|
||||
UIPrintInfoOrientation
|
||||
UIPrintInfoOutputType
|
||||
UIPrinterJobTypes
|
||||
UIProgressViewStyle
|
||||
UIPushBehaviorMode
|
||||
UIRectCorner
|
||||
UIRectEdge
|
||||
UIRemoteNotificationType
|
||||
UIReturnKeyType
|
||||
UIScreenOverscanCompensation
|
||||
UIScrollViewIndicatorStyle
|
||||
UIScrollViewKeyboardDismissMode
|
||||
UISearchBarIcon
|
||||
UISearchBarStyle
|
||||
UISegmentedControlSegment
|
||||
UISegmentedControlStyle
|
||||
UISplitViewControllerDisplayMode
|
||||
UIStatusBarAnimation
|
||||
UIStatusBarStyle
|
||||
UISwipeGestureRecognizerDirection
|
||||
UISystemAnimation
|
||||
UITabBarItemPositioning
|
||||
UITabBarSystemItem
|
||||
UITableViewCellAccessoryType
|
||||
UITableViewCellEditingStyle
|
||||
UITableViewCellSelectionStyle
|
||||
UITableViewCellSeparatorStyle
|
||||
UITableViewCellStateMask
|
||||
UITableViewCellStyle
|
||||
UITableViewRowActionStyle
|
||||
UITableViewRowAnimation
|
||||
UITableViewScrollPosition
|
||||
UITableViewStyle
|
||||
UITextAlignment
|
||||
UITextAutocapitalizationType
|
||||
UITextAutocorrectionType
|
||||
UITextBorderStyle
|
||||
UITextDirection
|
||||
UITextFieldViewMode
|
||||
UITextGranularity
|
||||
UITextLayoutDirection
|
||||
UITextSpellCheckingType
|
||||
UITextStorageDirection
|
||||
UITextWritingDirection
|
||||
UITouchPhase
|
||||
UIUserInterfaceIdiom
|
||||
UIUserInterfaceLayoutDirection
|
||||
UIUserInterfaceSizeClass
|
||||
UIUserNotificationActionContext
|
||||
UIUserNotificationActivationMode
|
||||
UIUserNotificationType
|
||||
UIViewAnimationCurve
|
||||
UIViewAnimationOptions
|
||||
UIViewAnimationTransition
|
||||
UIViewAutoresizing
|
||||
UIViewContentMode
|
||||
UIViewKeyframeAnimationOptions
|
||||
UIViewTintAdjustmentMode
|
||||
UIWebPaginationBreakingMode
|
||||
UIWebPaginationMode
|
||||
UIWebViewNavigationType
|
||||
UIWindowLevel
|
63
sources_non_forked/cocoa.vim/lib/extras/cocoa_methods.py
Executable file
63
sources_non_forked/cocoa.vim/lib/extras/cocoa_methods.py
Executable file
@ -0,0 +1,63 @@
|
||||
#!/usr/bin/python
|
||||
'''
|
||||
Lists Cocoa methods in given file or ./cocoa_indexes/methods.txt by default.
|
||||
'''
|
||||
import re, os, gzip
|
||||
from cocoa_definitions import default_headers, format_function_line
|
||||
|
||||
def get_methods(headers):
|
||||
'''Returns list of Cocoa methods.'''
|
||||
matches = []
|
||||
for header in headers:
|
||||
f = open(header, 'r')
|
||||
current_class = ''
|
||||
for line in f:
|
||||
if current_class == '':
|
||||
if line[:10] == '@interface' or line[:9] == '@protocol':
|
||||
current_class = re.match('@(interface|protocol)\s+(\w+)',
|
||||
line).group(2)
|
||||
else:
|
||||
if line[:3] == '@end':
|
||||
current_class = ''
|
||||
elif re.match('[-+]\s*\(', line):
|
||||
method_name = get_method_name(line)
|
||||
if method_name:
|
||||
match = current_class + ' ' + method_name
|
||||
if match not in matches:
|
||||
matches.append(match)
|
||||
f.close()
|
||||
matches = [format_line(line) for line in matches]
|
||||
matches.sort()
|
||||
return matches
|
||||
|
||||
def get_method_name(line):
|
||||
'''Returns the method name & argument types for the given line.'''
|
||||
if re.search('\w+\s*:', line):
|
||||
return ' '.join(re.findall('\w+\s*:\s*\(.*?\)', line))
|
||||
else:
|
||||
return re.match(r'[-+]\s*\(.*?\)\s*(\w+)', line).group(1)
|
||||
|
||||
def format_line(line):
|
||||
'''Removes parentheses/comments/unnecessary spacing for the given line.'''
|
||||
line = re.sub(r'\s*:\s*', ':', line)
|
||||
line = re.sub(r'/\*.*?\*/\s*|[()]', '', line)
|
||||
line = re.sub(r'(NS\S+)Pointer', r'\1 *', line)
|
||||
return format_function_line(line)
|
||||
|
||||
def extract_file_to(fname=None):
|
||||
'''
|
||||
Extracts methods to given file or ./cocoa_indexes/methods.txt by default.
|
||||
'''
|
||||
if fname is None:
|
||||
fname = './cocoa_indexes/methods.txt.gz'
|
||||
if not os.path.isdir(os.path.dirname(fname)):
|
||||
os.mkdir(os.path.dirname(fname))
|
||||
|
||||
# This file is quite large, so I've compressed it.
|
||||
f = gzip.open(fname, 'w')
|
||||
f.write("\n".join(get_methods(default_headers())))
|
||||
f.close()
|
||||
|
||||
if __name__ == '__main__':
|
||||
from sys import argv
|
||||
extract_file_to(argv[1] if len(argv) > 1 else None)
|
BIN
sources_non_forked/cocoa.vim/lib/extras/superclasses
Executable file
BIN
sources_non_forked/cocoa.vim/lib/extras/superclasses
Executable file
Binary file not shown.
47
sources_non_forked/cocoa.vim/lib/extras/superclasses.m
Normal file
47
sources_non_forked/cocoa.vim/lib/extras/superclasses.m
Normal file
@ -0,0 +1,47 @@
|
||||
/* -framework Foundation -Os -Wmost -dead_strip */
|
||||
/* Returns list of superclasses ready to be used by grep. */
|
||||
#import <Foundation/Foundation.h>
|
||||
#import <objc/objc-runtime.h>
|
||||
|
||||
void usage()
|
||||
{
|
||||
fprintf(stderr, "Usage: superclasses class_name framework\n");
|
||||
}
|
||||
|
||||
void print_superclasses(const char classname[], const char framework[])
|
||||
{
|
||||
NSAutoreleasePool *pool = [[NSAutoreleasePool alloc] init];
|
||||
|
||||
/* Foundation is already included, so no need to load it again. */
|
||||
if (strncmp(framework, "Foundation", 256) != 0) {
|
||||
NSString *bundle =
|
||||
[@"/System/Library/Frameworks/" stringByAppendingString:
|
||||
[[NSString stringWithUTF8String:framework]
|
||||
stringByAppendingPathExtension:@"framework"]];
|
||||
[[NSBundle bundleWithPath:bundle] load];
|
||||
}
|
||||
|
||||
Class aClass = NSClassFromString([NSString stringWithUTF8String:classname]);
|
||||
char buf[BUFSIZ];
|
||||
|
||||
strncpy(buf, classname, BUFSIZ);
|
||||
while ((aClass = class_getSuperclass(aClass)) != nil) {
|
||||
strncat(buf, "\\|", BUFSIZ);
|
||||
strncat(buf, [NSStringFromClass(aClass) UTF8String], BUFSIZ);
|
||||
}
|
||||
printf("%s\n", buf);
|
||||
|
||||
[pool drain];
|
||||
}
|
||||
|
||||
int main(int argc, char const* argv[])
|
||||
{
|
||||
if (argc < 3 || argv[1][0] == '-')
|
||||
usage();
|
||||
else {
|
||||
int i;
|
||||
for (i = 1; i < argc - 1; i += 2)
|
||||
print_superclasses(argv[i], argv[i + 1]);
|
||||
}
|
||||
return 0;
|
||||
}
|
Reference in New Issue
Block a user